text
stringlengths
0
473k
[SOURCE: https://en.wikipedia.org/wiki/Python_(programming_language)#cite_note-8] | [TOKENS: 4314]
Contents Python (programming language) Python is a high-level, general-purpose programming language. Its design philosophy emphasizes code readability with the use of significant indentation. Python is dynamically type-checked and garbage-collected. It supports multiple programming paradigms, including structured (particularly procedural), object-oriented and functional programming. Guido van Rossum began working on Python in the late 1980s as a successor to the ABC programming language. Python 3.0, released in 2008, was a major revision and not completely backward-compatible with earlier versions. Beginning with Python 3.5, capabilities and keywords for typing were added to the language, allowing optional static typing. As of 2026[update], the Python Software Foundation supports Python 3.10, 3.11, 3.12, 3.13, and 3.14, following the project's annual release cycle and five-year support policy. Python 3.15 is currently in the alpha development phase, and the stable release is expected to come out in October 2026. Earlier versions in the 3.x series have reached end-of-life and no longer receive security updates. Python has gained widespread use in the machine learning community. It is widely taught as an introductory programming language. Since 2003, Python has consistently ranked in the top ten of the most popular programming languages in the TIOBE Programming Community Index, which ranks based on searches in 24 platforms. History Python was conceived in the late 1980s by Guido van Rossum at Centrum Wiskunde & Informatica (CWI) in the Netherlands. It was designed as a successor to the ABC programming language, which was inspired by SETL, capable of exception handling and interfacing with the Amoeba operating system. Python implementation began in December 1989. Van Rossum first released it in 1991 as Python 0.9.0. Van Rossum assumed sole responsibility for the project, as the lead developer, until 12 July 2018, when he announced his "permanent vacation" from responsibilities as Python's "benevolent dictator for life" (BDFL); this title was bestowed on him by the Python community to reflect his long-term commitment as the project's chief decision-maker. (He has since come out of retirement and is self-titled "BDFL-emeritus".) In January 2019, active Python core developers elected a five-member Steering Council to lead the project. The name Python derives from the British comedy series Monty Python's Flying Circus. (See § Naming.) Python 2.0 was released on 16 October 2000, featuring many new features such as list comprehensions, cycle-detecting garbage collection, reference counting, and Unicode support. Python 2.7's end-of-life was initially set for 2015, and then postponed to 2020 out of concern that a large body of existing code could not easily be forward-ported to Python 3. It no longer receives security patches or updates. While Python 2.7 and older versions are officially unsupported, a different unofficial Python implementation, PyPy, continues to support Python 2, i.e., "2.7.18+" (plus 3.11), with the plus signifying (at least some) "backported security updates". Python 3.0 was released on 3 December 2008, and was a major revision and not completely backward-compatible with earlier versions, with some new semantics and changed syntax. Python 2.7.18, released in 2020, was the last release of Python 2. Several releases in the Python 3.x series have added new syntax to the language, and made a few (considered very minor) backward-incompatible changes. As of January 2026[update], Python 3.14.3 is the latest stable release. All older 3.x versions had a security update down to Python 3.9.24 then again with 3.9.25, the final version in 3.9 series. Python 3.10 is, since November 2025, the oldest supported branch. Python 3.15 has an alpha released, and Android has an official downloadable executable available for Python 3.14. Releases receive two years of full support followed by three years of security support. Design philosophy and features Python is a multi-paradigm programming language. Object-oriented programming and structured programming are fully supported, and many of their features support functional programming and aspect-oriented programming – including metaprogramming and metaobjects. Many other paradigms are supported via extensions, including design by contract and logic programming. Python is often referred to as a 'glue language' because it is purposely designed to be able to integrate components written in other languages. Python uses dynamic typing and a combination of reference counting and a cycle-detecting garbage collector for memory management. It uses dynamic name resolution (late binding), which binds method and variable names during program execution. Python's design offers some support for functional programming in the "Lisp tradition". It has filter, map, and reduce functions; list comprehensions, dictionaries, sets, and generator expressions. The standard library has two modules (itertools and functools) that implement functional tools borrowed from Haskell and Standard ML. Python's core philosophy is summarized in the Zen of Python (PEP 20) written by Tim Peters, which includes aphorisms such as these: However, Python has received criticism for violating these principles and adding unnecessary language bloat. Responses to these criticisms note that the Zen of Python is a guideline rather than a rule. The addition of some new features had been controversial: Guido van Rossum resigned as Benevolent Dictator for Life after conflict about adding the assignment expression operator in Python 3.8. Nevertheless, rather than building all functionality into its core, Python was designed to be highly extensible via modules. This compact modularity has made it particularly popular as a means of adding programmable interfaces to existing applications. Van Rossum's vision of a small core language with a large standard library and easily extensible interpreter stemmed from his frustrations with ABC, which represented the opposite approach. Python claims to strive for a simpler, less-cluttered syntax and grammar, while giving developers a choice in their coding methodology. Python lacks do .. while loops, which Rossum considered harmful. In contrast to Perl's motto "there is more than one way to do it", Python advocates an approach where "there should be one – and preferably only one – obvious way to do it". In practice, however, Python provides many ways to achieve a given goal. There are at least three ways to format a string literal, with no certainty as to which one a programmer should use. Alex Martelli is a Fellow at the Python Software Foundation and Python book author; he wrote that "To describe something as 'clever' is not considered a compliment in the Python culture." Python's developers typically prioritize readability over performance. For example, they reject patches to non-critical parts of the CPython reference implementation that would offer increases in speed that do not justify the cost of clarity and readability.[failed verification] Execution speed can be improved by moving speed-critical functions to extension modules written in languages such as C, or by using a just-in-time compiler like PyPy. Also, it is possible to transpile to other languages. However, this approach either fails to achieve the expected speed-up, since Python is a very dynamic language, or only a restricted subset of Python is compiled (with potential minor semantic changes). Python is meant to be a fun language to use. This goal is reflected in the name – a tribute to the British comedy group Monty Python – and in playful approaches to some tutorials and reference materials. For instance, some code examples use the terms "spam" and "eggs" (in reference to a Monty Python sketch), rather than the typical terms "foo" and "bar". A common neologism in the Python community is pythonic, which has a broad range of meanings related to program style: Pythonic code may use Python idioms well; be natural or show fluency in the language; or conform with Python's minimalist philosophy and emphasis on readability. Syntax and semantics Python is meant to be an easily readable language. Its formatting is visually uncluttered and often uses English keywords where other languages use punctuation. Unlike many other languages, it does not use curly brackets to delimit blocks, and semicolons after statements are allowed but rarely used. It has fewer syntactic exceptions and special cases than C or Pascal. Python uses whitespace indentation, rather than curly brackets or keywords, to delimit blocks. An increase in indentation comes after certain statements; a decrease in indentation signifies the end of the current block. Thus, the program's visual structure accurately represents its semantic structure. This feature is sometimes termed the off-side rule. Some other languages use indentation this way; but in most, indentation has no semantic meaning. The recommended indent size is four spaces. Python's statements include the following: The assignment statement (=) binds a name as a reference to a separate, dynamically allocated object. Variables may subsequently be rebound at any time to any object. In Python, a variable name is a generic reference holder without a fixed data type; however, it always refers to some object with a type. This is called dynamic typing—in contrast to statically-typed languages, where each variable may contain only a value of a certain type. Python does not support tail call optimization or first-class continuations; according to Van Rossum, the language never will. However, better support for coroutine-like functionality is provided by extending Python's generators. Before 2.5, generators were lazy iterators; data was passed unidirectionally out of the generator. From Python 2.5 on, it is possible to pass data back into a generator function; and from version 3.3, data can be passed through multiple stack levels. Python's expressions include the following: In Python, a distinction between expressions and statements is rigidly enforced, in contrast to languages such as Common Lisp, Scheme, or Ruby. This distinction leads to duplicating some functionality, for example: A statement cannot be part of an expression; because of this restriction, expressions such as list and dict comprehensions (and lambda expressions) cannot contain statements. As a particular case, an assignment statement such as a = 1 cannot be part of the conditional expression of a conditional statement. Python uses duck typing, and it has typed objects but untyped variable names. Type constraints are not checked at definition time; rather, operations on an object may fail at usage time, indicating that the object is not of an appropriate type. Despite being dynamically typed, Python is strongly typed, forbidding operations that are poorly defined (e.g., adding a number and a string) rather than quietly attempting to interpret them. Python allows programmers to define their own types using classes, most often for object-oriented programming. New instances of classes are constructed by calling the class, for example, SpamClass() or EggsClass()); the classes are instances of the metaclass type (which is an instance of itself), thereby allowing metaprogramming and reflection. Before version 3.0, Python had two kinds of classes, both using the same syntax: old-style and new-style. Current Python versions support the semantics of only the new style. Python supports optional type annotations. These annotations are not enforced by the language, but may be used by external tools such as mypy to catch errors. Python includes a module typing including several type names for type annotations. Also, mypy supports a Python compiler called mypyc, which leverages type annotations for optimization. 1.33333 frozenset() Python includes conventional symbols for arithmetic operators (+, -, *, /), the floor-division operator //, and the modulo operator %. (With the modulo operator, a remainder can be negative, e.g., 4 % -3 == -2.) Also, Python offers the ** symbol for exponentiation, e.g. 5**3 == 125 and 9**0.5 == 3.0. Also, it offers the matrix‑multiplication operator @ . These operators work as in traditional mathematics; with the same precedence rules, the infix operators + and - can also be unary, to represent positive and negative numbers respectively. Division between integers produces floating-point results. The behavior of division has changed significantly over time: In Python terms, the / operator represents true division (or simply division), while the // operator represents floor division. Before version 3.0, the / operator represents classic division. Rounding towards negative infinity, though a different method than in most languages, adds consistency to Python. For instance, this rounding implies that the equation (a + b)//b == a//b + 1 is always true. Also, the rounding implies that the equation b*(a//b) + a%b == a is valid for both positive and negative values of a. As expected, the result of a%b lies in the half-open interval [0, b), where b is a positive integer; however, maintaining the validity of the equation requires that the result must lie in the interval (b, 0] when b is negative. Python provides a round function for rounding a float to the nearest integer. For tie-breaking, Python 3 uses the round to even method: round(1.5) and round(2.5) both produce 2. Python versions before 3 used the round-away-from-zero method: round(0.5) is 1.0, and round(-0.5) is −1.0. Python allows Boolean expressions that contain multiple equality relations to be consistent with general usage in mathematics. For example, the expression a < b < c tests whether a is less than b and b is less than c. C-derived languages interpret this expression differently: in C, the expression would first evaluate a < b, resulting in 0 or 1, and that result would then be compared with c. Python uses arbitrary-precision arithmetic for all integer operations. The Decimal type/class in the decimal module provides decimal floating-point numbers to a pre-defined arbitrary precision with several rounding modes. The Fraction class in the fractions module provides arbitrary precision for rational numbers. Due to Python's extensive mathematics library and the third-party library NumPy, the language is frequently used for scientific scripting in tasks such as numerical data processing and manipulation. Functions are created in Python by using the def keyword. A function is defined similarly to how it is called, by first providing the function name and then the required parameters. Here is an example of a function that prints its inputs: To assign a default value to a function parameter in case no actual value is provided at run time, variable-definition syntax can be used inside the function header. Code examples "Hello, World!" program: Program to calculate the factorial of a non-negative integer: Libraries Python's large standard library is commonly cited as one of its greatest strengths. For Internet-facing applications, many standard formats and protocols such as MIME and HTTP are supported. The language includes modules for creating graphical user interfaces, connecting to relational databases, generating pseudorandom numbers, arithmetic with arbitrary-precision decimals, manipulating regular expressions, and unit testing. Some parts of the standard library are covered by specifications—for example, the Web Server Gateway Interface (WSGI) implementation wsgiref follows PEP 333—but most parts are specified by their code, internal documentation, and test suites. However, because most of the standard library is cross-platform Python code, only a few modules must be altered or rewritten for variant implementations. As of 13 March 2025,[update] the Python Package Index (PyPI), the official repository for third-party Python software, contains over 614,339 packages. Development environments Most[which?] Python implementations (including CPython) include a read–eval–print loop (REPL); this permits the environment to function as a command line interpreter, with which users enter statements sequentially and receive results immediately. Also, CPython is bundled with an integrated development environment (IDE) called IDLE, which is oriented toward beginners.[citation needed] Other shells, including IDLE and IPython, add additional capabilities such as improved auto-completion, session-state retention, and syntax highlighting. Standard desktop IDEs include PyCharm, Spyder, and Visual Studio Code; there are web browser-based IDEs, such as the following environments: Implementations CPython is the reference implementation of Python. This implementation is written in C, meeting the C11 standard since version 3.11. Older versions use the C89 standard with several select C99 features, but third-party extensions are not limited to older C versions—e.g., they can be implemented using C11 or C++. CPython compiles Python programs into an intermediate bytecode, which is then executed by a virtual machine. CPython is distributed with a large standard library written in a combination of C and native Python. CPython is available for many platforms, including Windows and most modern Unix-like systems, including macOS (and Apple M1 Macs, since Python 3.9.1, using an experimental installer). Starting with Python 3.9, the Python installer intentionally fails to install on Windows 7 and 8; Windows XP was supported until Python 3.5, with unofficial support for VMS. Platform portability was one of Python's earliest priorities. During development of Python 1 and 2, even OS/2 and Solaris were supported; since that time, support has been dropped for many platforms. All current Python versions (since 3.7) support only operating systems that feature multithreading, by now supporting not nearly as many operating systems (dropping many outdated) than in the past. All alternative implementations have at least slightly different semantics. For example, an alternative may include unordered dictionaries, in contrast to other current Python versions. As another example in the larger Python ecosystem, PyPy does not support the full C Python API. Creating an executable with Python often is done by bundling an entire Python interpreter into the executable, which causes binary sizes to be massive for small programs, yet there exist implementations that are capable of truly compiling Python. Alternative implementations include the following: Stackless Python is a significant fork of CPython that implements microthreads. This implementation uses the call stack differently, thus allowing massively concurrent programs. PyPy also offers a stackless version. Just-in-time Python compilers have been developed, but are now unsupported: There are several compilers/transpilers to high-level object languages; the source language is unrestricted Python, a subset of Python, or a language similar to Python: There are also specialized compilers: Some older projects existed, as well as compilers not designed for use with Python 3.x and related syntax: A performance comparison among various Python implementations, using a non-numerical (combinatorial) workload, was presented at EuroSciPy '13. In addition, Python's performance relative to other programming languages is benchmarked by The Computer Language Benchmarks Game. There are several approaches to optimizing Python performance, despite the inherent slowness of an interpreted language. These approaches include the following strategies or tools: Language Development Python's development is conducted mostly through the Python Enhancement Proposal (PEP) process; this process is the primary mechanism for proposing major new features, collecting community input on issues, and documenting Python design decisions. Python coding style is covered in PEP 8. Outstanding PEPs are reviewed and commented on by the Python community and the steering council. Enhancement of the language corresponds with development of the CPython reference implementation. The mailing list python-dev is the primary forum for the language's development. Specific issues were originally discussed in the Roundup bug tracker hosted by the foundation. In 2022, all issues and discussions were migrated to GitHub. Development originally took place on a self-hosted source-code repository running Mercurial, until Python moved to GitHub in January 2017. CPython's public releases have three types, distinguished by which part of the version number is incremented: Many alpha, beta, and release-candidates are also released as previews and for testing before final releases. Although there is a rough schedule for releases, they are often delayed if the code is not ready yet. Python's development team monitors the state of the code by running a large unit test suite during development. The major academic conference on Python is PyCon. Also, there are special Python mentoring programs, such as PyLadies. Naming Python's name is inspired by the British comedy group Monty Python, whom Python creator Guido van Rossum enjoyed while developing the language. Monty Python references appear frequently in Python code and culture; for example, the metasyntactic variables often used in Python literature are spam and eggs, rather than the traditional foo and bar. Also, the official Python documentation contains various references to Monty Python routines. Python users are sometimes referred to as "Pythonistas". Languages influenced by Python See also Notes References Further reading External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/File:Carni_bovine_macellate.JPG] | [TOKENS: 97]
File:Carni bovine macellate.JPG Summary Licensing File history Click on a date/time to view the file as it appeared at that time. File usage The following 5 pages use this file: Global file usage The following other wikis use this file: Metadata This file contains additional information, probably added from the digital camera or scanner used to create or digitize it. If the file has been modified from its original state, some details may not fully reflect the modified file.
========================================
[SOURCE: https://en.wikipedia.org/wiki/PlayStation_(console)#cite_note-FOOTNOTEParus1997110–111-221] | [TOKENS: 10728]
Contents PlayStation (console) The PlayStation[a] (codenamed PSX, abbreviated as PS, and retroactively PS1 or PS one) is a home video game console developed and marketed by Sony Computer Entertainment. It was released in Japan on 3 December 1994, followed by North America on 9 September 1995, Europe on 29 September 1995, and other regions following thereafter. As a fifth-generation console, the PlayStation primarily competed with the Nintendo 64 and the Sega Saturn. Sony began developing the PlayStation after a failed venture with Nintendo to create a CD-ROM peripheral for the Super Nintendo Entertainment System in the early 1990s. The console was primarily designed by Ken Kutaragi and Sony Computer Entertainment in Japan, while additional development was outsourced in the United Kingdom. An emphasis on 3D polygon graphics was placed at the forefront of the console's design. PlayStation game production was designed to be streamlined and inclusive, enticing the support of many third party developers. The console proved popular for its extensive game library, popular franchises, low retail price, and aggressive youth marketing which advertised it as the preferable console for adolescents and adults. Critically acclaimed games that defined the console include Gran Turismo, Crash Bandicoot, Spyro the Dragon, Tomb Raider, Resident Evil, Metal Gear Solid, Tekken 3, and Final Fantasy VII. Sony ceased production of the PlayStation on 23 March 2006—over eleven years after it had been released, and in the same year the PlayStation 3 debuted. More than 4,000 PlayStation games were released, with cumulative sales of 962 million units. The PlayStation signaled Sony's rise to power in the video game industry. It received acclaim and sold strongly; in less than a decade, it became the first computer entertainment platform to ship over 100 million units. Its use of compact discs heralded the game industry's transition from cartridges. The PlayStation's success led to a line of successors, beginning with the PlayStation 2 in 2000. In the same year, Sony released a smaller and cheaper model, the PS one. History The PlayStation was conceived by Ken Kutaragi, a Sony executive who managed a hardware engineering division and was later dubbed "the Father of the PlayStation". Kutaragi's interest in working with video games stemmed from seeing his daughter play games on Nintendo's Famicom. Kutaragi convinced Nintendo to use his SPC-700 sound processor in the Super Nintendo Entertainment System (SNES) through a demonstration of the processor's capabilities. His willingness to work with Nintendo was derived from both his admiration of the Famicom and conviction in video game consoles becoming the main home-use entertainment systems. Although Kutaragi was nearly fired because he worked with Nintendo without Sony's knowledge, president Norio Ohga recognised the potential in Kutaragi's chip and decided to keep him as a protégé. The inception of the PlayStation dates back to a 1988 joint venture between Nintendo and Sony. Nintendo had produced floppy disk technology to complement cartridges in the form of the Family Computer Disk System, and wanted to continue this complementary storage strategy for the SNES. Since Sony was already contracted to produce the SPC-700 sound processor for the SNES, Nintendo contracted Sony to develop a CD-ROM add-on, tentatively titled the "Play Station" or "SNES-CD". The PlayStation name had already been trademarked by Yamaha, but Nobuyuki Idei liked it so much that he agreed to acquire it for an undisclosed sum rather than search for an alternative. Sony was keen to obtain a foothold in the rapidly expanding video game market. Having been the primary manufacturer of the MSX home computer format, Sony had wanted to use their experience in consumer electronics to produce their own video game hardware. Although the initial agreement between Nintendo and Sony was about producing a CD-ROM drive add-on, Sony had also planned to develop a SNES-compatible Sony-branded console. This iteration was intended to be more of a home entertainment system, playing both SNES cartridges and a new CD format named the "Super Disc", which Sony would design. Under the agreement, Sony would retain sole international rights to every Super Disc game, giving them a large degree of control despite Nintendo's leading position in the video game market. Furthermore, Sony would also be the sole benefactor of licensing related to music and film software that it had been aggressively pursuing as a secondary application. The Play Station was to be announced at the 1991 Consumer Electronics Show (CES) in Las Vegas. However, Nintendo president Hiroshi Yamauchi was wary of Sony's increasing leverage at this point and deemed the original 1988 contract unacceptable upon realising it essentially handed Sony control over all games written on the SNES CD-ROM format. Although Nintendo was dominant in the video game market, Sony possessed a superior research and development department. Wanting to protect Nintendo's existing licensing structure, Yamauchi cancelled all plans for the joint Nintendo–Sony SNES CD attachment without telling Sony. He sent Nintendo of America president Minoru Arakawa (his son-in-law) and chairman Howard Lincoln to Amsterdam to form a more favourable contract with Dutch conglomerate Philips, Sony's rival. This contract would give Nintendo total control over their licences on all Philips-produced machines. Kutaragi and Nobuyuki Idei, Sony's director of public relations at the time, learned of Nintendo's actions two days before the CES was due to begin. Kutaragi telephoned numerous contacts, including Philips, to no avail. On the first day of the CES, Sony announced their partnership with Nintendo and their new console, the Play Station. At 9 am on the next day, in what has been called "the greatest ever betrayal" in the industry, Howard Lincoln stepped onto the stage and revealed that Nintendo was now allied with Philips and would abandon their work with Sony. Incensed by Nintendo's renouncement, Ohga and Kutaragi decided that Sony would develop their own console. Nintendo's contract-breaking was met with consternation in the Japanese business community, as they had broken an "unwritten law" of native companies not turning against each other in favour of foreign ones. Sony's American branch considered allying with Sega to produce a CD-ROM-based machine called the Sega Multimedia Entertainment System, but the Sega board of directors in Tokyo vetoed the idea when Sega of America CEO Tom Kalinske presented them the proposal. Kalinske recalled them saying: "That's a stupid idea, Sony doesn't know how to make hardware. They don't know how to make software either. Why would we want to do this?" Sony halted their research, but decided to develop what it had developed with Nintendo and Sega into a console based on the SNES. Despite the tumultuous events at the 1991 CES, negotiations between Nintendo and Sony were still ongoing. A deal was proposed: the Play Station would still have a port for SNES games, on the condition that it would still use Kutaragi's audio chip and that Nintendo would own the rights and receive the bulk of the profits. Roughly two hundred prototype machines were created, and some software entered development. Many within Sony were still opposed to their involvement in the video game industry, with some resenting Kutaragi for jeopardising the company. Kutaragi remained adamant that Sony not retreat from the growing industry and that a deal with Nintendo would never work. Knowing that they had to take decisive action, Sony severed all ties with Nintendo on 4 May 1992. To determine the fate of the PlayStation project, Ohga chaired a meeting in June 1992, consisting of Kutaragi and several senior Sony board members. Kutaragi unveiled a proprietary CD-ROM-based system he had been secretly working on which played games with immersive 3D graphics. Kutaragi was confident that his LSI chip could accommodate one million logic gates, which exceeded the capabilities of Sony's semiconductor division at the time. Despite gaining Ohga's enthusiasm, there remained opposition from a majority present at the meeting. Older Sony executives also opposed it, who saw Nintendo and Sega as "toy" manufacturers. The opposers felt the game industry was too culturally offbeat and asserted that Sony should remain a central player in the audiovisual industry, where companies were familiar with one another and could conduct "civili[s]ed" business negotiations. After Kutaragi reminded him of the humiliation he suffered from Nintendo, Ohga retained the project and became one of Kutaragi's most staunch supporters. Ohga shifted Kutaragi and nine of his team from Sony's main headquarters to Sony Music Entertainment Japan (SMEJ), a subsidiary of the main Sony group, so as to retain the project and maintain relationships with Philips for the MMCD development project. The involvement of SMEJ proved crucial to the PlayStation's early development as the process of manufacturing games on CD-ROM format was similar to that used for audio CDs, with which Sony's music division had considerable experience. While at SMEJ, Kutaragi worked with Epic/Sony Records founder Shigeo Maruyama and Akira Sato; both later became vice-presidents of the division that ran the PlayStation business. Sony Computer Entertainment (SCE) was jointly established by Sony and SMEJ to handle the company's ventures into the video game industry. On 27 October 1993, Sony publicly announced that it was entering the game console market with the PlayStation. According to Maruyama, there was uncertainty over whether the console should primarily focus on 2D, sprite-based graphics or 3D polygon graphics. After Sony witnessed the success of Sega's Virtua Fighter (1993) in Japanese arcades, the direction of the PlayStation became "instantly clear" and 3D polygon graphics became the console's primary focus. SCE president Teruhisa Tokunaka expressed gratitude for Sega's timely release of Virtua Fighter as it proved "just at the right time" that making games with 3D imagery was possible. Maruyama claimed that Sony further wanted to emphasise the new console's ability to utilise redbook audio from the CD-ROM format in its games alongside high quality visuals and gameplay. Wishing to distance the project from the failed enterprise with Nintendo, Sony initially branded the PlayStation the "PlayStation X" (PSX). Sony formed their European division and North American division, known as Sony Computer Entertainment Europe (SCEE) and Sony Computer Entertainment America (SCEA), in January and May 1995. The divisions planned to market the new console under the alternative branding "PSX" following the negative feedback regarding "PlayStation" in focus group studies. Early advertising prior to the console's launch in North America referenced PSX, but the term was scrapped before launch. The console was not marketed with Sony's name in contrast to Nintendo's consoles. According to Phil Harrison, much of Sony's upper management feared that the Sony brand would be tarnished if associated with the console, which they considered a "toy". Since Sony had no experience in game development, it had to rely on the support of third-party game developers. This was in contrast to Sega and Nintendo, which had versatile and well-equipped in-house software divisions for their arcade games and could easily port successful games to their home consoles. Recent consoles like the Atari Jaguar and 3DO suffered low sales due to a lack of developer support, prompting Sony to redouble their efforts in gaining the endorsement of arcade-savvy developers. A team from Epic Sony visited more than a hundred companies throughout Japan in May 1993 in hopes of attracting game creators with the PlayStation's technological appeal. Sony found that many disliked Nintendo's practices, such as favouring their own games over others. Through a series of negotiations, Sony acquired initial support from Namco, Konami, and Williams Entertainment, as well as 250 other development teams in Japan alone. Namco in particular was interested in developing for PlayStation since Namco rivalled Sega in the arcade market. Attaining these companies secured influential games such as Ridge Racer (1993) and Mortal Kombat 3 (1995), Ridge Racer being one of the most popular arcade games at the time, and it was already confirmed behind closed doors that it would be the PlayStation's first game by December 1993, despite Namco being a longstanding Nintendo developer. Namco's research managing director Shegeichi Nakamura met with Kutaragi in 1993 to discuss the preliminary PlayStation specifications, with Namco subsequently basing the Namco System 11 arcade board on PlayStation hardware and developing Tekken to compete with Virtua Fighter. The System 11 launched in arcades several months before the PlayStation's release, with the arcade release of Tekken in September 1994. Despite securing the support of various Japanese studios, Sony had no developers of their own by the time the PlayStation was in development. This changed in 1993 when Sony acquired the Liverpudlian company Psygnosis (later renamed SCE Liverpool) for US$48 million, securing their first in-house development team. The acquisition meant that Sony could have more launch games ready for the PlayStation's release in Europe and North America. Ian Hetherington, Psygnosis' co-founder, was disappointed after receiving early builds of the PlayStation and recalled that the console "was not fit for purpose" until his team got involved with it. Hetherington frequently clashed with Sony executives over broader ideas; at one point it was suggested that a television with a built-in PlayStation be produced. In the months leading up to the PlayStation's launch, Psygnosis had around 500 full-time staff working on games and assisting with software development. The purchase of Psygnosis marked another turning point for the PlayStation as it played a vital role in creating the console's development kits. While Sony had provided MIPS R4000-based Sony NEWS workstations for PlayStation development, Psygnosis employees disliked the thought of developing on these expensive workstations and asked Bristol-based SN Systems to create an alternative PC-based development system. Andy Beveridge and Martin Day, owners of SN Systems, had previously supplied development hardware for other consoles such as the Mega Drive, Atari ST, and the SNES. When Psygnosis arranged an audience for SN Systems with Sony's Japanese executives at the January 1994 CES in Las Vegas, Beveridge and Day presented their prototype of the condensed development kit, which could run on an ordinary personal computer with two extension boards. Impressed, Sony decided to abandon their plans for a workstation-based development system in favour of SN Systems's, thus securing a cheaper and more efficient method for designing software. An order of over 600 systems followed, and SN Systems supplied Sony with additional software such as an assembler, linker, and a debugger. SN Systems produced development kits for future PlayStation systems, including the PlayStation 2 and was bought out by Sony in 2005. Sony strived to make game production as streamlined and inclusive as possible, in contrast to the relatively isolated approach of Sega and Nintendo. Phil Harrison, representative director of SCEE, believed that Sony's emphasis on developer assistance reduced most time-consuming aspects of development. As well as providing programming libraries, SCE headquarters in London, California, and Tokyo housed technical support teams that could work closely with third-party developers if needed. Sony did not favour their own over non-Sony products, unlike Nintendo; Peter Molyneux of Bullfrog Productions admired Sony's open-handed approach to software developers and lauded their decision to use PCs as a development platform, remarking that "[it was] like being released from jail in terms of the freedom you have". Another strategy that helped attract software developers was the PlayStation's use of the CD-ROM format instead of traditional cartridges. Nintendo cartridges were expensive to manufacture, and the company controlled all production, prioritising their own games, while inexpensive compact disc manufacturing occurred at dozens of locations around the world. The PlayStation's architecture and interconnectability with PCs was beneficial to many software developers. The use of the programming language C proved useful, as it safeguarded future compatibility of the machine should developers decide to make further hardware revisions. Despite the inherent flexibility, some developers found themselves restricted due to the console's lack of RAM. While working on beta builds of the PlayStation, Molyneux observed that its MIPS processor was not "quite as bullish" compared to that of a fast PC and said that it took his team two weeks to port their PC code to the PlayStation development kits and another fortnight to achieve a four-fold speed increase. An engineer from Ocean Software, one of Europe's largest game developers at the time, thought that allocating RAM was a challenging aspect given the 3.5 megabyte restriction. Kutaragi said that while it would have been easy to double the amount of RAM for the PlayStation, the development team refrained from doing so to keep the retail cost down. Kutaragi saw the biggest challenge in developing the system to be balancing the conflicting goals of high performance, low cost, and being easy to program for, and felt he and his team were successful in this regard. Its technical specifications were finalised in 1993 and its design during 1994. The PlayStation name and its final design were confirmed during a press conference on May 10, 1994, although the price and release dates had not been disclosed yet. Sony released the PlayStation in Japan on 3 December 1994, a week after the release of the Sega Saturn, at a price of ¥39,800. Sales in Japan began with a "stunning" success with long queues in shops. Ohga later recalled that he realised how important PlayStation had become for Sony when friends and relatives begged for consoles for their children. PlayStation sold 100,000 units on the first day and two million units within six months, although the Saturn outsold the PlayStation in the first few weeks due to the success of Virtua Fighter. By the end of 1994, 300,000 PlayStation units were sold in Japan compared to 500,000 Saturn units. A grey market emerged for PlayStations shipped from Japan to North America and Europe, with buyers of such consoles paying up to £700. "When September 1995 arrived and Sony's Playstation roared out of the gate, things immediately felt different than [sic] they did with the Saturn launch earlier that year. Sega dropped the Saturn $100 to match the Playstation's $299 debut price, but sales weren't even close—Playstations flew out the door as fast as we could get them in stock. Before the release in North America, Sega and Sony presented their consoles at the first Electronic Entertainment Expo (E3) in Los Angeles on 11 May 1995. At their keynote presentation, Sega of America CEO Tom Kalinske revealed that their Saturn console would be released immediately to select retailers at a price of $399. Next came Sony's turn: Olaf Olafsson, the head of SCEA, summoned Steve Race, the head of development, to the conference stage, who said "$299" and left the audience with a round of applause. The attention to the Sony conference was further bolstered by the surprise appearance of Michael Jackson and the showcase of highly anticipated games, including Wipeout (1995), Ridge Racer and Tekken (1994). In addition, Sony announced that no games would be bundled with the console. Although the Saturn had released early in the United States to gain an advantage over the PlayStation, the surprise launch upset many retailers who were not informed in time, harming sales. Some retailers such as KB Toys responded by dropping the Saturn entirely. The PlayStation went on sale in North America on 9 September 1995. It sold more units within two days than the Saturn had in five months, with almost all of the initial shipment of 100,000 units sold in advance and shops across the country running out of consoles and accessories. The well-received Ridge Racer contributed to the PlayStation's early success, — with some critics considering it superior to Sega's arcade counterpart Daytona USA (1994) — as did Battle Arena Toshinden (1995). There were over 100,000 pre-orders placed and 17 games available on the market by the time of the PlayStation's American launch, in comparison to the Saturn's six launch games. The PlayStation released in Europe on 29 September 1995 and in Australia on 15 November 1995. By November it had already outsold the Saturn by three to one in the United Kingdom, where Sony had allocated a £20 million marketing budget during the Christmas season compared to Sega's £4 million. Sony found early success in the United Kingdom by securing listings with independent shop owners as well as prominent High Street chains such as Comet and Argos. Within its first year, the PlayStation secured over 20% of the entire American video game market. From September to the end of 1995, sales in the United States amounted to 800,000 units, giving the PlayStation a commanding lead over the other fifth-generation consoles,[b] though the SNES and Mega Drive from the fourth generation still outsold it. Sony reported that the attach rate of sold games and consoles was four to one. To meet increasing demand, Sony chartered jumbo jets and ramped up production in Europe and North America. By early 1996, the PlayStation had grossed $2 billion (equivalent to $4.106 billion 2025) from worldwide hardware and software sales. By late 1996, sales in Europe totalled 2.2 million units, including 700,000 in the UK. Approximately 400 PlayStation games were in development, compared to around 200 games being developed for the Saturn and 60 for the Nintendo 64. In India, the PlayStation was launched in test market during 1999–2000 across Sony showrooms, selling 100 units. Sony finally launched the console (PS One model) countrywide on 24 January 2002 with the price of Rs 7,990 and 26 games available from start. PlayStation was also doing well in markets where it was never officially released. For example, in Brazil, due to the registration of the trademark by a third company, the console could not be released, which was why the market was taken over by the officially distributed Sega Saturn during the first period, but as the Sega console withdraws, PlayStation imports and large piracy increased. In another market, China, the most popular 32-bit console was Sega Saturn, but after leaving the market, PlayStation grown with a base of 300,000 users until January 2000, although Sony China did not have plans to release it. The PlayStation was backed by a successful marketing campaign, allowing Sony to gain an early foothold in Europe and North America. Initially, PlayStation demographics were skewed towards adults, but the audience broadened after the first price drop. While the Saturn was positioned towards 18- to 34-year-olds, the PlayStation was initially marketed exclusively towards teenagers. Executives from both Sony and Sega reasoned that because younger players typically looked up to older, more experienced players, advertising targeted at teens and adults would draw them in too. Additionally, Sony found that adults reacted best to advertising aimed at teenagers; Lee Clow surmised that people who started to grow into adulthood regressed and became "17 again" when they played video games. The console was marketed with advertising slogans stylised as "LIVE IN YUR WRLD. PLY IN URS" (Live in Your World. Play in Ours.) and "U R NOT E" (red E). The four geometric shapes were derived from the symbols for the four buttons on the controller. Clow thought that by invoking such provocative statements, gamers would respond to the contrary and say "'Bullshit. Let me show you how ready I am.'" As the console's appeal enlarged, Sony's marketing efforts broadened from their earlier focus on mature players to specifically target younger children as well. Shortly after the PlayStation's release in Europe, Sony tasked marketing manager Geoff Glendenning with assessing the desires of a new target audience. Sceptical over Nintendo and Sega's reliance on television campaigns, Glendenning theorised that young adults transitioning from fourth-generation consoles would feel neglected by marketing directed at children and teenagers. Recognising the influence early 1990s underground clubbing and rave culture had on young people, especially in the United Kingdom, Glendenning felt that the culture had become mainstream enough to help cultivate PlayStation's emerging identity. Sony partnered with prominent nightclub owners such as Ministry of Sound and festival promoters to organise dedicated PlayStation areas where demonstrations of select games could be tested. Sheffield-based graphic design studio The Designers Republic was contracted by Sony to produce promotional materials aimed at a fashionable, club-going audience. Psygnosis' Wipeout in particular became associated with nightclub culture as it was widely featured in venues. By 1997, there were 52 nightclubs in the United Kingdom with dedicated PlayStation rooms. Glendenning recalled that he had discreetly used at least £100,000 a year in slush fund money to invest in impromptu marketing. In 1996, Sony expanded their CD production facilities in the United States due to the high demand for PlayStation games, increasing their monthly output from 4 million discs to 6.5 million discs. This was necessary because PlayStation sales were running at twice the rate of Saturn sales, and its lead dramatically increased when both consoles dropped in price to $199 that year. The PlayStation also outsold the Saturn at a similar ratio in Europe during 1996, with 2.2 million consoles sold in the region by the end of the year. Sales figures for PlayStation hardware and software only increased following the launch of the Nintendo 64. Tokunaka speculated that the Nintendo 64 launch had actually helped PlayStation sales by raising public awareness of the gaming market through Nintendo's added marketing efforts. Despite this, the PlayStation took longer to achieve dominance in Japan. Tokunaka said that, even after the PlayStation and Saturn had been on the market for nearly two years, the competition between them was still "very close", and neither console had led in sales for any meaningful length of time. By 1998, Sega, encouraged by their declining market share and significant financial losses, launched the Dreamcast as a last-ditch attempt to stay in the industry. Although its launch was successful, the technically superior 128-bit console was unable to subdue Sony's dominance in the industry. Sony still held 60% of the overall video game market share in North America at the end of 1999. Sega's initial confidence in their new console was undermined when Japanese sales were lower than expected, with disgruntled Japanese consumers reportedly returning their Dreamcasts in exchange for PlayStation software. On 2 March 1999, Sony officially revealed details of the PlayStation 2, which Kutaragi announced would feature a graphics processor designed to push more raw polygons than any console in history, effectively rivalling most supercomputers. The PlayStation continued to sell strongly at the turn of the new millennium: in June 2000, Sony released the PSOne, a smaller, redesigned variant which went on to outsell all other consoles in that year, including the PlayStation 2. In 2005, PlayStation became the first console to ship 100 million units with the PlayStation 2 later achieving this faster than its predecessor. The combined successes of both PlayStation consoles led to Sega retiring the Dreamcast in 2001, and abandoning the console business entirely. The PlayStation was eventually discontinued on 23 March 2006—over eleven years after its release, and less than a year before the debut of the PlayStation 3. Hardware The main microprocessor is a R3000 CPU made by LSI Logic operating at a clock rate of 33.8688 MHz and 30 MIPS. This 32-bit CPU relies heavily on the "cop2" 3D and matrix math coprocessor on the same die to provide the necessary speed to render complex 3D graphics. The role of the separate GPU chip is to draw 2D polygons and apply shading and textures to them: the rasterisation stage of the graphics pipeline. Sony's custom 16-bit sound chip supports ADPCM sources with up to 24 sound channels and offers a sampling rate of up to 44.1 kHz and music sequencing. It features 2 MB of main RAM, with an additional 1 MB of video RAM. The PlayStation has a maximum colour depth of 16.7 million true colours with 32 levels of transparency and unlimited colour look-up tables. The PlayStation can output composite, S-Video or RGB video signals through its AV Multi connector (with older models also having RCA connectors for composite), displaying resolutions from 256×224 to 640×480 pixels. Different games can use different resolutions. Earlier models also had proprietary parallel and serial ports that could be used to connect accessories or multiple consoles together; these were later removed due to a lack of usage. The PlayStation uses a proprietary video compression unit, MDEC, which is integrated into the CPU and allows for the presentation of full motion video at a higher quality than other consoles of its generation. Unusual for the time, the PlayStation lacks a dedicated 2D graphics processor; 2D elements are instead calculated as polygons by the Geometry Transfer Engine (GTE) so that they can be processed and displayed on screen by the GPU. While running, the GPU can also generate a total of 4,000 sprites and 180,000 polygons per second, in addition to 360,000 per second flat-shaded. The PlayStation went through a number of variants during its production run. Externally, the most notable change was the gradual reduction in the number of external connectors from the rear of the unit. This started with the original Japanese launch units; the SCPH-1000, released on 3 December 1994, was the only model that had an S-Video port, as it was removed from the next model. Subsequent models saw a reduction in number of parallel ports, with the final version only retaining one serial port. Sony marketed a development kit for amateur developers known as the Net Yaroze (meaning "Let's do it together" in Japanese). It was launched in June 1996 in Japan, and following public interest, was released the next year in other countries. The Net Yaroze allowed hobbyists to create their own games and upload them via an online forum run by Sony. The console was only available to buy through an ordering service and with the necessary documentation and software to program PlayStation games and applications through C programming compilers. On 7 July 2000, Sony released the PS One (stylised as "PS one" or "PSone"), a smaller, redesigned version of the original PlayStation. It was the highest-selling console through the end of the year, outselling all other consoles—including the PlayStation 2. In 2002, Sony released a 5-inch (130 mm) LCD screen add-on for the PS One, referred to as the "Combo pack". It also included a car cigarette lighter adaptor adding an extra layer of portability. Production of the LCD "Combo Pack" ceased in 2004, when the popularity of the PlayStation began to wane in markets outside Japan. A total of 28.15 million PS One units had been sold by the time it was discontinued in March 2006. Three iterations of the PlayStation's controller were released over the console's lifespan. The first controller, the PlayStation controller, was released alongside the PlayStation in December 1994. It features four individual directional buttons (as opposed to a conventional D-pad), a pair of shoulder buttons on both sides, Start and Select buttons in the centre, and four face buttons consisting of simple geometric shapes: a green triangle, red circle, blue cross, and a pink square (, , , ). Rather than depicting traditionally used letters or numbers onto its buttons, the PlayStation controller established a trademark which would be incorporated heavily into the PlayStation brand. Teiyu Goto, the designer of the original PlayStation controller, said that the circle and cross represent "yes" and "no", respectively (though this layout is reversed in Western versions); the triangle symbolises a point of view and the square is equated to a sheet of paper to be used to access menus. The European and North American models of the original PlayStation controllers are roughly 10% larger than its Japanese variant, to account for the fact the average person in those regions has larger hands than the average Japanese person. Sony's first analogue gamepad, the PlayStation Analog Joystick (often erroneously referred to as the "Sony Flightstick"), was first released in Japan in April 1996. Featuring two parallel joysticks, it uses potentiometer technology previously used on consoles such as the Vectrex; instead of relying on binary eight-way switches, the controller detects minute angular changes through the entire range of motion. The stick also features a thumb-operated digital hat switch on the right joystick, corresponding to the traditional D-pad, and used for instances when simple digital movements were necessary. The Analog Joystick sold poorly in Japan due to its high cost and cumbersome size. The increasing popularity of 3D games prompted Sony to add analogue sticks to its controller design to give users more freedom over their movements in virtual 3D environments. The first official analogue controller, the Dual Analog Controller, was revealed to the public in a small glass booth at the 1996 PlayStation Expo in Japan, and released in April 1997 to coincide with the Japanese releases of analogue-capable games Tobal 2 and Bushido Blade. In addition to the two analogue sticks (which also introduced two new buttons mapped to clicking in the analogue sticks), the Dual Analog controller features an "Analog" button and LED beneath the "Start" and "Select" buttons which toggles analogue functionality on or off. The controller also features rumble support, though Sony decided that haptic feedback would be removed from all overseas iterations before the United States release. A Sony spokesman stated that the feature was removed for "manufacturing reasons", although rumours circulated that Nintendo had attempted to legally block the release of the controller outside Japan due to similarities with the Nintendo 64 controller's Rumble Pak. However, a Nintendo spokesman denied that Nintendo took legal action. Next Generation's Chris Charla theorised that Sony dropped vibration feedback to keep the price of the controller down. In November 1997, Sony introduced the DualShock controller. Its name derives from its use of two (dual) vibration motors (shock). Unlike its predecessor, its analogue sticks feature textured rubber grips, longer handles, slightly different shoulder buttons and has rumble feedback included as standard on all versions. The DualShock later replaced its predecessors as the default controller. Sony released a series of peripherals to add extra layers of functionality to the PlayStation. Such peripherals include memory cards, the PlayStation Mouse, the PlayStation Link Cable, the Multiplayer Adapter (a four-player multitap), the Memory Drive (a disk drive for 3.5-inch floppy disks), the GunCon (a light gun), and the Glasstron (a monoscopic head-mounted display). Released exclusively in Japan, the PocketStation is a memory card peripheral which acts as a miniature personal digital assistant. The device features a monochrome liquid crystal display (LCD), infrared communication capability, a real-time clock, built-in flash memory, and sound capability. Sharing similarities with the Dreamcast's VMU peripheral, the PocketStation was typically distributed with certain PlayStation games, enhancing them with added features. The PocketStation proved popular in Japan, selling over five million units. Sony planned to release the peripheral outside Japan but the release was cancelled, despite receiving promotion in Europe and North America. In addition to playing games, most PlayStation models are equipped to play CD-Audio. The Asian model SCPH-5903 can also play Video CDs. Like most CD players, the PlayStation can play songs in a programmed order, shuffle the playback order of the disc and repeat one song or the entire disc. Later PlayStation models use a music visualisation function called SoundScope. This function, as well as a memory card manager, is accessed by starting the console without either inserting a game or closing the CD tray, thereby accessing a graphical user interface (GUI) for the PlayStation BIOS. The GUI for the PS One and PlayStation differ depending on the firmware version: the original PlayStation GUI had a dark blue background with rainbow graffiti used as buttons, while the early PAL PlayStation and PS One GUI had a grey blocked background with two icons in the middle. PlayStation emulation is versatile and can be run on numerous modern devices. Bleem! was a commercial emulator which was released for IBM-compatible PCs and the Dreamcast in 1999. It was notable for being aggressively marketed during the PlayStation's lifetime, and was the centre of multiple controversial lawsuits filed by Sony. Bleem! was programmed in assembly language, which allowed it to emulate PlayStation games with improved visual fidelity, enhanced resolutions, and filtered textures that was not possible on original hardware. Sony sued Bleem! two days after its release, citing copyright infringement and accusing the company of engaging in unfair competition and patent infringement by allowing use of PlayStation BIOSs on a Sega console. Bleem! were subsequently forced to shut down in November 2001. Sony was aware that using CDs for game distribution could have left games vulnerable to piracy, due to the growing popularity of CD-R and optical disc drives with burning capability. To preclude illegal copying, a proprietary process for PlayStation disc manufacturing was developed that, in conjunction with an augmented optical drive in Tiger H/E assembly, prevented burned copies of games from booting on an unmodified console. Specifically, all genuine PlayStation discs were printed with a small section of deliberate irregular data, which the PlayStation's optical pick-up was capable of detecting and decoding. Consoles would not boot game discs without a specific wobble frequency contained in the data of the disc pregap sector (the same system was also used to encode discs' regional lockouts). This signal was within Red Book CD tolerances, so PlayStation discs' actual content could still be read by a conventional disc drive; however, the disc drive could not detect the wobble frequency (therefore duplicating the discs omitting it), since the laser pick-up system of any optical disc drive would interpret this wobble as an oscillation of the disc surface and compensate for it in the reading process. Early PlayStations, particularly early 1000 models, experience skipping full-motion video or physical "ticking" noises from the unit. The problems stem from poorly placed vents leading to overheating in some environments, causing the plastic mouldings inside the console to warp slightly and create knock-on effects with the laser assembly. The solution is to sit the console on a surface which dissipates heat efficiently in a well vented area or raise the unit up slightly from its resting surface. Sony representatives also recommended unplugging the PlayStation when it is not in use, as the system draws in a small amount of power (and therefore heat) even when turned off. The first batch of PlayStations use a KSM-440AAM laser unit, whose case and movable parts are all built out of plastic. Over time, the plastic lens sled rail wears out—usually unevenly—due to friction. The placement of the laser unit close to the power supply accelerates wear, due to the additional heat, which makes the plastic more vulnerable to friction. Eventually, one side of the lens sled will become so worn that the laser can tilt, no longer pointing directly at the CD; after this, games will no longer load due to data read errors. Sony fixed the problem by making the sled out of die-cast metal and placing the laser unit further away from the power supply on later PlayStation models. Due to an engineering oversight, the PlayStation does not produce a proper signal on several older models of televisions, causing the display to flicker or bounce around the screen. Sony decided not to change the console design, since only a small percentage of PlayStation owners used such televisions, and instead gave consumers the option of sending their PlayStation unit to a Sony service centre to have an official modchip installed, allowing play on older televisions. Game library The PlayStation featured a diverse game library which grew to appeal to all types of players. Critically acclaimed PlayStation games included Final Fantasy VII (1997), Crash Bandicoot (1996), Spyro the Dragon (1998), Metal Gear Solid (1998), all of which became established franchises. Final Fantasy VII is credited with allowing role-playing games to gain mass-market appeal outside Japan, and is considered one of the most influential and greatest video games ever made. The PlayStation's bestselling game is Gran Turismo (1997), which sold 10.85 million units. After the PlayStation's discontinuation in 2006, the cumulative software shipment was 962 million units. Following its 1994 launch in Japan, early games included Ridge Racer, Crime Crackers, King's Field, Motor Toon Grand Prix, Toh Shin Den (i.e. Battle Arena Toshinden), and Kileak: The Blood. The first two games available at its later North American launch were Jumping Flash! (1995) and Ridge Racer, with Jumping Flash! heralded as an ancestor for 3D graphics in console gaming. Wipeout, Air Combat, Twisted Metal, Warhawk and Destruction Derby were among the popular first-year games, and the first to be reissued as part of Sony's Greatest Hits or Platinum range. At the time of the PlayStation's first Christmas season, Psygnosis had produced around 70% of its launch catalogue; their breakthrough racing game Wipeout was acclaimed for its techno soundtrack and helped raise awareness of Britain's underground music community. Eidos Interactive's action-adventure game Tomb Raider contributed substantially to the success of the console in 1996, with its main protagonist Lara Croft becoming an early gaming icon and garnering unprecedented media promotion. Licensed tie-in video games of popular films were also prevalent; Argonaut Games' 2001 adaptation of Harry Potter and the Philosopher's Stone went on to sell over eight million copies late in the console's lifespan. Third-party developers committed largely to the console's wide-ranging game catalogue even after the launch of the PlayStation 2; some of the notable exclusives in this era include Harry Potter and the Philosopher's Stone, Fear Effect 2: Retro Helix, Syphon Filter 3, C-12: Final Resistance, Dance Dance Revolution Konamix and Digimon World 3.[c] Sony assisted with game reprints as late as 2008 with Metal Gear Solid: The Essential Collection, this being the last PlayStation game officially released and licensed by Sony. Initially, in the United States, PlayStation games were packaged in long cardboard boxes, similar to non-Japanese 3DO and Saturn games. Sony later switched to the jewel case format typically used for audio CDs and Japanese video games, as this format took up less retailer shelf space (which was at a premium due to the large number of PlayStation games being released), and focus testing showed that most consumers preferred this format. Reception The PlayStation was mostly well received upon release. Critics in the west generally welcomed the new console; the staff of Next Generation reviewed the PlayStation a few weeks after its North American launch, where they commented that, while the CPU is "fairly average", the supplementary custom hardware, such as the GPU and sound processor, is stunningly powerful. They praised the PlayStation's focus on 3D, and complemented the comfort of its controller and the convenience of its memory cards. Giving the system 41⁄2 out of 5 stars, they concluded, "To succeed in this extremely cut-throat market, you need a combination of great hardware, great games, and great marketing. Whether by skill, luck, or just deep pockets, Sony has scored three out of three in the first salvo of this war." Albert Kim from Entertainment Weekly praised the PlayStation as a technological marvel, rivalling that of Sega and Nintendo. Famicom Tsūshin scored the console a 19 out of 40, lower than the Saturn's 24 out of 40, in May 1995. In a 1997 year-end review, a team of five Electronic Gaming Monthly editors gave the PlayStation scores of 9.5, 8.5, 9.0, 9.0, and 9.5—for all five editors, the highest score they gave to any of the five consoles reviewed in the issue. They lauded the breadth and quality of the games library, saying it had vastly improved over previous years due to developers mastering the system's capabilities in addition to Sony revising their stance on 2D and role playing games. They also complimented the low price point of the games compared to the Nintendo 64's, and noted that it was the only console on the market that could be relied upon to deliver a solid stream of games for the coming year, primarily due to third party developers almost unanimously favouring it over its competitors. Legacy SCE was an upstart in the video game industry in late 1994, as the video game market in the early 1990s was dominated by Nintendo and Sega. Nintendo had been the clear leader in the industry since the introduction of the Nintendo Entertainment System in 1985 and the Nintendo 64 was initially expected to maintain this position. The PlayStation's target audience included the generation which was the first to grow up with mainstream video games, along with 18- to 29-year-olds who were not the primary focus of Nintendo. By the late 1990s, Sony became a highly regarded console brand due to the PlayStation, with a significant lead over second-place Nintendo, while Sega was relegated to a distant third. The PlayStation became the first "computer entertainment platform" to ship over 100 million units worldwide, with many critics attributing the console's success to third-party developers. It remains the sixth best-selling console of all time as of 2025[update], with a total of 102.49 million units sold. Around 7,900 individual games were published for the console during its 11-year life span, the second-most games ever produced for a console. Its success resulted in a significant financial boon for Sony as profits from their video game division contributed to 23%. Sony's next-generation PlayStation 2, which is backward compatible with the PlayStation's DualShock controller and games, was announced in 1999 and launched in 2000. The PlayStation's lead in installed base and developer support paved the way for the success of its successor, which overcame the earlier launch of the Sega's Dreamcast and then fended off competition from Microsoft's newcomer Xbox and Nintendo's GameCube. The PlayStation 2's immense success and failure of the Dreamcast were among the main factors which led to Sega abandoning the console market. To date, five PlayStation home consoles have been released, which have continued the same numbering scheme, as well as two portable systems. The PlayStation 3 also maintained backward compatibility with original PlayStation discs. Hundreds of PlayStation games have been digitally re-released on the PlayStation Portable, PlayStation 3, PlayStation Vita, PlayStation 4, and PlayStation 5. The PlayStation has often ranked among the best video game consoles. In 2018, Retro Gamer named it the third best console, crediting its sophisticated 3D capabilities as one of its key factors in gaining mass success, and lauding it as a "game-changer in every sense possible". In 2009, IGN ranked the PlayStation the seventh best console in their list, noting its appeal towards older audiences to be a crucial factor in propelling the video game industry, as well as its assistance in transitioning game industry to use the CD-ROM format. Keith Stuart from The Guardian likewise named it as the seventh best console in 2020, declaring that its success was so profound it "ruled the 1990s". In January 2025, Lorentio Brodesco announced the nsOne project, attempting to reverse engineer PlayStation's motherboard. Brodesco stated that "detailed documentation on the original motherboard was either incomplete or entirely unavailable". The project was successfully crowdfunded via Kickstarter. In June, Brodesco manufactured the first working motherboard, promising to bring a fully rooted version with multilayer routing as well as documentation and design files in the near future. The success of the PlayStation contributed to the demise of cartridge-based home consoles. While not the first system to use an optical disc format, it was the first highly successful one, and ended up going head-to-head with the proprietary cartridge-relying Nintendo 64,[d] which the industry had expected to use CDs like PlayStation. After the demise of the Sega Saturn, Nintendo was left as Sony's main competitor in Western markets. Nintendo chose not to use CDs for the Nintendo 64; they were likely concerned with the proprietary cartridge format's ability to help enforce copy protection, given their substantial reliance on licensing and exclusive games for their revenue. Besides their larger capacity, CD-ROMs could be produced in bulk quantities at a much faster rate than ROM cartridges, a week compared to two to three months. Further, the cost of production per unit was far cheaper, allowing Sony to offer games about 40% lower cost to the user compared to ROM cartridges while still making the same amount of net revenue. In Japan, Sony published fewer copies of a wide variety of games for the PlayStation as a risk-limiting step, a model that had been used by Sony Music for CD audio discs. The production flexibility of CD-ROMs meant that Sony could produce larger volumes of popular games to get onto the market quickly, something that could not be done with cartridges due to their manufacturing lead time. The lower production costs of CD-ROMs also allowed publishers an additional source of profit: budget-priced reissues of games which had already recouped their development costs. Tokunaka remarked in 1996: Choosing CD-ROM is one of the most important decisions that we made. As I'm sure you understand, PlayStation could just as easily have worked with masked ROM [cartridges]. The 3D engine and everything—the whole PlayStation format—is independent of the media. But for various reasons (including the economies for the consumer, the ease of the manufacturing, inventory control for the trade, and also the software publishers) we deduced that CD-ROM would be the best media for PlayStation. The increasing complexity of developing games pushed cartridges to their storage limits and gradually discouraged some third-party developers. Part of the CD format's appeal to publishers was that they could be produced at a significantly lower cost and offered more production flexibility to meet demand. As a result, some third-party developers switched to the PlayStation, including Square and Enix, whose Final Fantasy VII and Dragon Quest VII respectively had been planned for the Nintendo 64 (both companies later merged to form Square Enix). Other developers released fewer games for the Nintendo 64 (Konami, releasing only thirteen N64 games but over fifty on the PlayStation). Nintendo 64 game releases were less frequent than the PlayStation's, with many being developed by either Nintendo themselves or second-parties such as Rare. The PlayStation Classic is a dedicated video game console made by Sony Interactive Entertainment that emulates PlayStation games. It was announced in September 2018 at the Tokyo Game Show, and released on 3 December 2018, the 24th anniversary of the release of the original console. As a dedicated console, the PlayStation Classic features 20 pre-installed games; the games run off the open source emulator PCSX. The console is bundled with two replica wired PlayStation controllers (those without analogue sticks), an HDMI cable, and a USB-Type A cable. Internally, the console uses a MediaTek MT8167a Quad A35 system on a chip with four central processing cores clocked at @ 1.5 GHz and a Power VR GE8300 graphics processing unit. It includes 16 GB of eMMC flash storage and 1 Gigabyte of DDR3 SDRAM. The PlayStation Classic is 45% smaller than the original console. The PlayStation Classic received negative reviews from critics and was compared unfavorably to Nintendo's rival Nintendo Entertainment System Classic Edition and Super Nintendo Entertainment System Classic Edition. Criticism was directed at its meagre game library, user interface, emulation quality, use of PAL versions for certain games, use of the original controller, and high retail price, though the console's design received praise. The console sold poorly. See also Notes References
========================================
[SOURCE: https://en.wikipedia.org/wiki/Twenty-seventh_government_of_Israel] | [TOKENS: 348]
Contents Twenty-seventh government of Israel The twenty-seventh government of Israel was formed by Benjamin Netanyahu of Likud on 18 June 1996. Although his Likud-Gesher-Tzomet alliance won fewer seats than Labor, Netanyahu formed the government after winning the country's first ever direct election for Prime Minister, narrowly defeating incumbent Shimon Peres. This government was the first formed by an Israeli national born in the state after independence in 1948 (the seventeenth government of 1974–1977 was the first to be formed by a native-born Israeli, although Rabin was born in the territory prior to independence). Together with Likud-Gesher-Tzomet, Netanyahu also included Shas, the National Religious Party, Yisrael BaAliyah, United Torah Judaism and the Third Way in the government, with the coalition holding 66 of the 120 seats in the Knesset. The government was also supported, but not joined, by the two-seat Moledet faction. Gesher left the coalition on 6 January 1998, but the government remained in place until 6 July 1999, when Ehud Barak formed the twenty-eighth government after defeating Netanyahu in the 1999 election for Prime Minister. Cabinet members 1 Died in office. 2 Although Arens was not a Knesset member at the time, he had previously been an MK for Likud. 3 Although Suissa was not a Knesset member at the time, he was elected to the Knesset on the Shas list in 1999. 4 The name of the post was changed to Minister of National Infrastructure on 8 July 1996. References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Bonnie_Ross] | [TOKENS: 1664]
Contents Bonnie Ross Bonnie Ross is an American video game developer. She served as Corporate Vice President at Xbox Game Studios, and was the head of 343 Industries, the subsidiary studio that manages the Halo video game franchise. Ross studied technical writing and computer science in college, and worked at IBM before getting a job at Microsoft. She worked on a number of PC and Xbox games, becoming a general manager at Xbox Game Studios. In 2007, Ross helped found 343 Industries, building a studio that would work on a new Halo game after the departure of developer Bungie. 343 Industries' first game, Halo 4, released in 2012. Ross oversaw the Halo franchise, including merchandise and media adaptations. She has been honored for her work in game development and her efforts to push for more diversity in video games. Early life Growing up, Ross enjoyed science fiction, imagining what it would be like to create similar worlds herself. She played basketball, softball, tennis, and volleyball. Her first video game was a 1970s Mattel handheld basketball game. Ross credited her athletic background with introducing her to gaming, as well as teaching her to learn from setbacks and failure. Encouraged by her parents to pursue a more practical career than sports, Ross studied technology. Ross attended Colorado State University, initially majoring in engineering; she was one of the only women in her program. Desiring more creative freedom, Ross switched to a technical writing program in the journalism department during her 1987–88 school year. She interned at IBM for two years, and coached high school sports and wrote technical manuals in her spare time. Ross graduated in 1989, with a degree in Technical Communication and a concentration in Physics and Computer Science. Career After graduation, Ross applied to NeXT, Apple, and Microsoft; NeXT and Apple did not respond to Ross' resume, while Microsoft did.: 9:40–10:30 At Microsoft, she tired of the dry, technical writing her job required. Initially looking at taking a break from Microsoft for a year to work on something creative, she secured a position as a producer on a basketball game on the basis of her sports and technology background.: 12:50–14:20 The game, Microsoft Full Court Press, released in 1996. Ross described her early career as working on co-development and publishing projects. She worked on games such as Zoo Tycoon, Fuzion Frenzy, Jade Empire, Mass Effect, Psychonauts, Gears of War, Alan Wake, and Crackdown in roles such as lead or executive producer, and studio head. She credited the variety of games as encouraging her to stay at Microsoft rather than moving to another company. By 2005, Ross was a general manager for Microsoft Game Studios (now Xbox Game Studios). When Halo developer Bungie split from Microsoft in 2007, Microsoft created a new internal team to oversee the franchise. Ross recalled that her colleagues felt Halo was a waning property and looked at contracting an outside company to produce new games, but she argued differently.: 21:45–23:00 Ross had first become acquainted with the franchise through the tie-in novel Halo: The Fall of Reach. The deep backstory and universe in the novel appealed to her.: 26:15–27:05 Ross' pitch won over Microsoft Game Studios general manager Shane Kim, and she was put in charge of the new studio, 343 Industries. Beginning in late 2007, 343 Industries started with a staff of roughly a dozen people.: 28:22 Bungie staffer Frank O'Connor assisted in the transition, and expected Ross would be an executive with no knowledge of Halo or its appeal. Instead, Ross impressed O'Connor with her deep knowledge of the franchise, and O'Connor quit Bungie to join 343 Industries as franchise director. Ross' vision for Halo also impressed art director Kiki Wolfkill, who joined the team as a studio head. During the transition, Ross worked with the company Starlight Runner to interview Bungie staff and compile a centralized story bible for the universe. 343 Industries also worked with Bungie on their last Halo projects, Halo 3: ODST (2009) and Reach (2010).: 30:50 343 Industries has also collaborated with other studios to produce Halo games, such as Halo: Combat Evolved Anniversary, Halo: Spartan Assault, and Halo Wars 2. 343 Industries would ultimately hire from more than 55 different companies to work on their first major game, Halo 4. Midway through development, 343 changed the vision of the project significantly, leading to the departure of the game's creative director and Josh Holmes as a replacement. The developers created a vertical slice of gameplay that was very similar to a Bungie-style Halo game, and then used that to inform a different direction for the game. Halo 4 released in 2012 and grossed $220 million in first-day sales. In 2014, 343 Industries released Halo: The Master Chief Collection, a compilation of the four main Halo games for the Xbox One. On launch, the game suffered from severe issues, and Ross issued public apologies for the state of the product; she later called it the worst moment in her career. Ross later promised future 343 Industries games would have betas to avoid similar problems. Halo 5: Guardians released in 2015, and sales of the games and related merchandise topped $400 million in its first week. Lessons learned from the development of Halo 5 led to a longer development period for the next game, Halo Infinite, released in 2021. Ross also envisioned the Halo franchise growing with transmedia content such as books and television. Halo 4's release coincided with a tie-in episodic series, Halo 4: Forward Unto Dawn. Ross would later announce a live-action Halo television series at the Xbox One reveal in 2013. Ross announced her departure from 343 Industries on September 12, 2022. She became a board member at Duolingo in December 2024. Diversity efforts Noticing how few women attended gaming events like E3, Ross helped found a networking group that evolved into the Microsoft Women in Gaming community and a yearly event. She believes gaming can serve as a way to get young people interested in STEM careers by relating it to something they enjoy. Ross has worked to hire more female game developers so more women can find role models within the industry, and worked with the Ad Council's #SheCanSTEM campaign. Head of Xbox Phil Spencer said Ross' profile helped attract female talent to the company. Ross told 60 Minutes she believes more diverse teams result in more innovation and creative output. Ross argues that game developers have a "personal responsibility" to avoid gendered stereotyping in their games, as well as taking action against sexist abuse. She recalled that for every character in Halo 4, "we were very deliberate in thinking about who should be female and who should be male in the game, and if we came off stereotypical, we went back to question what we were doing and why." Ross has also focused on introducing more racial and gender diversity to the video games. Recognition Ross appeared as a speaker at the Grace Hopper Celebration of Women in Computing, held in Phoenix, Arizona, presenting on "Technology and How It Is Evolving Storytelling in Our Entertainment Experiences". She has also made appearances as a speaker at GeekWire 2013 and Microsoft's ThinkNext 2015 in Israel. Ross was also the lead speaker for Microsoft's presentation at the 2015 Electronic Entertainment Expo, as part of an industry push for larger roles for women. In 2014, Fortune listed Ross as one of "10 powerful women in video games", which noted that she was "responsible for defining the vision and leading the Halo franchise". The Academy of Interactive Arts and Sciences named Ross as their 2019 Inductee to their Hall of Fame at the 22nd Annual D.I.C.E. Awards held in February 2019. She was the second female inductee in this award since its establishment. References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Clean_URL#Slug] | [TOKENS: 954]
Contents Clean URL Clean URLs (also known as user-friendly URLs, pretty URLs, search-engine–friendly URLs or RESTful URLs) are web addresses or Uniform Resource Locators (URLs) intended to improve the usability and accessibility of a website, web application, or web service by being immediately and intuitively meaningful to non-expert users. Such URL schemes tend to reflect the conceptual structure of a collection of information and decouple the user interface from a server's internal representation of information. Other reasons for using clean URLs include search engine optimization (SEO), conforming to the representational state transfer (REST) style of software architecture, and ensuring that individual web resources remain consistently at the same URL. This makes the World Wide Web a more stable and useful system, and allows more durable and reliable bookmarking of web resources. Clean URLs also do not contain implementation details of the underlying web application. This carries the benefit of reducing the difficulty of changing the implementation of the resource at a later date. For example, many URLs include the filename of a server-side script, such as example.php, example.asp or cgi-bin. If the underlying implementation of a resource is changed, such URLs would need to change along with it. Likewise, when URLs are not "clean", if the site database is moved or restructured it has the potential to cause broken links, both internally and from external sites, the latter of which can lead to removal from search engine listings. The use of clean URLs presents a consistent location for resources to user agents regardless of internal structure. A further potential benefit to the use of clean URLs is that the concealment of internal server or application information can improve the security of a system. Structure A URL will often comprise a path, script name, and query string. The query string parameters dictate the content to show on the page, and frequently include information opaque or irrelevant to users—such as internal numeric identifiers for values in a database, illegibly encoded data, session IDs, implementation details, and so on. Clean URLs, by contrast, contain only the path of a resource, in a hierarchy that reflects some logical structure that users can easily interpret and manipulate. Implementation The implementation of clean URLs involves URL mapping via pattern matching or transparent rewriting techniques. As this usually takes place on the server side, the clean URL is often the only form seen by the user. For search engine optimization purposes, web developers often take this opportunity to include relevant keywords in the URL and remove irrelevant words. Common words that are removed include articles and conjunctions, while descriptive keywords are added to increase user-friendliness and improve search engine rankings. A fragment identifier can be included at the end of a clean URL for references within a page, and need not be user-readable. A URL slug is usually the end part of the URL, especifically the part "path/pathinfo", which can be interpreted as the name of the resource (similar to the basename in a filename or the title of a webpage). It is often described as the part of a URL that identifies a page in human-readable keywords, while others use a broader definition emphasizing that legible slugs are more user-friendly. The name slug is based on the usage by the news media to indicate a short name given to an article for internal use. Slugs are typically generated automatically from a page title but can also be entered or altered manually, so that while the page title remains designed for display and human readability, its slug may be optimized for brevity or for consumption by search engines, as well as providing recipients of a shared bare URL with a rough idea of the page's topic. Long page titles may also be truncated to keep the final URL to a reasonable length. Slugs may be entirely lowercase, with accented characters replaced by letters from the Latin script and whitespace characters replaced by a hyphen or an underscore to avoid being encoded. Punctuation marks are generally removed, and some also remove short, common words such as conjunctions. For example, the title This, That, and the Other! An Outré Collection could have a generated slug of this-that-other-outre-collection. Another benefit of URL slugs is the facilitated ability to find a desired page from a long list of URLs without page titles, such as a minimal list of opened tabs exported using a browser extension, and the ability to preview the approximate title of a target page in the browser if hyperlinked without title. If a tool to save web pages locally uses the string after the last slash as the default file name, like wget does, a slug makes the file name more descriptive. Websites that make use of slugs include Stack Exchange Network with question title after slash, and Instagram with ?taken-by=username URL parameter. See also References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Yitzhak_Levy] | [TOKENS: 750]
Contents Yitzhak Levy Yitzhak Levy (Hebrew: יצחק לוי; born 6 July 1947) is an Israeli Orthodox rabbi and politician who served as a member of the Knesset for the National Religious Party (NRP) and the Ahi faction of the National Union between 1988 and 2009. Between 1998 and 2002, he was NRP leader, and also held several ministerial portfolios. Biography Yitzhak Levy was born in Casablanca in Morocco in 1947, the son of Daniel-Yitzhak Levy, who later served as a member of the Knesset for the National Religious Party. The family immigrated to Israel in 1957. He studied at Yeshivat Kerem B'Yavneh and Yeshivat Hakotel. He served as an officer in the IDF, achieving the rank of major. He was a member of the Bnei Akiva Executive and World Secretariat, and Secretary-General of the National Religious Movement from 1986 to 1995. He was the Rabbi of the Bnei Akiva Talmudic College in Kfar Maimon, and was among the initiators of the establishment of the Jewish quarter in Jerusalem, and one of the founders of the Israeli settlement of Elon Moreh in the West Bank. Levy is married, with five children, and lives in Kfar Maimon. Political career He was elected to the Knesset in 1988 on the National Religious Party list. He was a member of the House Committee from 1988 to 1996, and the Labor and Social Welfare Committee from 1988 to 1992. He was also chairman the Ethics Committee and the children welfare lobby, as well as the Israel-Argentina Parliamentary Friendship League. Since 1988, he has been a member of the Committee on Constitution, Law, and Justice. In June 1996, he was appointed Minister of Transportation by Prime Minister Benjamin Netanyahu. In February 1998, after the death of Zevulun Hammer, he became the leader of the NRP, and served as Minister of Education until July 1999. He also served as Minister of Religious Affairs, a position he held in rotation. In July 1999, he was appointed Minister of Housing and Construction. Following his appointment, he resigned from the Knesset in order to allow the next person on the NRP list, Nahum Langental, to enter the Knesset. In July 2000, following the Camp David Summit, he resigned from the government. On November 2, 2000, his 28-year-old daughter, Ayelet Hashahar Levy, was killed by a Palestinian car bomb in Jerusalem. In April 2002, during Operation Defensive Shield, he resigned as leader of the NRP to make way for Effi Eitam, and was made Minister without Portfolio. From September 2002 until February 2003, he served as Minister of Tourism. In March 2003, he was appointed Deputy Minister in the Prime Minister's Office. However, in June 2004, he and Eitam resigned in protest against the disengagement plan. He and Eitam subsequently left the NRP, and founded a new religious-Zionist party, Ahi, which joined the National Union alliance. In December 2008, Levy announced that he was retiring from politics, stating that the decision was made due to the new Jewish Home party not holding traditional primary elections, but instead relying on an internet-based vote. References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Domestication_of_animals] | [TOKENS: 5928]
Contents Domestication of vertebrates The domestication of vertebrates is the mutual relationship between vertebrate animals, including birds and mammals, and the humans who influence their care and reproduction. Charles Darwin recognized a small number of traits that made domesticated species different from their wild ancestors. He was also the first to recognize the difference between conscious selective breeding (i.e. artificial selection) in which humans directly select for desirable traits, and unconscious selection where traits evolve as a by-product of natural selection or from selection of other traits. There is a genetic difference between domestic and wild populations. There is also a genetic difference between the domestication traits that researchers believe to have been essential at the early stages of domestication, and the improvement traits that have appeared since the split between wild and domestic populations. Domestication traits are generally fixed within all domesticates, and were selected during the initial episode of domestication of that animal or plant, whereas improvement traits are present only in a portion of domesticates, though they may be fixed in individual breeds or regional populations. Domestication should not be confused with taming. Taming is the conditioned behavioral modification of a wild-born animal when its natural avoidance of humans is reduced and it accepts the presence of humans, but domestication is the permanent genetic modification of a bred lineage that leads to an inherited predisposition toward humans. Certain animal species, and certain individuals within those species, make better candidates for domestication than others because they exhibit certain behavioral characteristics: (1) the size and organization of their social structure; (2) the availability and the degree of selectivity in their choice of mates; (3) the ease and speed with which the parents bond with their young, and the maturity and mobility of the young at birth; (4) the degree of flexibility in diet and habitat tolerance; and (5) responses to humans and new environments, including flight responses and reactivity to external stimuli.: Fig 1 It is proposed that there were three major pathways that most animal domesticates followed into domestication: (1) commensals, adapted to a human niche (e.g., dogs, cats, fowl, possibly pigs); (2) animals sought for food and other byproducts (e.g., sheep, goats, cattle, water buffalo, yak, pig, reindeer, llama, alpaca, and turkey); and (3) targeted animals for draft and nonfood resources (e.g., horse, donkey, camel). The dog was the first to be domesticated, and domestic dogs were established across Eurasia before the end of the Late Pleistocene era, well before the first cultivation and before the domestication of any other animals. Unlike other domestic species, which were primarily selected for production-related traits, dogs were initially selected for their behaviors. Archaeological and genetic data suggest that long-term bidirectional gene flow between wild and domestic stocks was common is some species, including donkeys, horses, New and Old World camelids, goats, sheep, and pigs. One study has concluded that human selection for domestic traits likely counteracted the homogenizing effect of gene flow from wild boars into pigs and created domestication islands in the genome. The same process may also apply to other domesticated animals. Some of the most commonly domesticated animals are cats and dogs. Definitions Domestication has been defined as "a sustained multi-generational, mutualistic relationship in which one organism assumes a significant degree of influence over the reproduction and care of another organism in order to secure a more predictable supply of a resource of interest, and through which the partner organism gains advantage over individuals that remain outside this relationship, thereby benefitting and often increasing the fitness of both the domesticator and the target domesticate." This definition recognizes both the biological and the cultural components of the domestication process and the effects on both humans and the domesticated animals and plants. All past definitions of domestication have included a relationship between humans with plants and animals, but their differences lay in who was considered as the lead partner in the relationship. This new definition recognizes a mutualistic relationship in which both partners gain benefits. Domestication has vastly enhanced the reproductive output of crop plants, livestock, and pets far beyond that of their wild progenitors. Domesticates have provided humans with resources that they could more predictably and securely control, move, and redistribute, which has been the advantage that had fueled a population explosion of the agro-pastoralists and their spread to all corners of the planet. Domestication syndrome is a term often used to describe the suite of phenotypic traits arising during domestication that distinguish crops from their wild ancestors. The term is also applied to animals and includes increased docility and tameness, coat color changes, reductions in tooth size, changes in craniofacial morphology, alterations in ear and tail form (e.g., floppy ears), more frequent and nonseasonal estrus cycles, alterations in adrenocorticotropic hormone levels, changed concentrations of several neurotransmitters, prolongations in juvenile behavior, and reductions in both total brain size and of particular brain regions. The set of traits used to define the animal domestication syndrome is inconsistent. Domestication should not be confused with taming. Taming is the conditioned behavioral modification of a wild-born animal when its natural avoidance of humans is reduced and it accepts the presence of humans, but domestication is the permanent genetic modification of a bred lineage that leads to an inherited predisposition toward humans. Human selection included tameness, but without a suitable evolutionary response then domestication was not achieved. Domestic animals need not be tame in the behavioral sense, such as the Spanish fighting bull. Wild animals can be tame, such as a hand-raised cheetah. A domestic animal's breeding is controlled by humans and its tameness and tolerance of humans is genetically determined. However, an animal merely bred in captivity is not necessarily domesticated. Tigers, gorillas, and polar bears breed readily in captivity but are not domesticated. Asian elephants are wild animals that with taming manifest outward signs of domestication, yet their breeding is not human controlled and thus they are not true domesticates. History, cause and timing The domestication of animals and plants was triggered by the climatic and environmental changes that occurred after the peak of the Last Glacial Maximum around 21,000 years ago and which continue to this present day. These changes made obtaining food difficult. The first domesticate was the domestic dog (Canis lupus familiaris) from a wolf ancestor (Canis lupus) at least 15,000 years ago. The Younger Dryas that occurred 12,900 years ago was a period of intense cold and aridity that put pressure on humans to intensify their foraging strategies. By the beginning of the Holocene from 11,700 years ago, favorable climatic conditions and increasing human populations led to small-scale animal and plant domestication, which allowed humans to augment the food that they were obtaining through hunter-gathering. The increased use of agriculture and continued domestication of species during the Neolithic transition marked the beginning of a rapid shift in the evolution, ecology, and demography of both humans and numerous species of animals and plants. Areas with increasing agriculture underwent urbanization, developing higher-density populations and expanded economies, and became centers of livestock and crop domestication. Such agricultural societies emerged across Eurasia, North Africa, and South and Central America. In the Fertile Crescent 10,000-11,000 years ago, zooarchaeology indicates that goats, pigs, sheep, and taurine cattle were the first livestock to be domesticated. Archaeologists working in Cyprus found an approximately 9500 year old burial ground containing an adult human with a feline skeleton. Two thousand years later, humped zebu cattle were domesticated in what is today Baluchistan in Pakistan. In East Asia 8,000 years ago, pigs were domesticated from wild boar that were genetically different from those found in the Fertile Crescent. The horse was domesticated on the Central Asian steppe 5,500 years ago. The chicken was domesticated in Southeast Asia 4,000 years ago. Universal features The biomass of wild vertebrates is declining relative to the biomass of domestic animals, with the calculated biomass of domestic cattle alone now being greater than that of all wild mammals combined. Because the evolution of domestic animals is ongoing, the process of domestication has a beginning but not an end. Various criteria have been established to provide a definition of domestic animals, but all decisions about exactly when an animal can be labelled "domesticated" in the zoological sense are arbitrary, although potentially useful. Domestication is a fluid and nonlinear process that may start, stop, reverse, or go down unexpected paths with no clear or universal threshold that separates the wild from the domestic. However, there are universal features held in common by all domesticated animals. Certain animal species, and certain individuals within those species, make better candidates for domestication than others because they exhibit certain behavioral characteristics: (1) the size and organization of their social structure; (2) the availability and the degree of selectivity in their choice of mates; (3) the ease and speed with which the parents bond with their young, and the maturity and mobility of the young at birth; (4) the degree of flexibility in diet and habitat tolerance; and (5) responses to humans and new environments, including flight responses and reactivity to external stimuli.: Fig 1 Reduced wariness to humans and low reactivity to both humans and other external stimuli are a key pre-adaptation for domestication, and these behaviors are also the primary target of the selective pressures experienced by the animal undergoing domestication. This implies that not all animals can be domesticated, e.g. a wild member of the horse family, the zebra. Jared Diamond in his book Guns, Germs, and Steel enquired as to why, among the world's 148 large wild terrestrial herbivorous mammals, only 14 were domesticated, and proposed that their wild ancestors must have possessed six characteristics before they could be considered for domestication:: p168-174 The sustained selection for lowered reactivity among mammal domesticates has resulted in profound changes in brain form and function. The larger the size of the brain to begin with and the greater its degree of folding, the greater the degree of brain-size reduction under domestication. Foxes that had been selectively bred for tameness over 40 years had experienced a significant reduction in cranial height and width and by inference in brain size, which supports the hypothesis that brain-size reduction is an early response to the selective pressure for tameness and lowered reactivity that is the universal feature of animal domestication. The most affected portion of the brain in domestic mammals is the limbic system, which in domestic dogs, pigs, and sheep show a 40% reduction in size compared with their wild species. This portion of the brain regulates endocrine function that influences behaviors such as aggression, wariness, and responses to environmentally induced stress, all attributes which are dramatically affected by domestication. A putative cause for the broad changes seen in domestication syndrome is pleiotropy. Pleiotropy occurs when one gene influences two or more seemingly unrelated phenotypic traits. Certain physiological changes characterize domestic animals of many species. These changes include extensive white markings (particularly on the head), floppy ears, and curly tails. These arise even when tameness is the only trait under selective pressure. The genes involved in tameness are largely unknown, so it is not known how or to what extent pleiotropy contributes to domestication syndrome. Tameness may be caused by the downregulation of fear and stress responses via reduction of the adrenal glands. Based on this, the pleiotropy hypotheses can be separated into two theories. The Neural Crest Hypothesis relates adrenal gland function to deficits in neural crest cells during development. The Single Genetic Regulatory Network Hypothesis claims that genetic changes in upstream regulators affect downstream systems. Neural crest cells (NCC) are vertebrate embryonic stem cells that function directly and indirectly during early embryogenesis to produce many tissue types. Because the traits commonly affected by domestication syndrome are all derived from NCC in development, the neural crest hypothesis suggests that deficits in these cells cause the domain of phenotypes seen in domestication syndrome. These deficits could cause changes we see to many domestic mammals, such as lopped ears (seen in rabbit, dog, fox, pig, sheep, goat, cattle, and donkeys) as well as curly tails (pigs, foxes, and dogs). Although they do not affect the development of the adrenal cortex directly, the neural crest cells may be involved in relevant upstream embryological interactions. Furthermore, artificial selection targeting tameness may affect genes that control the concentration or movement of NCCs in the embryo, leading to a variety of phenotypes. The single genetic regulatory network hypothesis proposes that domestication syndrome results from mutations in genes that regulate the expression pattern of more downstream genes. For example piebald, or spotted coat coloration, may be caused by a linkage in the biochemical pathways of melanins involved in coat coloration and neurotransmitters such as dopamine that help shape behavior and cognition. These linked traits may arise from mutations in a few key regulatory genes. A problem with this hypothesis is that it proposes that there are mutations in gene networks that cause dramatic effects that are not lethal, however no currently known genetic regulatory networks cause such dramatic change in so many different traits. Feral mammals such as dogs, cats, goats, donkeys, pigs, and ferrets that have lived apart from humans for generations show no sign of regaining the brain mass of their wild progenitors. Dingos have lived apart from humans for thousands of years but still have the same brain size as that of a domestic dog. Feral dogs that actively avoid human contact are still dependent on human waste for survival and have not reverted to the self-sustaining behaviors of their wolf ancestors. Categories Domestication can be considered the final phase of intensification in the relationship between animal or plant sub-populations and human societies, but it is divided into several grades of intensification. For studies in animal domestication, researchers have proposed five distinct categories: wild, captive wild, domestic, cross-breeds and feral. In 2015, a study compared the diversity of dental size, shape and allometry across the proposed domestication categories of modern pigs (genus Sus). The study showed clear differences between the dental phenotypes of wild, captive wild, domestic, and hybrid pig populations, which supported the proposed categories through physical evidence. The study did not cover feral pig populations but called for further research to be undertaken on them, and on the genetic differences with hybrid pigs. Pathways Since 2012, a multi-stage model of animal domestication has been accepted by two groups. The first group proposed that animal domestication proceeded along a continuum of stages from anthropophily, commensalism, control in the wild, control of captive animals, extensive breeding, intensive breeding, and finally to pets in a slow, gradually intensifying relationship between humans and animals. The second group proposed that there were three major pathways that most animal domesticates followed into domestication: (1) commensals, adapted to a human niche (e.g., dogs, cats, fowl, possibly pigs); (2) prey animals sought for food (e.g., sheep, goats, cattle, water buffalo, yak, pig, reindeer, llama and alpaca); and (3) targeted animals for draft and nonfood resources (e.g., horse, donkey, camel). The beginnings of animal domestication involved a protracted coevolutionary process with multiple stages along different pathways. Humans did not intend to domesticate animals from, or at least they did not envision a domesticated animal resulting from, either the commensal or prey pathways. In both of these cases, humans became entangled with these species as the relationship between them, and the human role in their survival and reproduction, intensified. Although the directed pathway proceeded from capture to taming, the other two pathways are not as goal-oriented and archaeological records suggest that they take place over much longer time frames. The pathways that animals may have followed are not mutually exclusive. Pigs, for example, may have been domesticated as their populations became accustomed to the human niche, which would suggest a commensal pathway, or they may have been hunted and followed a prey pathway, or both. The commensal pathway was traveled by vertebrates that fed on refuse around human habitats or by animals that preyed on other animals drawn to human camps. Those animals established a commensal relationship with humans in which the animals benefited but the humans received no harm but little benefit. Those animals that were most capable of taking advantage of the resources associated with human camps would have been the tamer, less aggressive individuals with shorter fight or flight distances. Later, these animals developed closer social or economic bonds with humans that led to a domestic relationship. The leap from a synanthropic population to a domestic one could only have taken place after the animals had progressed from anthropophily to habituation, to commensalism and partnership, when the relationship between animal and human would have laid the foundation for domestication, including captivity and human-controlled breeding. From this perspective, animal domestication is a coevolutionary process in which a population responds to selective pressure while adapting to a novel niche that included another species with evolving behaviors. Commensal pathway animals include dogs, cats, fowl, and possibly pigs. The domestication of animals commenced over 15,000 years before present (YBP), beginning with the grey wolf (Canis lupus) by nomadic hunter-gatherers. It was not until 11,000 YBP that people living in the Near East entered into relationships with wild populations of aurochs, boar, sheep, and goats. A domestication process then began to develop. The grey wolf most likely followed the commensal pathway to domestication. When, where, and how many times wolves may have been domesticated remains debated because only a small number of ancient specimens have been found, and both archaeology and genetics continue to provide conflicting evidence. The most widely accepted, earliest dog remains date back 15,000 YBP to the Bonn–Oberkassel dog. Earlier remains dating back to 30,000 YBP have been described as Paleolithic dogs, however their status as dogs or wolves remains debated. Recent studies indicate that a genetic divergence occurred between dogs and wolves 20,000–40,000 YBP, however this is the upper time-limit for domestication because it represents the time of divergence and not the time of domestication. The chicken is one of the most widespread domesticated species and one of the human world's largest sources of protein. Although the chicken was domesticated in South-East Asia, archaeological evidence suggests that it was not kept as a livestock species until 400 BCE in the Levant. Prior to this, chickens had been associated with humans for thousands of years and kept for cock-fighting, rituals, and royal zoos, so they were not originally a prey species. The chicken was not a popular food in Europe until only one thousand years ago. The prey pathway was the way in which most major livestock species entered into domestication as these were once hunted by humans for their meat. Domestication was likely initiated when humans began to experiment with hunting strategies designed to increase the availability of these prey, perhaps as a response to localized pressure on the supply of the animal. Over time and with the more responsive species, these game-management strategies developed into herd-management strategies that included the sustained multi-generational control over the animals' movement, feeding, and reproduction. As human interference in the life-cycles of prey animals intensified, the evolutionary pressures for a lack of aggression would have led to an acquisition of the same domestication syndrome traits found in the commensal domesticates. Prey pathway animals include sheep, goats, cattle, water buffalo, yak, pig, reindeer, llama and alpaca. The right conditions for the domestication for some of them appear to have been in place in the central and eastern Fertile Crescent at the end of the Younger Dryas climatic downturn and the beginning of the Early Holocene about 11,700 YBP, and by 10,000 YBP people were preferentially killing young males of a variety of species and allowed the females to live in order to produce more offspring. By measuring the size, sex ratios, and mortality profiles of zooarchaeological specimens, archeologists have been able to document changes in the management strategies of hunted sheep, goats, pigs, and cows in the Fertile Crescent starting 11,700 YBP. A recent demographic and metrical study of cow and pig remains at Sha'ar Hagolan, Israel, demonstrated that both species were severely overhunted before domestication, suggesting that the intensive exploitation led to management strategies adopted throughout the region that ultimately led to the domestication of these populations following the prey pathway. This pattern of overhunting before domestication suggests that the prey pathway was as accidental and unintentional as the commensal pathway. The directed pathway was a more deliberate and directed process initiated by humans with the goal of domesticating a free-living animal. It probably only came into being once people were familiar with either commensal or prey-pathway domesticated animals. These animals were likely not to possess many of the behavioral preadaptions some species show before domestication. Therefore, the domestication of these animals requires more deliberate effort by humans to work around behaviors that do not assist domestication, with increased technological assistance needed. Humans were already reliant on domestic plants and animals when they imagined the domestic versions of wild animals. Although horses, donkeys, and Old World camels were sometimes hunted as prey species, they were each deliberately brought into the human niche for sources of transport. Domestication was still a multi-generational adaptation to human selection pressures, including tameness, but without a suitable evolutionary response then domestication was not achieved. For example, despite the fact that hunters of the Near Eastern gazelle in the Epipaleolithic avoided culling reproductive females to promote population balance, neither gazelles nor zebras possessed the necessary prerequisites and were never domesticated. There is no clear evidence for the domestication of any herded prey animal in Africa, with the notable exception of the donkey, which was domesticated in Northeast Africa sometime in the 4th millennium BCE. Post-domestication gene flow As agricultural societies migrated away from the domestication centers taking their domestic partners with them, they encountered populations of wild animals of the same or sister species. Because domestics often shared a recent common ancestor with the wild populations, they were capable of producing fertile offspring. Domestic populations were small relative to the surrounding wild populations, and repeated hybridizations between the two eventually led to the domestic population becoming more genetically divergent from its original domestic source population. Advances in DNA sequencing technology allow the nuclear genome to be accessed and analyzed in a population genetics framework. The increased resolution of nuclear sequences has demonstrated that gene flow is common, not only between geographically diverse domestic populations of the same species but also between domestic populations and wild species that never gave rise to a domestic population. The archaeological and genetic data suggests that long-term bidirectional gene flow between wild and domestic stocks – including canids, donkeys, horses, New and Old World camelids, goats, sheep, and pigs – was common. Bidirectional gene flow between domestic and wild reindeer continues today. The consequence of this introgression is that modern domestic populations can often appear to have much greater genomic affinity to wild populations that were never involved in the original domestication process. Therefore, it is proposed that the term "domestication" should be reserved solely for the initial process of domestication of a discrete population in time and space. Subsequent admixture between introduced domestic populations and local wild populations that were never domesticated should be referred to as "introgressive capture". Conflating these two processes muddles understanding of the original process and can lead to an artificial inflation of the number of times domestication took place. This introgression can, in some cases, be regarded as adaptive introgression, as observed in domestic sheep due to gene flow with the wild European Mouflon. The sustained admixture between dog and wolf populations across the Old and New Worlds over at least the last 10,000 years has blurred the genetic signatures and confounded efforts of researchers at pinpointing the origins of domestic dogs. None of the modern wolf populations are related to the Pleistocene wolves that were first domesticated, and the extinction of the wolves that were the direct ancestors of dogs has muddied efforts to pinpoint the time and place of dog domestication. Positive selection Charles Darwin recognized the small number of traits that made domestic species different from their wild ancestors. He was also the first to recognize the difference between conscious selective breeding in which humans directly select for desirable traits, and unconscious selection where traits evolve as a by-product of natural selection or from selection on other traits. Domestic animals vary in coat color, craniofacial morphology, reduced brain size, floppy ears, and changes in the endocrine system and reproductive cycle. The domesticated silver fox experiment demonstrated that selection for tameness within a few generations can result in modified behavioral, morphological, and physiological traits. The experiment demonstrated that domestic phenotypic traits could arise through selection for a behavioral trait, and that domestic behavioral traits could arise through the selection for a phenotypic trait. In addition, the experiment provided a mechanism for the start of the animal domestication process that did not depend on deliberate human forethought and action. In the 1980s, a researcher used a set of behavioral, cognitive, and visible phenotypic markers, such as coat color, to produce domesticated fallow deer within a few generations. Similar results for tameness and fear have been found for mink and Japanese quail. The genetic difference between domestic and wild populations can be framed within two considerations. The first distinguishes between domestication traits that are presumed to have been essential at the early stages of domestication, and improvement traits that have appeared since the split between wild and domestic populations. Domestication traits are generally fixed within all domesticates and were selected during the initial episode of domestication, whereas improvement traits are present only in a proportion of domesticates, though they may be fixed in individual breeds or regional populations. A second issue is whether traits associated with the domestication syndrome resulted from a relaxation of selection as animals exited the wild environment or from positive selection resulting from intentional and unintentional human preference. Some recent genomic studies on the genetic basis of traits associated with the domestication syndrome have shed light on both of these issues. Geneticists have identified more than 300 genetic loci and 150 genes associated with coat color variability. Knowing the mutations associated with different colors has allowed some correlation between the timing of the appearance of variable coat colors in horses with the timing of their domestication. Other studies have shown how human-induced selection is responsible for the allelic variation in pigs. Together, these insights suggest that, although natural selection has kept variation to a minimum before domestication, humans have actively selected for novel coat colors as soon as they appeared in managed populations. In 2015, a study looked at over 100 pig genome sequences to ascertain their process of domestication. The process of domestication was assumed to have been initiated by humans, involved few individuals and relied on reproductive isolation between wild and domestic forms, but the study found that the assumption of reproductive isolation with population bottlenecks was not supported. The study indicated that pigs were domesticated separately in Western Asia and China, with Western Asian pigs introduced into Europe where they crossed with wild boar. A model that fitted the data included admixture with a now extinct ghost population of wild pigs during the Pleistocene. The study also found that despite back-crossing with wild pigs, the genomes of domestic pigs have strong signatures of selection at genetic loci that affect behavior and morphology. Human selection for domestic traits likely counteracted the homogenizing effect of gene flow from wild boars and created domestication islands in the genome. Unlike other domestic species which were primarily selected for production-related traits, dogs were initially selected for their behaviors. In 2016, a study found that there were only 11 fixed genes that showed variation between wolves and dogs. These gene variations were unlikely to have been the result of natural evolution, and indicate selection on both morphology and behavior during dog domestication. These genes have been shown to affect the catecholamine synthesis pathway, with the majority of the genes affecting the fight-or-flight response (i.e. selection for tameness), and emotional processing. Dogs generally show reduced fear and aggression compared to wolves. Some of these genes have been associated with aggression in some dog breeds, indicating their importance in both the initial domestication and then later in breed formation. See also References
========================================
[SOURCE: https://en.wikipedia.org/wiki/Elon_Musk#cite_note-307] | [TOKENS: 10515]
Contents Elon Musk Elon Reeve Musk (/ˈiːlɒn/ EE-lon; born June 28, 1971) is a businessman and entrepreneur known for his leadership of Tesla, SpaceX, Twitter, and xAI. Musk has been the wealthiest person in the world since 2025; as of February 2026,[update] Forbes estimates his net worth to be around US$852 billion. Born into a wealthy family in Pretoria, South Africa, Musk emigrated in 1989 to Canada; he has Canadian citizenship since his mother was born there. He received bachelor's degrees in 1997 from the University of Pennsylvania before moving to California to pursue business ventures. In 1995, Musk co-founded the software company Zip2. Following its sale in 1999, he co-founded X.com, an online payment company that later merged to form PayPal, which was acquired by eBay in 2002. Musk also became an American citizen in 2002. In 2002, Musk founded the space technology company SpaceX, becoming its CEO and chief engineer; the company has since led innovations in reusable rockets and commercial spaceflight. Musk joined the automaker Tesla as an early investor in 2004 and became its CEO and product architect in 2008; it has since become a leader in electric vehicles. In 2015, he co-founded OpenAI to advance artificial intelligence (AI) research, but later left; growing discontent with the organization's direction and their leadership in the AI boom in the 2020s led him to establish xAI, which became a subsidiary of SpaceX in 2026. In 2022, he acquired the social network Twitter, implementing significant changes, and rebranding it as X in 2023. His other businesses include the neurotechnology company Neuralink, which he co-founded in 2016, and the tunneling company the Boring Company, which he founded in 2017. In November 2025, a Tesla pay package worth $1 trillion for Musk was approved, which he is to receive over 10 years if he meets specific goals. Musk was the largest donor in the 2024 U.S. presidential election, where he supported Donald Trump. After Trump was inaugurated as president in early 2025, Musk served as Senior Advisor to the President and as the de facto head of the Department of Government Efficiency (DOGE). After a public feud with Trump, Musk left the Trump administration and returned to managing his companies. Musk is a supporter of global far-right figures, causes, and political parties. His political activities, views, and statements have made him a polarizing figure. Musk has been criticized for COVID-19 misinformation, promoting conspiracy theories, and affirming antisemitic, racist, and transphobic comments. His acquisition of Twitter was controversial due to a subsequent increase in hate speech and the spread of misinformation on the service, following his pledge to decrease censorship. His role in the second Trump administration attracted public backlash, particularly in response to DOGE. The emails he sent to Jeffrey Epstein are included in the Epstein files, which were published between 2025–26 and became a topic of worldwide debate. Early life Elon Reeve Musk was born on June 28, 1971, in Pretoria, South Africa's administrative capital. He is of British and Pennsylvania Dutch ancestry. His mother, Maye (née Haldeman), is a model and dietitian born in Saskatchewan, Canada, and raised in South Africa. Musk therefore holds both South African and Canadian citizenship from birth. His father, Errol Musk, is a South African electromechanical engineer, pilot, sailor, consultant, emerald dealer, and property developer, who partly owned a rental lodge at Timbavati Private Nature Reserve. His maternal grandfather, Joshua N. Haldeman, who died in a plane crash when Elon was a toddler, was an American-born Canadian chiropractor, aviator and political activist in the technocracy movement who moved to South Africa in 1950. Elon has a younger brother, Kimbal, a younger sister, Tosca, and four paternal half-siblings. Musk was baptized as a child in the Anglican Church of Southern Africa. Despite both Elon and Errol previously stating that Errol was a part owner of a Zambian emerald mine, in 2023, Errol recounted that the deal he made was to receive "a portion of the emeralds produced at three small mines". Errol was elected to the Pretoria City Council as a representative of the anti-apartheid Progressive Party and has said that his children shared their father's dislike of apartheid. After his parents divorced in 1979, Elon, aged around 9, chose to live with his father because Errol Musk had an Encyclopædia Britannica and a computer. Elon later regretted his decision and became estranged from his father. Elon has recounted trips to a wilderness school that he described as a "paramilitary Lord of the Flies" where "bullying was a virtue" and children were encouraged to fight over rations. In one incident, after an altercation with a fellow pupil, Elon was thrown down concrete steps and beaten severely, leading to him being hospitalized for his injuries. Elon described his father berating him after he was discharged from the hospital. Errol denied berating Elon and claimed, "The [other] boy had just lost his father to suicide, and Elon had called him stupid. Elon had a tendency to call people stupid. How could I possibly blame that child?" Elon was an enthusiastic reader of books, and had attributed his success in part to having read The Lord of the Rings, the Foundation series, and The Hitchhiker's Guide to the Galaxy. At age ten, he developed an interest in computing and video games, teaching himself how to program from the VIC-20 user manual. At age twelve, Elon sold his BASIC-based game Blastar to PC and Office Technology magazine for approximately $500 (equivalent to $1,600 in 2025). Musk attended Waterkloof House Preparatory School, Bryanston High School, and then Pretoria Boys High School, where he graduated. Musk was a decent but unexceptional student, earning a 61/100 in Afrikaans and a B on his senior math certification. Musk applied for a Canadian passport through his Canadian-born mother to avoid South Africa's mandatory military service, which would have forced him to participate in the apartheid regime, as well as to ease his path to immigration to the United States. While waiting for his application to be processed, he attended the University of Pretoria for five months. Musk arrived in Canada in June 1989, connected with a second cousin in Saskatchewan, and worked odd jobs, including at a farm and a lumber mill. In 1990, he entered Queen's University in Kingston, Ontario. Two years later, he transferred to the University of Pennsylvania, where he studied until 1995. Although Musk has said that he earned his degrees in 1995, the University of Pennsylvania did not award them until 1997 – a Bachelor of Arts in physics and a Bachelor of Science in economics from the university's Wharton School. He reportedly hosted large, ticketed house parties to help pay for tuition, and wrote a business plan for an electronic book-scanning service similar to Google Books. In 1994, Musk held two internships in Silicon Valley: one at energy storage startup Pinnacle Research Institute, which investigated electrolytic supercapacitors for energy storage, and another at Palo Alto–based startup Rocket Science Games. In 1995, he was accepted to a graduate program in materials science at Stanford University, but did not enroll. Musk decided to join the Internet boom of the 1990s, applying for a job at Netscape, to which he reportedly never received a response. The Washington Post reported that Musk lacked legal authorization to remain and work in the United States after failing to enroll at Stanford. In response, Musk said he was allowed to work at that time and that his student visa transitioned to an H1-B. According to numerous former business associates and shareholders, Musk said he was on a student visa at the time. Business career In 1995, Musk, his brother Kimbal, and Greg Kouri founded the web software company Zip2 with funding from a group of angel investors. They housed the venture at a small rented office in Palo Alto. Replying to Rolling Stone, Musk denounced the notion that they started their company with funds borrowed from Errol Musk, but in a tweet, he recognized that his father contributed 10% of a later funding round. The company developed and marketed an Internet city guide for the newspaper publishing industry, with maps, directions, and yellow pages. According to Musk, "The website was up during the day and I was coding it at night, seven days a week, all the time." To impress investors, Musk built a large plastic structure around a standard computer to create the impression that Zip2 was powered by a small supercomputer. The Musk brothers obtained contracts with The New York Times and the Chicago Tribune, and persuaded the board of directors to abandon plans for a merger with CitySearch. Musk's attempts to become CEO were thwarted by the board. Compaq acquired Zip2 for $307 million in cash in February 1999 (equivalent to $590,000,000 in 2025), and Musk received $22 million (equivalent to $43,000,000 in 2025) for his 7-percent share. In 1999, Musk co-founded X.com, an online financial services and e-mail payment company. The startup was one of the first federally insured online banks, and, in its initial months of operation, over 200,000 customers joined the service. The company's investors regarded Musk as inexperienced and replaced him with Intuit CEO Bill Harris by the end of the year. The following year, X.com merged with online bank Confinity to avoid competition. Founded by Max Levchin and Peter Thiel, Confinity had its own money-transfer service, PayPal, which was more popular than X.com's service. Within the merged company, Musk returned as CEO. Musk's preference for Microsoft software over Unix created a rift in the company and caused Thiel to resign. Due to resulting technological issues and lack of a cohesive business model, the board ousted Musk and replaced him with Thiel in 2000.[b] Under Thiel, the company focused on the PayPal service and was renamed PayPal in 2001. In 2002, PayPal was acquired by eBay for $1.5 billion (equivalent to $2,700,000,000 in 2025) in stock, of which Musk—the largest shareholder with 11.72% of shares—received $175.8 million (equivalent to $320,000,000 in 2025). In 2017, Musk purchased the domain X.com from PayPal for an undisclosed amount, stating that it had sentimental value. In 2001, Musk became involved with the nonprofit Mars Society and discussed funding plans to place a growth-chamber for plants on Mars. Seeking a way to launch the greenhouse payloads into space, Musk made two unsuccessful trips to Moscow to purchase intercontinental ballistic missiles (ICBMs) from Russian companies NPO Lavochkin and Kosmotras. Musk instead decided to start a company to build affordable rockets. With $100 million of his early fortune, (equivalent to $180,000,000 in 2025) Musk founded SpaceX in May 2002 and became the company's CEO and Chief Engineer. SpaceX attempted its first launch of the Falcon 1 rocket in 2006. Although the rocket failed to reach Earth orbit, it was awarded a Commercial Orbital Transportation Services program contract from NASA, then led by Mike Griffin. After two more failed attempts that nearly caused Musk to go bankrupt, SpaceX succeeded in launching the Falcon 1 into orbit in 2008. Later that year, SpaceX received a $1.6 billion NASA contract (equivalent to $2,400,000,000 in 2025) for Falcon 9-launched Dragon spacecraft flights to the International Space Station (ISS), replacing the Space Shuttle after its 2011 retirement. In 2012, the Dragon vehicle docked with the ISS, a first for a commercial spacecraft. Working towards its goal of reusable rockets, in 2015 SpaceX successfully landed the first stage of a Falcon 9 on a land platform. Later landings were achieved on autonomous spaceport drone ships, an ocean-based recovery platform. In 2018, SpaceX launched the Falcon Heavy; the inaugural mission carried Musk's personal Tesla Roadster as a dummy payload. Since 2019, SpaceX has been developing Starship, a reusable, super heavy-lift launch vehicle intended to replace the Falcon 9 and Falcon Heavy. In 2020, SpaceX launched its first crewed flight, the Demo-2, becoming the first private company to place astronauts into orbit and dock a crewed spacecraft with the ISS. In 2024, NASA awarded SpaceX an $843 million (equivalent to $865,000,000 in 2025) contract to build a spacecraft that NASA will use to deorbit the ISS at the end of its lifespan. In 2015, SpaceX began development of the Starlink constellation of low Earth orbit satellites to provide satellite Internet access. After the launch of prototype satellites in 2018, the first large constellation was deployed in May 2019. As of May 2025[update], over 7,600 Starlink satellites are operational, comprising 65% of all operational Earth satellites. The total cost of the decade-long project to design, build, and deploy the constellation was estimated by SpaceX in 2020 to be $10 billion (equivalent to $12,000,000,000 in 2025).[c] During the Russian invasion of Ukraine, Musk provided free Starlink service to Ukraine, permitting Internet access and communication at a yearly cost to SpaceX of $400 million (equivalent to $440,000,000 in 2025). However, Musk refused to block Russian state media on Starlink. In 2023, Musk denied Ukraine's request to activate Starlink over Crimea to aid an attack against the Russian navy, citing fears of a nuclear response. Tesla, Inc., originally Tesla Motors, was incorporated in July 2003 by Martin Eberhard and Marc Tarpenning. Both men played active roles in the company's early development prior to Musk's involvement. Musk led the Series A round of investment in February 2004; he invested $6.35 million (equivalent to $11,000,000 in 2025), became the majority shareholder, and joined Tesla's board of directors as chairman. Musk took an active role within the company and oversaw Roadster product design, but was not deeply involved in day-to-day business operations. Following a series of escalating conflicts in 2007 and the 2008 financial crisis, Eberhard was ousted from the firm.[page needed] Musk assumed leadership of the company as CEO and product architect in 2008. A 2009 lawsuit settlement with Eberhard designated Musk as a Tesla co-founder, along with Tarpenning and two others. Tesla began delivery of the Roadster, an electric sports car, in 2008. With sales of about 2,500 vehicles, it was the first mass production all-electric car to use lithium-ion battery cells. Under Musk, Tesla has since launched several well-selling electric vehicles, including the four-door sedan Model S (2012), the crossover Model X (2015), the mass-market sedan Model 3 (2017), the crossover Model Y (2020), and the pickup truck Cybertruck (2023). In May 2020, Musk resigned as chairman of the board as part of the settlement of a lawsuit from the SEC over him tweeting that funding had been "secured" for potentially taking Tesla private. The company has also constructed multiple lithium-ion battery and electric vehicle factories, called Gigafactories. Since its initial public offering in 2010, Tesla stock has risen significantly; it became the most valuable carmaker in summer 2020, and it entered the S&P 500 later that year. In October 2021, it reached a market capitalization of $1 trillion (equivalent to $1,200,000,000,000 in 2025), the sixth company in U.S. history to do so. Musk provided the initial concept and financial capital for SolarCity, which his cousins Lyndon and Peter Rive founded in 2006. By 2013, SolarCity was the second largest provider of solar power systems in the United States. In 2014, Musk promoted the idea of SolarCity building an advanced production facility in Buffalo, New York, triple the size of the largest solar plant in the United States. Construction of the factory started in 2014 and was completed in 2017. It operated as a joint venture with Panasonic until early 2020. Tesla acquired SolarCity for $2 billion in 2016 (equivalent to $2,700,000,000 in 2025) and merged it with its battery unit to create Tesla Energy. The deal's announcement resulted in a more than 10% drop in Tesla's stock price; at the time, SolarCity was facing liquidity issues. Multiple shareholder groups filed a lawsuit against Musk and Tesla's directors, stating that the purchase of SolarCity was done solely to benefit Musk and came at the expense of Tesla and its shareholders. Tesla directors settled the lawsuit in January 2020, leaving Musk the sole remaining defendant. Two years later, the court ruled in Musk's favor. In 2016, Musk co-founded Neuralink, a neurotechnology startup, with an investment of $100 million. Neuralink aims to integrate the human brain with artificial intelligence (AI) by creating devices that are embedded in the brain. Such technology could enhance memory or allow the devices to communicate with software. The company also hopes to develop devices to treat neurological conditions like spinal cord injuries. In 2022, Neuralink announced that clinical trials would begin by the end of the year. In September 2023, the Food and Drug Administration approved Neuralink to initiate six-year human trials. Neuralink has conducted animal testing on macaques at the University of California, Davis. In 2021, the company released a video in which a macaque played the video game Pong via a Neuralink implant. The company's animal trials—which have caused the deaths of some monkeys—have led to claims of animal cruelty. The Physicians Committee for Responsible Medicine has alleged that Neuralink violated the Animal Welfare Act. Employees have complained that pressure from Musk to accelerate development has led to botched experiments and unnecessary animal deaths. In 2022, a federal probe was launched into possible animal welfare violations by Neuralink.[needs update] In 2017, Musk founded the Boring Company to construct tunnels; he also revealed plans for specialized, underground, high-occupancy vehicles that could travel up to 150 miles per hour (240 km/h) and thus circumvent above-ground traffic in major cities. Early in 2017, the company began discussions with regulatory bodies and initiated construction of a 30-foot (9.1 m) wide, 50-foot (15 m) long, and 15-foot (4.6 m) deep "test trench" on the premises of SpaceX's offices, as that required no permits. The Los Angeles tunnel, less than two miles (3.2 km) in length, debuted to journalists in 2018. It used Tesla Model Xs and was reported to be a rough ride while traveling at suboptimal speeds. Two tunnel projects announced in 2018, in Chicago and West Los Angeles, have been canceled. A tunnel beneath the Las Vegas Convention Center was completed in early 2021. Local officials have approved further expansions of the tunnel system. April 14, 2022 In early 2017, Musk expressed interest in buying Twitter and had questioned the platform's commitment to freedom of speech. By 2022, Musk had reached 9.2% stake in the company, making him the largest shareholder.[d] Musk later agreed to a deal that would appoint him to Twitter's board of directors and prohibit him from acquiring more than 14.9% of the company. Days later, Musk made a $43 billion offer to buy Twitter. By the end of April Musk had successfully concluded his bid for approximately $44 billion. This included approximately $12.5 billion in loans and $21 billion in equity financing. Having backtracked on his initial decision, Musk bought the company on October 27, 2022. Immediately after the acquisition, Musk fired several top Twitter executives including CEO Parag Agrawal; Musk became the CEO instead. Under Elon Musk, Twitter instituted monthly subscriptions for a "blue check", and laid off a significant portion of the company's staff. Musk lessened content moderation and hate speech also increased on the platform after his takeover. In late 2022, Musk released internal documents relating to Twitter's moderation of Hunter Biden's laptop controversy in the lead-up to the 2020 presidential election. Musk also promised to step down as CEO after a Twitter poll, and five months later, Musk stepped down as CEO and transitioned his role to executive chairman and chief technology officer (CTO). Despite Musk stepping down as CEO, X continues to struggle with challenges such as viral misinformation, hate speech, and antisemitism controversies. Musk has been accused of trying to silence some of his critics such as Twitch streamer Asmongold, who criticized him during one of his streams. Musk has been accused of removing their accounts' blue checkmarks, which hinders visibility and is considered a form of shadow banning, or suspending their accounts without justification. Other activities In August 2013, Musk announced plans for a version of a vactrain, and assigned engineers from SpaceX and Tesla to design a transport system between Greater Los Angeles and the San Francisco Bay Area, at an estimated cost of $6 billion. Later that year, Musk unveiled the concept, dubbed the Hyperloop, intended to make travel cheaper than any other mode of transport for such long distances. In December 2015, Musk co-founded OpenAI, a not-for-profit artificial intelligence (AI) research company aiming to develop artificial general intelligence, intended to be safe and beneficial to humanity. Musk pledged $1 billion of funding to the company, and initially gave $50 million. In 2018, Musk left the OpenAI board. Since 2018, OpenAI has made significant advances in machine learning. In July 2023, Musk launched the artificial intelligence company xAI, which aims to develop a generative AI program that competes with existing offerings like OpenAI's ChatGPT. Musk obtained funding from investors in SpaceX and Tesla, and xAI hired engineers from Google and OpenAI. December 16, 2022 Musk uses a private jet owned by Falcon Landing LLC, a SpaceX-linked company, and acquired a second jet in August 2020. His heavy use of the jets and the consequent fossil fuel usage have received criticism. Musk's flight usage is tracked on social media through ElonJet. In December 2022, Musk banned the ElonJet account on Twitter, and made temporary bans on the accounts of journalists that posted stories regarding the incident, including Donie O'Sullivan, Keith Olbermann, and journalists from The New York Times, The Washington Post, CNN, and The Intercept. In October 2025, Musk's company xAI launched Grokipedia, an AI-generated online encyclopedia that he promoted as an alternative to Wikipedia. Articles on Grokipedia are generated and reviewed by xAI's Grok chatbot. Media coverage and academic analysis described Grokipedia as frequently reusing Wikipedia content but framing contested political and social topics in line with Musk's own views and right-wing narratives. A study by Cornell University researchers and NBC News stated that Grokipedia cites sources that are blacklisted or considered "generally unreliable" on Wikipedia, for example, the conspiracy site Infowars and the neo-Nazi forum Stormfront. Wired, The Guardian and Time criticized Grokipedia for factual errors and for presenting Musk himself in unusually positive terms while downplaying controversies. Politics Musk is an outlier among business leaders who typically avoid partisan political advocacy. Musk was a registered independent voter when he lived in California. Historically, he has donated to both Democrats and Republicans, many of whom serve in states in which he has a vested interest. Since 2022, his political contributions have mostly supported Republicans, with his first vote for a Republican going to Mayra Flores in the 2022 Texas's 34th congressional district special election. In 2024, he started supporting international far-right political parties, activists, and causes, and has shared misinformation and numerous conspiracy theories. Since 2024, his views have been generally described as right-wing. Musk supported Barack Obama in 2008 and 2012, Hillary Clinton in 2016, Joe Biden in 2020, and Donald Trump in 2024. In the 2020 Democratic Party presidential primaries, Musk endorsed candidate Andrew Yang and expressed support for Yang's proposed universal basic income, and endorsed Kanye West's 2020 presidential campaign. In 2021, Musk publicly expressed opposition to the Build Back Better Act, a $3.5 trillion legislative package endorsed by Joe Biden that ultimately failed to pass due to unanimous opposition from congressional Republicans and several Democrats. In 2022, gave over $50 million to Citizens for Sanity, a conservative political action committee. In 2023, he supported Republican Ron DeSantis for the 2024 U.S. presidential election, giving $10 million to his campaign, and hosted DeSantis's campaign announcement on a Twitter Spaces event. From June 2023 to January 2024, Musk hosted a bipartisan set of X Spaces with Republican and Democratic candidates, including Robert F. Kennedy Jr., Vivek Ramaswamy, and Dean Phillips. In October 2025, former vice-president Kamala Harris commented that it was a mistake from the Democratic side to not invite Musk to a White House electric vehicle event organized in August 2021 and featuring executives from General Motors, Ford and Stellantis, despite Tesla being "the major American manufacturer of extraordinary innovation in this space." Fortune remarked that this was a nod to United Auto Workers and organized labor. Harris said presidents should put aside political loyalties when it came to recognizing innovation, and guessed that the non-invitation impacted Musk's perspective. Fortune noted that, at the time, Musk said, "Yeah, seems odd that Tesla wasn't invited." A month later, he criticized Biden as "not the friendliest administration." Jacob Silverman, author of the book Gilded Rage: Elon Musk and the Radicalization of Silicon Valley, said that the tech industry represented by Musk, Thiel, Andreessen and other capitalists, actually flourished under Biden, but the tech leaders chose Trump for their common ground on cultural issues. By early 2024, Musk had become a vocal and financial supporter of Donald Trump. In July 2024, minutes after the attempted assassination of Donald Trump, Musk endorsed him for president saying; "I fully endorse President Trump and hope for his rapid recovery." During the presidential campaign, Musk joined Trump on stage at a campaign rally, and during the campaign promoted conspiracy theories and falsehoods about Democrats, election fraud and immigration, in support of Trump. Musk was the largest individual donor of the 2024 election. In 2025, Musk contributed $19 million to the Wisconsin Supreme Court race, hoping to influence the state's future redistricting efforts and its regulations governing car manufacturers and dealers. In 2023, Musk said he shunned the World Economic Forum because it was boring. The organization commented that they had not invited him since 2015. He has participated in Dialog, dubbed "Tech Bilderberg" and organized by Peter Thiel and Auren Hoffman, though. Musk's international political actions and comments have come under increasing scrutiny and criticism, especially from the governments and leaders of France, Germany, Norway, Spain and the United Kingdom, particularly due to his position in the U.S. government as well as ownership of X. An NBC News analysis found he had boosted far-right political movements to cut immigration and curtail regulation of business in at least 18 countries on six continents since 2023. During his speech after the second inauguration of Donald Trump, Musk twice made a gesture interpreted by many as a Nazi or a fascist Roman salute.[e] He thumped his right hand over his heart, fingers spread wide, and then extended his right arm out, emphatically, at an upward angle, palm down and fingers together. He then repeated the gesture to the crowd behind him. As he finished the gestures, he said to the crowd, "My heart goes out to you. It is thanks to you that the future of civilization is assured." It was widely condemned as an intentional Nazi salute in Germany, where making such gestures is illegal. The Anti-Defamation League said it was not a Nazi salute, but other Jewish organizations disagreed and condemned the salute. American public opinion was divided on partisan lines as to whether it was a fascist salute. Musk dismissed the accusations of Nazi sympathies, deriding them as "dirty tricks" and a "tired" attack. Neo-Nazi and white supremacist groups celebrated it as a Nazi salute. Multiple European political parties demanded that Musk be banned from entering their countries. The concept of DOGE emerged in a discussion between Musk and Donald Trump, and in August 2024, Trump committed to giving Musk an advisory role, with Musk accepting the offer. In November and December 2024, Musk suggested that the organization could help to cut the U.S. federal budget, consolidate the number of federal agencies, and eliminate the Consumer Financial Protection Bureau, and that its final stage would be "deleting itself". In January 2025, the organization was created by executive order, and Musk was designated a "special government employee". Musk led the organization and was a senior advisor to the president, although his official role is not clear. In sworn statement during a lawsuit, the director of the White House Office of Administration stated that Musk "is not an employee of the U.S. DOGE Service or U.S. DOGE Service Temporary Organization", "is not the U.S. DOGE Service administrator", and has "no actual or formal authority to make government decisions himself". Trump said two days later that he had put Musk in charge of DOGE. A federal judge has ruled that Musk acted as the de facto leader of DOGE. Musk's role in the second Trump administration, particularly in response to DOGE, has attracted public backlash. He was criticized for his treatment of federal government employees, including his influence over the mass layoffs of the federal workforce. He has prioritized secrecy within the organization and has accused others of violating privacy laws. A Senate report alleged that Musk could avoid up to $2 billion in legal liability as a result of DOGE's actions. In May 2025, Bill Gates accused Musk of "killing the world's poorest children" through his cuts to USAID, which modeling by Boston University estimated had resulted in 300,000 deaths by this time, most of them of children. By November 2025, the estimated death toll had increased to 400,000 children and 200,000 adults. Musk announced on May 28, 2025, that he would depart from the Trump administration as planned when the special government employee's 130 day deadline expired, with a White House official confirming that Musk's offboarding from the Trump administration was already underway. His departure was officially confirmed during a joint Oval Office press conference with Trump on May 30, 2025. @realDonaldTrump is in the Epstein files. That is the real reason they have not been made public. June 5, 2025 After leaving office, Musk criticized the Trump administration's Big Beautiful Bill, calling it a "disgusting abomination" due to its provisions increasing the deficit. A feud began between Musk and Trump, with its most notable event being Musk alleging Trump had ties to sex offender Jeffrey Epstein on X (formerly Twitter) on June 5, 2025. Trump responded on Truth Social stating that Musk went "CRAZY" after the "EV Mandate" was purportedly taken away and threatened to cut Musk's government contracts. Musk then called for a third Trump impeachment. The next day, Trump stated that he did not wish to reconcile with Musk, and added that Musk would face "very serious consequences" if he funds Democratic candidates. On June 11, Musk publicly apologized for the tweets against Trump, saying they "went too far". Views November 6, 2022 Rejecting the conservative label, Musk has described himself as a political moderate, even as his views have become more right-wing over time. His views have been characterized as libertarian and far-right, and after his involvement in European politics, they have received criticism from world leaders such as Emmanuel Macron and Olaf Scholz. Within the context of American politics, Musk supported Democratic candidates up until 2022, at which point he voted for a Republican for the first time. He has stated support for universal basic income, gun rights, freedom of speech, a tax on carbon emissions, and H-1B visas. Musk has expressed concern about issues such as artificial intelligence (AI) and climate change, and has been a critic of wealth tax, short-selling, and government subsidies. An immigrant himself, Musk has been accused of being anti-immigration, and regularly blames immigration policies for illegal immigration. He is also a pronatalist who believes population decline is the biggest threat to civilization, and identifies as a cultural Christian. Musk has long been an advocate for space colonization, especially the colonization of Mars. He has repeatedly pushed for humanity colonizing Mars, in order to become an interplanetary species and lower the risks of human extinction. Musk has promoted conspiracy theories and made controversial statements that have led to accusations of racism, sexism, antisemitism, transphobia, disseminating disinformation, and support of white pride. While describing himself as a "pro-Semite", his comments regarding George Soros and Jewish communities have been condemned by the Anti-Defamation League and the Biden White House. Musk was criticized during the COVID-19 pandemic for making unfounded epidemiological claims, defying COVID-19 lockdowns restrictions, and supporting the Canada convoy protest against vaccine mandates. He has amplified false claims of white genocide in South Africa. Musk has been critical of Israel's actions in the Gaza Strip during the Gaza war, praised China's economic and climate goals, suggested that Taiwan and China should resolve cross-strait relations, and was described as having a close relationship with the Chinese government. In Europe, Musk expressed support for Ukraine in 2022 during the Russian invasion, recommended referendums and peace deals on the annexed Russia-occupied territories, and supported the far-right Alternative for Germany political party in 2024. Regarding British politics, Musk blamed the 2024 UK riots on mass migration and open borders, criticized Prime Minister Keir Starmer for what he described as a "two-tier" policing system, and was subsequently attacked as being responsible for spreading misinformation and amplifying the far-right. He has also voiced his support for far-right activist Tommy Robinson and pledged electoral support for Reform UK. In February 2026, Musk described Spanish Prime Minister Pedro Sánchez as a "tyrant" following Sánchez's proposal to prohibit minors under the age of 16 from accessing social media platforms. Legal affairs In 2018, Musk was sued by the U.S. Securities and Exchange Commission (SEC) for a tweet stating that funding had been secured for potentially taking Tesla private.[f] The securities fraud lawsuit characterized the tweet as false, misleading, and damaging to investors, and sought to bar Musk from serving as CEO of publicly traded companies. Two days later, Musk settled with the SEC, without admitting or denying the SEC's allegations. As a result, Musk and Tesla were fined $20 million each, and Musk was forced to step down for three years as Tesla chairman but was able to remain as CEO. Shareholders filed a lawsuit over the tweet, and in February 2023, a jury found Musk and Tesla not liable. Musk has stated in interviews that he does not regret posting the tweet that triggered the SEC investigation. In 2019, Musk stated in a tweet that Tesla would build half a million cars that year. The SEC reacted by asking a court to hold him in contempt for violating the terms of the 2018 settlement agreement. A joint agreement between Musk and the SEC eventually clarified the previous agreement details, including a list of topics about which Musk needed preclearance. In 2020, a judge blocked a lawsuit that claimed a tweet by Musk regarding Tesla stock price ("too high imo") violated the agreement. Freedom of Information Act (FOIA)-released records showed that the SEC concluded Musk had subsequently violated the agreement twice by tweeting regarding "Tesla's solar roof production volumes and its stock price". In October 2023, the SEC sued Musk over his refusal to testify a third time in an investigation into whether he violated federal law by purchasing Twitter stock in 2022. In February 2024, Judge Laurel Beeler ruled that Musk must testify again. In January 2025, the SEC filed a lawsuit against Musk for securities violations related to his purchase of Twitter. In January 2024, Delaware judge Kathaleen McCormick ruled in a 2018 lawsuit that Musk's $55 billion pay package from Tesla be rescinded. McCormick called the compensation granted by the company's board "an unfathomable sum" that was unfair to shareholders. The Delaware Supreme Court overturned McCormick's decision in December 2025, restoring Musk's compensation package and awarding $1 in nominal damages. Personal life Musk became a U.S. citizen in 2002. From the early 2000s until late 2020, Musk resided in California, where both Tesla and SpaceX were founded. He then relocated to Cameron County, Texas, saying that California had become "complacent" about its economic success. While hosting Saturday Night Live in 2021, Musk stated that he has Asperger syndrome (an outdated term for autism spectrum disorder). When asked about his experience growing up with Asperger's syndrome in a TED2022 conference in Vancouver, Musk stated that "the social cues were not intuitive ... I would just tend to take things very literally ... but then that turned out to be wrong — [people were not] simply saying exactly what they mean, there's all sorts of other things that are meant, and [it] took me a while to figure that out." Musk suffers from back pain and has undergone several spine-related surgeries, including a disc replacement. In 2000, he contracted a severe case of malaria while on vacation in South Africa. Musk has stated he uses doctor-prescribed ketamine for occasional depression and that he doses "a small amount once every other week or something like that"; since January 2024, some media outlets have reported that he takes ketamine, marijuana, LSD, ecstasy, mushrooms, cocaine and other drugs. Musk at first refused to comment on his alleged drug use, before responding that he had not tested positive for drugs, and that if drugs somehow improved his productivity, "I would definitely take them!". The New York Times' investigations revealed Musk's overuse of ketamine and numerous other drugs, as well as strained family relationships and concerns from close associates who have become troubled by his public behavior as he became more involved in political activities and government work. According to The Washington Post, President Trump described Musk as "a big-time drug addict". Through his own label Emo G Records, Musk released a rap track, "RIP Harambe", on SoundCloud in March 2019. The following year, he released an EDM track, "Don't Doubt Ur Vibe", featuring his own lyrics and vocals. Musk plays video games, which he stated has a "'restoring effect' that helps his 'mental calibration'". Some games he plays include Quake, Diablo IV, Elden Ring, and Polytopia. Musk once claimed to be one of the world's top video game players but has since admitted to "account boosting", or cheating by hiring outside services to achieve top player rankings. Musk has justified the boosting by claiming that all top accounts do it so he has to as well to remain competitive. In 2024 and 2025, Musk criticized the video game Assassin's Creed Shadows and its creator Ubisoft for "woke" content. Musk posted to X that "DEI kills art" and specified the inclusion of the historical figure Yasuke in the Assassin's Creed game as offensive; he also called the game "terrible". Ubisoft responded by saying that Musk's comments were "just feeding hatred" and that they were focused on producing a game not pushing politics. Musk has fathered at least 14 children, one of whom died as an infant. The Wall Street Journal reported in 2025 that sources close to Musk suggest that the "true number of Musk's children is much higher than publicly known". He had six children with his first wife, Canadian author Justine Wilson, whom he met while attending Queen's University in Ontario, Canada; they married in 2000. In 2002, their first child Nevada Musk died of sudden infant death syndrome at the age of 10 weeks. After his death, the couple used in vitro fertilization (IVF) to continue their family; they had twins in 2004, followed by triplets in 2006. The couple divorced in 2008 and have shared custody of their children. The elder twin he had with Wilson came out as a trans woman and, in 2022, officially changed her name to Vivian Jenna Wilson, adopting her mother's surname because she no longer wished to be associated with Musk. Musk began dating English actress Talulah Riley in 2008. They married two years later at Dornoch Cathedral in Scotland. In 2012, the couple divorced, then remarried the following year. After briefly filing for divorce in 2014, Musk finalized a second divorce from Riley in 2016. Musk then dated the American actress Amber Heard for several months in 2017; he had reportedly been "pursuing" her since 2012. In 2018, Musk and Canadian musician Grimes confirmed they were dating. Grimes and Musk have three children, born in 2020, 2021, and 2022.[g] Musk and Grimes originally gave their eldest child the name "X Æ A-12", which would have violated California regulations as it contained characters that are not in the modern English alphabet; the names registered on the birth certificate are "X" as a first name, "Æ A-Xii" as a middle name, and "Musk" as a last name. They received criticism for choosing a name perceived to be impractical and difficult to pronounce; Musk has said the intended pronunciation is "X Ash A Twelve". Their second child was born via surrogacy. Despite the pregnancy, Musk confirmed reports that the couple were "semi-separated" in September 2021; in an interview with Time in December 2021, he said he was single. In October 2023, Grimes sued Musk over parental rights and custody of X Æ A-Xii. Elon Musk has taken X Æ A-Xii to multiple official events in Washington, D.C. during Trump's second term in office. Also in July 2022, The Wall Street Journal reported that Musk allegedly had an affair with Nicole Shanahan, the wife of Google co-founder Sergey Brin, in 2021, leading to their divorce the following year. Musk denied the report. Musk also had a relationship with Australian actress Natasha Bassett, who has been described as "an occasional girlfriend". In October 2024, The New York Times reported Musk bought a Texas compound for his children and their mothers, though Musk denied having done so. Musk also has four children with Shivon Zilis, director of operations and special projects at Neuralink: twins born via IVF in 2021, a child born in 2024 via surrogacy and a child born in 2025.[h] On February 14, 2025, Ashley St. Clair, an influencer and author, posted on X claiming to have given birth to Musk's son Romulus five months earlier, which media outlets reported as Musk's supposed thirteenth child.[i] On February 22, 2025, it was reported that St Clair had filed for sole custody of her five-month-old son and for Musk to be recognised as the child's father. On March 31, 2025, Musk wrote that, while he was unsure if he was the father of St. Clair's child, he had paid St. Clair $2.5 million and would continue paying her $500,000 per year.[j] Later reporting from the Wall Street Journal indicated that $1 million of these payments to St. Clair were structured as a loan. In 2014, Musk and Ghislaine Maxwell appeared together in a photograph taken at an Academy Awards after-party, which Musk later described as a "photobomb". The January 2026 Epstein files contain emails between Musk and Epstein from 2012 to 2013, after Epstein's first conviction. Emails released on January 30, 2026, indicated that Epstein invited Musk to visit his private island on multiple occasions. The correspondence showed that while Epstein repeatedly encouraged Musk to attend, Musk did not visit the island. In one instance, Musk discussed the possibility of attending a party with his then-wife Talulah Riley and asked which day would be the "wildest party"; according to the emails, the visit did not take place after Epstein later cancelled the plans.[k] On Christmas day in 2012, Musk emailed Epstein asking "Do you have any parties planned? I’ve been working to the edge of sanity this year and so, once my kids head home after Christmas, I really want to hit the party scene in St Barts or elsewhere and let loose. The invitation is much appreciated, but a peaceful island experience is the opposite of what I’m looking for". Epstein replied that the "ratio on my island" might make Musk's wife uncomfortable to which Musk responded, "Ratio is not a problem for Talulah". On September 11, 2013, Epstein sent an email asking Musk if he had any plans for coming to New York for the opening of the United Nations General Assembly where many "interesting people" would be coming to his house to which Musk responded that "Flying to NY to see UN diplomats do nothing would be an unwise use of time". Epstein responded by stating "Do you think i am retarded. Just kidding, there is no one over 25 and all very cute." Musk has denied any close relationship with Epstein and described him as a "creep" who attempted to ingratiate himself with influential people. When Musk was asked in 2019 if he introduced Epstein to Mark Zuckerberg, Musk responded: "I don’t recall introducing Epstein to anyone, as I don’t know the guy well enough to do so." The released emails nonetheless showed cordial exchanges on a range of topics, including Musk's inquiry about parties on the island. The correspondence also indicated that Musk suggested hosting Epstein at SpaceX, while Epstein separately discussed plans to tour SpaceX and bring "the girls", though there is no evidence that such a visit occurred. Musk has described the release of the files a "distraction", later accusing the second Trump administration of suppressing them to protect powerful individuals, including Trump himself.[l] Wealth Elon Musk is the wealthiest person in the world, with an estimated net worth of US$690 billion as of January 2026, according to the Bloomberg Billionaires Index, and $852 billion according to Forbes, primarily from his ownership stakes in SpaceX and Tesla. Having been first listed on the Forbes Billionaires List in 2012, around 75% of Musk's wealth was derived from Tesla stock in November 2020, although he describes himself as "cash poor". According to Forbes, he became the first person in the world to achieve a net worth of $300 billion in 2021; $400 billion in December 2024; $500 billion in October 2025; $600 billion in mid-December 2025; $700 billion later that month; and $800 billion in February 2026. In November 2025, a Tesla pay package worth potentially $1 trillion for Musk was approved, which he is to receive over 10 years if he meets specific goals. Public image Although his ventures have been highly influential within their separate industries starting in the 2000s, Musk only became a public figure in the early 2010s. He has been described as an eccentric who makes spontaneous and impactful decisions, while also often making controversial statements, contrary to other billionaires who prefer reclusiveness to protect their businesses. Musk's actions and his expressed views have made him a polarizing figure. Biographer Ashlee Vance described people's opinions of Musk as polarized due to his "part philosopher, part troll" persona on Twitter. He has drawn denouncement for using his platform to mock the self-selection of personal pronouns, while also receiving praise for bringing international attention to matters like British survivors of grooming gangs. Musk has been described as an American oligarch due to his extensive influence over public discourse, social media, industry, politics, and government policy. After Trump's re-election, Musk's influence and actions during the transition period and the second presidency of Donald Trump led some to call him "President Musk", the "actual president-elect", "shadow president" or "co-president". Awards for his contributions to the development of the Falcon rockets include the American Institute of Aeronautics and Astronautics George Low Transportation Award in 2008, the Fédération Aéronautique Internationale Gold Space Medal in 2010, and the Royal Aeronautical Society Gold Medal in 2012. In 2015, he received an honorary doctorate in engineering and technology from Yale University and an Institute of Electrical and Electronics Engineers Honorary Membership. Musk was elected a Fellow of the Royal Society (FRS) in 2018.[m] In 2022, Musk was elected to the National Academy of Engineering. Time has listed Musk as one of the most influential people in the world in 2010, 2013, 2018, and 2021. Musk was selected as Time's "Person of the Year" for 2021. Then Time editor-in-chief Edward Felsenthal wrote that, "Person of the Year is a marker of influence, and few individuals have had more influence than Musk on life on Earth, and potentially life off Earth too." Notes References Works cited Further reading External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Mars#cite_note-Meeus2003-205] | [TOKENS: 11899]
Contents Mars Mars is the fourth planet from the Sun. It is also known as the "Red Planet", for its orange-red appearance. Mars is a desert-like rocky planet with a tenuous atmosphere that is primarily carbon dioxide (CO2). At the average surface level the atmospheric pressure is a few thousandths of Earth's, atmospheric temperature ranges from −153 to 20 °C (−243 to 68 °F), and cosmic radiation is high. Mars retains some water, in the ground as well as thinly in the atmosphere, forming cirrus clouds, fog, frost, larger polar regions of permafrost and ice caps (with seasonal CO2 snow), but no bodies of liquid surface water. Its surface gravity is roughly a third of Earth's or double that of the Moon. Its diameter, 6,779 km (4,212 mi), is about half the Earth's, or twice the Moon's, and its surface area is the size of all the dry land of Earth. Fine dust is prevalent across the surface and the atmosphere, being picked up and spread at the low Martian gravity even by the weak wind of the tenuous atmosphere. The terrain of Mars roughly follows a north-south divide, the Martian dichotomy, with the northern hemisphere mainly consisting of relatively flat, low lying plains, and the southern hemisphere of cratered highlands. Geologically, the planet is fairly active with marsquakes trembling underneath the ground, but also hosts many enormous volcanoes that are extinct (the tallest is Olympus Mons, 21.9 km or 13.6 mi tall), as well as one of the largest canyons in the Solar System (Valles Marineris, 4,000 km or 2,500 mi long). Mars has two natural satellites that are small and irregular in shape: Phobos and Deimos. With a significant axial tilt of 25 degrees, Mars experiences seasons, like Earth (which has an axial tilt of 23.5 degrees). A Martian solar year is equal to 1.88 Earth years (687 Earth days), a Martian solar day (sol) is equal to 24.6 hours. Mars formed along with the other planets approximately 4.5 billion years ago. During the martian Noachian period (4.5 to 3.5 billion years ago), its surface was marked by meteor impacts, valley formation, erosion, the possible presence of water oceans and the loss of its magnetosphere. The Hesperian period (beginning 3.5 billion years ago and ending 3.3–2.9 billion years ago) was dominated by widespread volcanic activity and flooding that carved immense outflow channels. The Amazonian period, which continues to the present, is the currently dominating and remaining influence on geological processes. Because of Mars's geological history, the possibility of past or present life on Mars remains an area of active scientific investigation, with some possible traces needing further examination. Being visible with the naked eye in Earth's sky as a red wandering star, Mars has been observed throughout history, acquiring diverse associations in different cultures. In 1963 the first flight to Mars took place with Mars 1, but communication was lost en route. The first successful flyby exploration of Mars was conducted in 1965 with Mariner 4. In 1971 Mariner 9 entered orbit around Mars, being the first spacecraft to orbit any body other than the Moon, Sun or Earth; following in the same year were the first uncontrolled impact (Mars 2) and first successful landing (Mars 3) on Mars. Probes have been active on Mars continuously since 1997. At times, more than ten probes have simultaneously operated in orbit or on the surface, more than at any other planet beyond Earth. Mars is an often proposed target for future crewed exploration missions, though no such mission is currently planned. Natural history Scientists have theorized that during the Solar System's formation, Mars was created as the result of a random process of run-away accretion of material from the protoplanetary disk that orbited the Sun. Mars has many distinctive chemical features caused by its position in the Solar System. Elements with comparatively low boiling points, such as chlorine, phosphorus, and sulfur, are much more common on Mars than on Earth; these elements were probably pushed outward by the young Sun's energetic solar wind. After the formation of the planets, the inner Solar System may have been subjected to the so-called Late Heavy Bombardment. About 60% of the surface of Mars shows a record of impacts from that era, whereas much of the remaining surface is probably underlain by immense impact basins caused by those events. However, more recent modeling has disputed the existence of the Late Heavy Bombardment. There is evidence of an enormous impact basin in the Northern Hemisphere of Mars, spanning 10,600 by 8,500 kilometres (6,600 by 5,300 mi), or roughly four times the size of the Moon's South Pole–Aitken basin, which would be the largest impact basin yet discovered if confirmed. It has been hypothesized that the basin was formed when Mars was struck by a Pluto-sized body about four billion years ago. The event, thought to be the cause of the Martian hemispheric dichotomy, created the smooth Borealis basin that covers 40% of the planet. A 2023 study shows evidence, based on the orbital inclination of Deimos (a small moon of Mars), that Mars may once have had a ring system 3.5 billion years to 4 billion years ago. This ring system may have been formed from a moon, 20 times more massive than Phobos, orbiting Mars billions of years ago; and Phobos would be a remnant of that ring. Epochs: The geological history of Mars can be split into many periods, but the following are the three primary periods: Geological activity is still taking place on Mars. The Athabasca Valles is home to sheet-like lava flows created about 200 million years ago. Water flows in the grabens called the Cerberus Fossae occurred less than 20 million years ago, indicating equally recent volcanic intrusions. The Mars Reconnaissance Orbiter has captured images of avalanches. Physical characteristics Mars is approximately half the diameter of Earth or twice that of the Moon, with a surface area only slightly less than the total area of Earth's dry land. Mars is less dense than Earth, having about 15% of Earth's volume and 11% of Earth's mass, resulting in about 38% of Earth's surface gravity. Mars is the only presently known example of a desert planet, a rocky planet with a surface akin to that of Earth's deserts. The red-orange appearance of the Martian surface is caused by iron(III) oxide (nanophase Fe2O3) and the iron(III) oxide-hydroxide mineral goethite. It can look like butterscotch; other common surface colors include golden, brown, tan, and greenish, depending on the minerals present. Like Earth, Mars is differentiated into a dense metallic core overlaid by less dense rocky layers. The outermost layer is the crust, which is on average about 42–56 kilometres (26–35 mi) thick, with a minimum thickness of 6 kilometres (3.7 mi) in Isidis Planitia, and a maximum thickness of 117 kilometres (73 mi) in the southern Tharsis plateau. For comparison, Earth's crust averages 27.3 ± 4.8 km in thickness. The most abundant elements in the Martian crust are silicon, oxygen, iron, magnesium, aluminum, calcium, and potassium. Mars is confirmed to be seismically active; in 2019, it was reported that InSight had detected and recorded over 450 marsquakes and related events. Beneath the crust is a silicate mantle responsible for many of the tectonic and volcanic features on the planet's surface. The upper Martian mantle is a low-velocity zone, where the velocity of seismic waves is lower than surrounding depth intervals. The mantle appears to be rigid down to the depth of about 250 km, giving Mars a very thick lithosphere compared to Earth. Below this the mantle gradually becomes more ductile, and the seismic wave velocity starts to grow again. The Martian mantle does not appear to have a thermally insulating layer analogous to Earth's lower mantle; instead, below 1050 km in depth, it becomes mineralogically similar to Earth's transition zone. At the bottom of the mantle lies a basal liquid silicate layer approximately 150–180 km thick. The Martian mantle appears to be highly heterogenous, with dense fragments up to 4 km across, likely injected deep into the planet by colossal impacts ~4.5 billion years ago; high-frequency waves from eight marsquakes slowed as they passed these localized regions, and modeling indicates the heterogeneities are compositionally distinct debris preserved because Mars lacks plate tectonics and has a sluggishly convecting interior that prevents complete homogenization. Mars's iron and nickel core is at least partially molten, and may have a solid inner core. It is around half of Mars's radius, approximately 1650–1675 km, and is enriched in light elements such as sulfur, oxygen, carbon, and hydrogen. The temperature of the core is estimated to be 2000–2400 K, compared to 5400–6230 K for Earth's solid inner core. In 2025, based on data from the InSight lander, a group of researchers reported the detection of a solid inner core 613 kilometres (381 mi) ± 67 kilometres (42 mi) in radius. Mars is a terrestrial planet with a surface that consists of minerals containing silicon and oxygen, metals, and other elements that typically make up rock. The Martian surface is primarily composed of tholeiitic basalt, although parts are more silica-rich than typical basalt and may be similar to andesitic rocks on Earth, or silica glass. Regions of low albedo suggest concentrations of plagioclase feldspar, with northern low albedo regions displaying higher than normal concentrations of sheet silicates and high-silicon glass. Parts of the southern highlands include detectable amounts of high-calcium pyroxenes. Localized concentrations of hematite and olivine have been found. Much of the surface is deeply covered by finely grained iron(III) oxide dust. The Phoenix lander returned data showing Martian soil to be slightly alkaline and containing elements such as magnesium, sodium, potassium and chlorine. These nutrients are found in soils on Earth, and are necessary for plant growth. Experiments performed by the lander showed that the Martian soil has a basic pH of 7.7, and contains 0.6% perchlorate by weight, concentrations that are toxic to humans. Streaks are common across Mars and new ones appear frequently on steep slopes of craters, troughs, and valleys. The streaks are dark at first and get lighter with age. The streaks can start in a tiny area, then spread out for hundreds of metres. They have been seen to follow the edges of boulders and other obstacles in their path. The commonly accepted hypotheses include that they are dark underlying layers of soil revealed after avalanches of bright dust or dust devils. Several other explanations have been put forward, including those that involve water or even the growth of organisms. Environmental radiation levels on the surface are on average 0.64 millisieverts of radiation per day, and significantly less than the radiation of 1.84 millisieverts per day or 22 millirads per day during the flight to and from Mars. For comparison the radiation levels in low Earth orbit, where Earth's space stations orbit, are around 0.5 millisieverts of radiation per day. Hellas Planitia has the lowest surface radiation at about 0.342 millisieverts per day, featuring lava tubes southwest of Hadriacus Mons with potentially levels as low as 0.064 millisieverts per day, comparable to radiation levels during flights on Earth. Although Mars has no evidence of a structured global magnetic field, observations show that parts of the planet's crust have been magnetized, suggesting that alternating polarity reversals of its dipole field have occurred in the past. This paleomagnetism of magnetically susceptible minerals is similar to the alternating bands found on Earth's ocean floors. One hypothesis, published in 1999 and re-examined in October 2005 (with the help of the Mars Global Surveyor), is that these bands suggest plate tectonic activity on Mars four billion years ago, before the planetary dynamo ceased to function and the planet's magnetic field faded. Geography and features Although better remembered for mapping the Moon, Johann Heinrich von Mädler and Wilhelm Beer were the first areographers. They began by establishing that most of Mars's surface features were permanent and by more precisely determining the planet's rotation period. In 1840, Mädler combined ten years of observations and drew the first map of Mars. Features on Mars are named from a variety of sources. Albedo features are named for classical mythology. Craters larger than roughly 50 km are named for deceased scientists and writers and others who have contributed to the study of Mars. Smaller craters are named for towns and villages of the world with populations of less than 100,000. Large valleys are named for the word "Mars" or "star" in various languages; smaller valleys are named for rivers. Large albedo features retain many of the older names but are often updated to reflect new knowledge of the nature of the features. For example, Nix Olympica (the snows of Olympus) has become Olympus Mons (Mount Olympus). The surface of Mars as seen from Earth is divided into two kinds of areas, with differing albedo. The paler plains covered with dust and sand rich in reddish iron oxides were once thought of as Martian "continents" and given names like Arabia Terra (land of Arabia) or Amazonis Planitia (Amazonian plain). The dark features were thought to be seas, hence their names Mare Erythraeum, Mare Sirenum and Aurorae Sinus. The largest dark feature seen from Earth is Syrtis Major Planum. The permanent northern polar ice cap is named Planum Boreum. The southern cap is called Planum Australe. Mars's equator is defined by its rotation, but the location of its Prime Meridian was specified, as was Earth's (at Greenwich), by choice of an arbitrary point; Mädler and Beer selected a line for their first maps of Mars in 1830. After the spacecraft Mariner 9 provided extensive imagery of Mars in 1972, a small crater (later called Airy-0), located in the Sinus Meridiani ("Middle Bay" or "Meridian Bay"), was chosen by Merton E. Davies, Harold Masursky, and Gérard de Vaucouleurs for the definition of 0.0° longitude to coincide with the original selection. Because Mars has no oceans, and hence no "sea level", a zero-elevation surface had to be selected as a reference level; this is called the areoid of Mars, analogous to the terrestrial geoid. Zero altitude was defined by the height at which there is 610.5 Pa (6.105 mbar) of atmospheric pressure. This pressure corresponds to the triple point of water, and it is about 0.6% of the sea level surface pressure on Earth (0.006 atm). For mapping purposes, the United States Geological Survey divides the surface of Mars into thirty cartographic quadrangles, each named for a classical albedo feature it contains. In April 2023, The New York Times reported an updated global map of Mars based on images from the Hope spacecraft. A related, but much more detailed, global Mars map was released by NASA on 16 April 2023. The vast upland region Tharsis contains several massive volcanoes, which include the shield volcano Olympus Mons. The edifice is over 600 km (370 mi) wide. Because the mountain is so large, with complex structure at its edges, giving a definite height to it is difficult. Its local relief, from the foot of the cliffs which form its northwest margin to its peak, is over 21 km (13 mi), a little over twice the height of Mauna Kea as measured from its base on the ocean floor. The total elevation change from the plains of Amazonis Planitia, over 1,000 km (620 mi) to the northwest, to the summit approaches 26 km (16 mi), roughly three times the height of Mount Everest, which in comparison stands at just over 8.8 kilometres (5.5 mi). Consequently, Olympus Mons is either the tallest or second-tallest mountain in the Solar System; the only known mountain which might be taller is the Rheasilvia peak on the asteroid Vesta, at 20–25 km (12–16 mi). The dichotomy of Martian topography is striking: northern plains flattened by lava flows contrast with the southern highlands, pitted and cratered by ancient impacts. It is possible that, four billion years ago, the Northern Hemisphere of Mars was struck by an object one-tenth to two-thirds the size of Earth's Moon. If this is the case, the Northern Hemisphere of Mars would be the site of an impact crater 10,600 by 8,500 kilometres (6,600 by 5,300 mi) in size, or roughly the area of Europe, Asia, and Australia combined, surpassing Utopia Planitia and the Moon's South Pole–Aitken basin as the largest impact crater in the Solar System. Mars is scarred by 43,000 impact craters with a diameter of 5 kilometres (3.1 mi) or greater. The largest exposed crater is Hellas, which is 2,300 kilometres (1,400 mi) wide and 7,000 metres (23,000 ft) deep, and is a light albedo feature clearly visible from Earth. There are other notable impact features, such as Argyre, which is around 1,800 kilometres (1,100 mi) in diameter, and Isidis, which is around 1,500 kilometres (930 mi) in diameter. Due to the smaller mass and size of Mars, the probability of an object colliding with the planet is about half that of Earth. Mars is located closer to the asteroid belt, so it has an increased chance of being struck by materials from that source. Mars is more likely to be struck by short-period comets, i.e., those that lie within the orbit of Jupiter. Martian craters can[discuss] have a morphology that suggests the ground became wet after the meteor impact. The large canyon, Valles Marineris (Latin for 'Mariner Valleys, also known as Agathodaemon in the old canal maps), has a length of 4,000 kilometres (2,500 mi) and a depth of up to 7 kilometres (4.3 mi). The length of Valles Marineris is equivalent to the length of Europe and extends across one-fifth the circumference of Mars. By comparison, the Grand Canyon on Earth is only 446 kilometres (277 mi) long and nearly 2 kilometres (1.2 mi) deep. Valles Marineris was formed due to the swelling of the Tharsis area, which caused the crust in the area of Valles Marineris to collapse. In 2012, it was proposed that Valles Marineris is not just a graben, but a plate boundary where 150 kilometres (93 mi) of transverse motion has occurred, making Mars a planet with possibly a two-tectonic plate arrangement. Images from the Thermal Emission Imaging System (THEMIS) aboard NASA's Mars Odyssey orbiter have revealed seven possible cave entrances on the flanks of the volcano Arsia Mons. The caves, named after loved ones of their discoverers, are collectively known as the "seven sisters". Cave entrances measure from 100 to 252 metres (328 to 827 ft) wide and they are estimated to be at least 73 to 96 metres (240 to 315 ft) deep. Because light does not reach the floor of most of the caves, they may extend much deeper than these lower estimates and widen below the surface. "Dena" is the only exception; its floor is visible and was measured to be 130 metres (430 ft) deep. The interiors of these caverns may be protected from micrometeoroids, UV radiation, solar flares and high energy particles that bombard the planet's surface. Martian geysers (or CO2 jets) are putative sites of small gas and dust eruptions that occur in the south polar region of Mars during the spring thaw. "Dark dune spots" and "spiders" – or araneiforms – are the two most visible types of features ascribed to these eruptions. Similarly sized dust will settle from the thinner Martian atmosphere sooner than it would on Earth. For example, the dust suspended by the 2001 global dust storms on Mars only remained in the Martian atmosphere for 0.6 years, while the dust from Mount Pinatubo took about two years to settle. However, under current Martian conditions, the mass movements involved are generally much smaller than on Earth. Even the 2001 global dust storms on Mars moved only the equivalent of a very thin dust layer – about 3 μm thick if deposited with uniform thickness between 58° north and south of the equator. Dust deposition at the two rover sites has proceeded at a rate of about the thickness of a grain every 100 sols. Atmosphere Mars lost its magnetosphere 4 billion years ago, possibly because of numerous asteroid strikes, so the solar wind interacts directly with the Martian ionosphere, lowering the atmospheric density by stripping away atoms from the outer layer. Both Mars Global Surveyor and Mars Express have detected ionized atmospheric particles trailing off into space behind Mars, and this atmospheric loss is being studied by the MAVEN orbiter. Compared to Earth, the atmosphere of Mars is quite rarefied. Atmospheric pressure on the surface today ranges from a low of 30 Pa (0.0044 psi) on Olympus Mons to over 1,155 Pa (0.1675 psi) in Hellas Planitia, with a mean pressure at the surface level of 600 Pa (0.087 psi). The highest atmospheric density on Mars is equal to that found 35 kilometres (22 mi) above Earth's surface. The resulting mean surface pressure is only 0.6% of Earth's 101.3 kPa (14.69 psi). The scale height of the atmosphere is about 10.8 kilometres (6.7 mi), which is higher than Earth's 6 kilometres (3.7 mi), because the surface gravity of Mars is only about 38% of Earth's. The atmosphere of Mars consists of about 96% carbon dioxide, 1.93% argon and 1.89% nitrogen along with traces of oxygen and water. The atmosphere is quite dusty, containing particulates about 1.5 μm in diameter which give the Martian sky a tawny color when seen from the surface. It may take on a pink hue due to iron oxide particles suspended in it. Despite repeated detections of methane on Mars, there is no scientific consensus as to its origin. One suggestion is that methane exists on Mars and that its concentration fluctuates seasonally. The existence of methane could be produced by non-biological process such as serpentinization involving water, carbon dioxide, and the mineral olivine, which is known to be common on Mars, or by Martian life. Compared to Earth, its higher concentration of atmospheric CO2 and lower surface pressure may be why sound is attenuated more on Mars, where natural sources are rare apart from the wind. Using acoustic recordings collected by the Perseverance rover, researchers concluded that the speed of sound there is approximately 240 m/s for frequencies below 240 Hz, and 250 m/s for those above. Auroras have been detected on Mars. Because Mars lacks a global magnetic field, the types and distribution of auroras there differ from those on Earth; rather than being mostly restricted to polar regions as is the case on Earth, a Martian aurora can encompass the planet. In September 2017, NASA reported radiation levels on the surface of the planet Mars were temporarily doubled, and were associated with an aurora 25 times brighter than any observed earlier, due to a massive, and unexpected, solar storm in the middle of the month. Mars has seasons, alternating between its northern and southern hemispheres, similar to on Earth. Additionally the orbit of Mars has, compared to Earth's, a large eccentricity and approaches perihelion when it is summer in its southern hemisphere and winter in its northern, and aphelion when it is winter in its southern hemisphere and summer in its northern. As a result, the seasons in its southern hemisphere are more extreme and the seasons in its northern are milder than would otherwise be the case. The summer temperatures in the south can be warmer than the equivalent summer temperatures in the north by up to 30 °C (54 °F). Martian surface temperatures vary from lows of about −110 °C (−166 °F) to highs of up to 35 °C (95 °F) in equatorial summer. The wide range in temperatures is due to the thin atmosphere which cannot store much solar heat, the low atmospheric pressure (about 1% that of the atmosphere of Earth), and the low thermal inertia of Martian soil. The planet is 1.52 times as far from the Sun as Earth, resulting in just 43% of the amount of sunlight. Mars has the largest dust storms in the Solar System, reaching speeds of over 160 km/h (100 mph). These can vary from a storm over a small area, to gigantic storms that cover the entire planet. They tend to occur when Mars is closest to the Sun, and have been shown to increase global temperature. Seasons also produce dry ice covering polar ice caps. Hydrology While Mars contains water in larger amounts, most of it is dust covered water ice at the Martian polar ice caps. The volume of water ice in the south polar ice cap, if melted, would be enough to cover most of the surface of the planet with a depth of 11 metres (36 ft). Water in its liquid form cannot persist on the surface due to Mars's low atmospheric pressure, which is less than 1% that of Earth. Only at the lowest of elevations are the pressure and temperature high enough for liquid water to exist for short periods. Although little water is present in the atmosphere, there is enough to produce clouds of water ice and different cases of snow and frost, often mixed with snow of carbon dioxide dry ice. Landforms visible on Mars strongly suggest that liquid water has existed on the planet's surface. Huge linear swathes of scoured ground, known as outflow channels, cut across the surface in about 25 places. These are thought to be a record of erosion caused by the catastrophic release of water from subsurface aquifers, though some of these structures have been hypothesized to result from the action of glaciers or lava. One of the larger examples, Ma'adim Vallis, is 700 kilometres (430 mi) long, much greater than the Grand Canyon, with a width of 20 kilometres (12 mi) and a depth of 2 kilometres (1.2 mi) in places. It is thought to have been carved by flowing water early in Mars's history. The youngest of these channels is thought to have formed only a few million years ago. Elsewhere, particularly on the oldest areas of the Martian surface, finer-scale, dendritic networks of valleys are spread across significant proportions of the landscape. Features of these valleys and their distribution strongly imply that they were carved by runoff resulting from precipitation in early Mars history. Subsurface water flow and groundwater sapping may play important subsidiary roles in some networks, but precipitation was probably the root cause of the incision in almost all cases. Along craters and canyon walls, there are thousands of features that appear similar to terrestrial gullies. The gullies tend to be in the highlands of the Southern Hemisphere and face the Equator; all are poleward of 30° latitude. A number of authors have suggested that their formation process involves liquid water, probably from melting ice, although others have argued for formation mechanisms involving carbon dioxide frost or the movement of dry dust. No partially degraded gullies have formed by weathering and no superimposed impact craters have been observed, indicating that these are young features, possibly still active. Other geological features, such as deltas and alluvial fans preserved in craters, are further evidence for warmer, wetter conditions at an interval or intervals in earlier Mars history. Such conditions necessarily require the widespread presence of crater lakes across a large proportion of the surface, for which there is independent mineralogical, sedimentological and geomorphological evidence. Further evidence that liquid water once existed on the surface of Mars comes from the detection of specific minerals such as hematite and goethite, both of which sometimes form in the presence of water. The chemical signature of water vapor on Mars was first unequivocally demonstrated in 1963 by spectroscopy using an Earth-based telescope. In 2004, Opportunity detected the mineral jarosite. This forms only in the presence of acidic water, showing that water once existed on Mars. The Spirit rover found concentrated deposits of silica in 2007 that indicated wet conditions in the past, and in December 2011, the mineral gypsum, which also forms in the presence of water, was found on the surface by NASA's Mars rover Opportunity. It is estimated that the amount of water in the upper mantle of Mars, represented by hydroxyl ions contained within Martian minerals, is equal to or greater than that of Earth at 50–300 parts per million of water, which is enough to cover the entire planet to a depth of 200–1,000 metres (660–3,280 ft). On 18 March 2013, NASA reported evidence from instruments on the Curiosity rover of mineral hydration, likely hydrated calcium sulfate, in several rock samples including the broken fragments of "Tintina" rock and "Sutton Inlier" rock as well as in veins and nodules in other rocks like "Knorr" rock and "Wernicke" rock. Analysis using the rover's DAN instrument provided evidence of subsurface water, amounting to as much as 4% water content, down to a depth of 60 centimetres (24 in), during the rover's traverse from the Bradbury Landing site to the Yellowknife Bay area in the Glenelg terrain. In September 2015, NASA announced that they had found strong evidence of hydrated brine flows in recurring slope lineae, based on spectrometer readings of the darkened areas of slopes. These streaks flow downhill in Martian summer, when the temperature is above −23 °C, and freeze at lower temperatures. These observations supported earlier hypotheses, based on timing of formation and their rate of growth, that these dark streaks resulted from water flowing just below the surface. However, later work suggested that the lineae may be dry, granular flows instead, with at most a limited role for water in initiating the process. A definitive conclusion about the presence, extent, and role of liquid water on the Martian surface remains elusive. Researchers suspect much of the low northern plains of the planet were covered with an ocean hundreds of meters deep, though this theory remains controversial. In March 2015, scientists stated that such an ocean might have been the size of Earth's Arctic Ocean. This finding was derived from the ratio of protium to deuterium in the modern Martian atmosphere compared to that ratio on Earth. The amount of Martian deuterium (D/H = 9.3 ± 1.7 10−4) is five to seven times the amount on Earth (D/H = 1.56 10−4), suggesting that ancient Mars had significantly higher levels of water. Results from the Curiosity rover had previously found a high ratio of deuterium in Gale Crater, though not significantly high enough to suggest the former presence of an ocean. Other scientists caution that these results have not been confirmed, and point out that Martian climate models have not yet shown that the planet was warm enough in the past to support bodies of liquid water. Near the northern polar cap is the 81.4 kilometres (50.6 mi) wide Korolev Crater, which the Mars Express orbiter found to be filled with approximately 2,200 cubic kilometres (530 cu mi) of water ice. In November 2016, NASA reported finding a large amount of underground ice in the Utopia Planitia region. The volume of water detected has been estimated to be equivalent to the volume of water in Lake Superior (which is 12,100 cubic kilometers). During observations from 2018 through 2021, the ExoMars Trace Gas Orbiter spotted indications of water, probably subsurface ice, in the Valles Marineris canyon system. Orbital motion Mars's average distance from the Sun is roughly 230 million km (143 million mi), and its orbital period is 687 (Earth) days. The solar day (or sol) on Mars is only slightly longer than an Earth day: 24 hours, 39 minutes, and 35.244 seconds. A Martian year is equal to 1.8809 Earth years, or 1 year, 320 days, and 18.2 hours. The gravitational potential difference and thus the delta-v needed to transfer between Mars and Earth is the second lowest for Earth. The axial tilt of Mars is 25.19° relative to its orbital plane, which is similar to the axial tilt of Earth. As a result, Mars has seasons like Earth, though on Mars they are nearly twice as long because its orbital period is that much longer. In the present day, the orientation of the north pole of Mars is close to the star Deneb. Mars has a relatively pronounced orbital eccentricity of about 0.09; of the seven other planets in the Solar System, only Mercury has a larger orbital eccentricity. It is known that in the past, Mars has had a much more circular orbit. At one point, 1.35 million Earth years ago, Mars had an eccentricity of roughly 0.002, much less than that of Earth today. Mars's cycle of eccentricity is 96,000 Earth years compared to Earth's cycle of 100,000 years. Mars has its closest approach to Earth (opposition) in a synodic period of 779.94 days. It should not be confused with Mars conjunction, where the Earth and Mars are at opposite sides of the Solar System and form a straight line crossing the Sun. The average time between the successive oppositions of Mars, its synodic period, is 780 days; but the number of days between successive oppositions can range from 764 to 812. The distance at close approach varies between about 54 and 103 million km (34 and 64 million mi) due to the planets' elliptical orbits, which causes comparable variation in angular size. At their furthest Mars and Earth can be as far as 401 million km (249 million mi) apart. Mars comes into opposition from Earth every 2.1 years. The planets come into opposition near Mars's perihelion in 2003, 2018 and 2035, with the 2020 and 2033 events being particularly close to perihelic opposition. The mean apparent magnitude of Mars is +0.71 with a standard deviation of 1.05. Because the orbit of Mars is eccentric, the magnitude at opposition from the Sun can range from about −3.0 to −1.4. The minimum brightness is magnitude +1.86 when the planet is near aphelion and in conjunction with the Sun. At its brightest, Mars (along with Jupiter) is second only to Venus in apparent brightness. Mars usually appears distinctly yellow, orange, or red. When farthest away from Earth, it is more than seven times farther away than when it is closest. Mars is usually close enough for particularly good viewing once or twice at 15-year or 17-year intervals. Optical ground-based telescopes are typically limited to resolving features about 300 kilometres (190 mi) across when Earth and Mars are closest because of Earth's atmosphere. As Mars approaches opposition, it begins a period of retrograde motion, which means it will appear to move backwards in a looping curve with respect to the background stars. This retrograde motion lasts for about 72 days, and Mars reaches its peak apparent brightness in the middle of this interval. Moons Mars has two relatively small (compared to Earth's) natural moons, Phobos (about 22 km (14 mi) in diameter) and Deimos (about 12 km (7.5 mi) in diameter), which orbit at 9,376 km (5,826 mi) and 23,460 km (14,580 mi) around the planet. The origin of both moons is unclear, although a popular theory states that they were asteroids captured into Martian orbit. Both satellites were discovered in 1877 by Asaph Hall and were named after the characters Phobos (the deity of panic and fear) and Deimos (the deity of terror and dread), twins from Greek mythology who accompanied their father Ares, god of war, into battle. Mars was the Roman equivalent to Ares. In modern Greek, the planet retains its ancient name Ares (Aris: Άρης). From the surface of Mars, the motions of Phobos and Deimos appear different from that of the Earth's satellite, the Moon. Phobos rises in the west, sets in the east, and rises again in just 11 hours. Deimos, being only just outside synchronous orbit – where the orbital period would match the planet's period of rotation – rises as expected in the east, but slowly. Because the orbit of Phobos is below a synchronous altitude, tidal forces from Mars are gradually lowering its orbit. In about 50 million years, it could either crash into Mars's surface or break up into a ring structure around the planet. The origin of the two satellites is not well understood. Their low albedo and carbonaceous chondrite composition have been regarded as similar to asteroids, supporting a capture theory. The unstable orbit of Phobos would seem to point toward a relatively recent capture. But both have circular orbits near the equator, which is unusual for captured objects, and the required capture dynamics are complex. Accretion early in the history of Mars is plausible, but would not account for a composition resembling asteroids rather than Mars itself, if that is confirmed. Mars may have yet-undiscovered moons, smaller than 50 to 100 metres (160 to 330 ft) in diameter, and a dust ring is predicted to exist between Phobos and Deimos. A third possibility for their origin as satellites of Mars is the involvement of a third body or a type of impact disruption. More-recent lines of evidence for Phobos having a highly porous interior, and suggesting a composition containing mainly phyllosilicates and other minerals known from Mars, point toward an origin of Phobos from material ejected by an impact on Mars that reaccreted in Martian orbit, similar to the prevailing theory for the origin of Earth's satellite. Although the visible and near-infrared (VNIR) spectra of the moons of Mars resemble those of outer-belt asteroids, the thermal infrared spectra of Phobos are reported to be inconsistent with chondrites of any class. It is also possible that Phobos and Deimos were fragments of an older moon, formed by debris from a large impact on Mars, and then destroyed by a more recent impact upon the satellite. More recently, a study conducted by a team of researchers from multiple countries suggests that a lost moon, at least fifteen times the size of Phobos, may have existed in the past. By analyzing rocks which point to tidal processes on the planet, it is possible that these tides may have been regulated by a past moon. Human observations and exploration The history of observations of Mars is marked by oppositions of Mars when the planet is closest to Earth and hence is most easily visible, which occur every couple of years. Even more notable are the perihelic oppositions of Mars, which are distinguished because Mars is close to perihelion, making it even closer to Earth. The ancient Sumerians named Mars Nergal, the god of war and plague. During Sumerian times, Nergal was a minor deity of little significance, but, during later times, his main cult center was the city of Nineveh. In Mesopotamian texts, Mars is referred to as the "star of judgement of the fate of the dead". The existence of Mars as a wandering object in the night sky was also recorded by the ancient Egyptian astronomers and, by 1534 BCE, they were familiar with the retrograde motion of the planet. By the period of the Neo-Babylonian Empire, the Babylonian astronomers were making regular records of the positions of the planets and systematic observations of their behavior. For Mars, they knew that the planet made 37 synodic periods, or 42 circuits of the zodiac, every 79 years. They invented arithmetic methods for making minor corrections to the predicted positions of the planets. In Ancient Greece, the planet was known as Πυρόεις. Commonly, the Greek name for the planet now referred to as Mars, was Ares. It was the Romans who named the planet Mars, for their god of war, often represented by the sword and shield of the planet's namesake. In the fourth century BCE, Aristotle noted that Mars disappeared behind the Moon during an occultation, indicating that the planet was farther away. Ptolemy, a Greek living in Alexandria, attempted to address the problem of the orbital motion of Mars. Ptolemy's model and his collective work on astronomy was presented in the multi-volume collection later called the Almagest (from the Arabic for "greatest"), which became the authoritative treatise on Western astronomy for the next fourteen centuries. Literature from ancient China confirms that Mars was known by Chinese astronomers by no later than the fourth century BCE. In the East Asian cultures, Mars is traditionally referred to as the "fire star" (火星) based on the Wuxing system. In 1609 Johannes Kepler published a 10 year study of Martian orbit, using the diurnal parallax of Mars, measured by Tycho Brahe, to make a preliminary calculation of the relative distance to the planet. From Brahe's observations of Mars, Kepler deduced that the planet orbited the Sun not in a circle, but in an ellipse. Moreover, Kepler showed that Mars sped up as it approached the Sun and slowed down as it moved farther away, in a manner that later physicists would explain as a consequence of the conservation of angular momentum.: 433–437 In 1610 the first use of a telescope for astronomical observation, including Mars, was performed by Italian astronomer Galileo Galilei. With the telescope the diurnal parallax of Mars was again measured in an effort to determine the Sun-Earth distance. This was first performed by Giovanni Domenico Cassini in 1672. The early parallax measurements were hampered by the quality of the instruments. The only occultation of Mars by Venus observed was that of 13 October 1590, seen by Michael Maestlin at Heidelberg. By the 19th century, the resolution of telescopes reached a level sufficient for surface features to be identified. On 5 September 1877, a perihelic opposition to Mars occurred. The Italian astronomer Giovanni Schiaparelli used a 22-centimetre (8.7 in) telescope in Milan to help produce the first detailed map of Mars. These maps notably contained features he called canali, which, with the possible exception of the natural canyon Valles Marineris, were later shown to be an optical illusion. These canali were supposedly long, straight lines on the surface of Mars, to which he gave names of famous rivers on Earth. His term, which means "channels" or "grooves", was popularly mistranslated in English as "canals". Influenced by the observations, the orientalist Percival Lowell founded an observatory which had 30- and 45-centimetre (12- and 18-in) telescopes. The observatory was used for the exploration of Mars during the last good opportunity in 1894, and the following less favorable oppositions. He published several books on Mars and life on the planet, which had a great influence on the public. The canali were independently observed by other astronomers, like Henri Joseph Perrotin and Louis Thollon in Nice, using one of the largest telescopes of that time. The seasonal changes (consisting of the diminishing of the polar caps and the dark areas formed during Martian summers) in combination with the canals led to speculation about life on Mars, and it was a long-held belief that Mars contained vast seas and vegetation. As bigger telescopes were used, fewer long, straight canali were observed. During observations in 1909 by Antoniadi with an 84-centimetre (33 in) telescope, irregular patterns were observed, but no canali were seen. The first spacecraft from Earth to visit Mars was Mars 1 of the Soviet Union, which flew by in 1963, but contact was lost en route. NASA's Mariner 4 followed and became the first spacecraft to successfully transmit from Mars; launched on 28 November 1964, it made its closest approach to the planet on 15 July 1965. Mariner 4 detected the weak Martian radiation belt, measured at about 0.1% that of Earth, and captured the first images of another planet from deep space. Once spacecraft visited the planet during the 1960s and 1970s, many previous concepts of Mars were radically broken. After the results of the Viking life-detection experiments, the hypothesis of a dead planet was generally accepted. The data from Mariner 9 and Viking allowed better maps of Mars to be made. Until 1997 and after Viking 1 shut down in 1982, Mars was only visited by three unsuccessful probes, two flying past without contact (Phobos 1, 1988; Mars Observer, 1993), and one (Phobos 2 1989) malfunctioning in orbit before reaching its destination Phobos. In 1997 Mars Pathfinder became the first successful rover mission beyond the Moon and started together with Mars Global Surveyor (operated until late 2006) an uninterrupted active robotic presence at Mars that has lasted until today. It produced complete, extremely detailed maps of the Martian topography, magnetic field and surface minerals. Starting with these missions a range of new improved crewless spacecraft, including orbiters, landers, and rovers, have been sent to Mars, with successful missions by the NASA (United States), Jaxa (Japan), ESA, United Kingdom, ISRO (India), Roscosmos (Russia), the United Arab Emirates, and CNSA (China) to study the planet's surface, climate, and geology, uncovering the different elements of the history and dynamic of the hydrosphere of Mars and possible traces of ancient life. As of 2023[update], Mars is host to ten functioning spacecraft. Eight are in orbit: 2001 Mars Odyssey, Mars Express, Mars Reconnaissance Orbiter, MAVEN, ExoMars Trace Gas Orbiter, the Hope orbiter, and the Tianwen-1 orbiter. Another two are on the surface: the Mars Science Laboratory Curiosity rover and the Perseverance rover. Collected maps are available online at websites including Google Mars. NASA provides two online tools: Mars Trek, which provides visualizations of the planet using data from 50 years of exploration, and Experience Curiosity, which simulates traveling on Mars in 3-D with Curiosity. Planned missions to Mars include: As of February 2024[update], debris from these types of missions has reached over seven tons. Most of it consists of crashed and inactive spacecraft as well as discarded components. In April 2024, NASA selected several companies to begin studies on providing commercial services to further enable robotic science on Mars. Key areas include establishing telecommunications, payload delivery and surface imaging. Habitability and habitation During the late 19th century, it was widely accepted in the astronomical community that Mars had life-supporting qualities, including the presence of oxygen and water. However, in 1894 W. W. Campbell at Lick Observatory observed the planet and found that "if water vapor or oxygen occur in the atmosphere of Mars it is in quantities too small to be detected by spectroscopes then available". That observation contradicted many of the measurements of the time and was not widely accepted. Campbell and V. M. Slipher repeated the study in 1909 using better instruments, but with the same results. It was not until the findings were confirmed by W. S. Adams in 1925 that the myth of the Earth-like habitability of Mars was finally broken. However, even in the 1960s, articles were published on Martian biology, putting aside explanations other than life for the seasonal changes on Mars. The current understanding of planetary habitability – the ability of a world to develop environmental conditions favorable to the emergence of life – favors planets that have liquid water on their surface. Most often this requires the orbit of a planet to lie within the habitable zone, which for the Sun is estimated to extend from within the orbit of Earth to about that of Mars. During perihelion, Mars dips inside this region, but Mars's thin (low-pressure) atmosphere prevents liquid water from existing over large regions for extended periods. The past flow of liquid water demonstrates the planet's potential for habitability. Recent evidence has suggested that any water on the Martian surface may have been too salty and acidic to support regular terrestrial life. The environmental conditions on Mars are a challenge to sustaining organic life: the planet has little heat transfer across its surface, it has poor insulation against bombardment by the solar wind due to the absence of a magnetosphere and has insufficient atmospheric pressure to retain water in a liquid form (water instead sublimes to a gaseous state). Mars is nearly, or perhaps totally, geologically dead; the end of volcanic activity has apparently stopped the recycling of chemicals and minerals between the surface and interior of the planet. Evidence suggests that the planet was once significantly more habitable than it is today, but whether living organisms ever existed there remains unknown. The Viking probes of the mid-1970s carried experiments designed to detect microorganisms in Martian soil at their respective landing sites and had positive results, including a temporary increase in CO2 production on exposure to water and nutrients. This sign of life was later disputed by scientists, resulting in a continuing debate, with NASA scientist Gilbert Levin asserting that Viking may have found life. A 2014 analysis of Martian meteorite EETA79001 found chlorate, perchlorate, and nitrate ions in sufficiently high concentrations to suggest that they are widespread on Mars. UV and X-ray radiation would turn chlorate and perchlorate ions into other, highly reactive oxychlorines, indicating that any organic molecules would have to be buried under the surface to survive. Small quantities of methane and formaldehyde detected by Mars orbiters are both claimed to be possible evidence for life, as these chemical compounds would quickly break down in the Martian atmosphere. Alternatively, these compounds may instead be replenished by volcanic or other geological means, such as serpentinite. Impact glass, formed by the impact of meteors, which on Earth can preserve signs of life, has also been found on the surface of the impact craters on Mars. Likewise, the glass in impact craters on Mars could have preserved signs of life, if life existed at the site. The Cheyava Falls rock discovered on Mars in June 2024 has been designated by NASA as a "potential biosignature" and was core sampled by the Perseverance rover for possible return to Earth and further examination. Although highly intriguing, no definitive final determination on a biological or abiotic origin of this rock can be made with the data currently available. Several plans for a human mission to Mars have been proposed, but none have come to fruition. The NASA Authorization Act of 2017 directed NASA to study the feasibility of a crewed Mars mission in the early 2030s; the resulting report concluded that this would be unfeasible. In addition, in 2021, China was planning to send a crewed Mars mission in 2033. Privately held companies such as SpaceX have also proposed plans to send humans to Mars, with the eventual goal to settle on the planet. As of 2024, SpaceX has proceeded with the development of the Starship launch vehicle with the goal of Mars colonization. In plans shared with the company in April 2024, Elon Musk envisions the beginning of a Mars colony within the next twenty years. This would be enabled by the planned mass manufacturing of Starship and initially sustained by resupply from Earth, and in situ resource utilization on Mars, until the Mars colony reaches full self sustainability. Any future human mission to Mars will likely take place within the optimal Mars launch window, which occurs every 26 months. The moon Phobos has been proposed as an anchor point for a space elevator. Besides national space agencies and space companies, groups such as the Mars Society and The Planetary Society advocate for human missions to Mars. In culture Mars is named after the Roman god of war (Greek Ares), but was also associated with the demi-god Heracles (Roman Hercules) by ancient Greek astronomers, as detailed by Aristotle. This association between Mars and war dates back at least to Babylonian astronomy, in which the planet was named for the god Nergal, deity of war and destruction. It persisted into modern times, as exemplified by Gustav Holst's orchestral suite The Planets, whose famous first movement labels Mars "The Bringer of War". The planet's symbol, a circle with a spear pointing out to the upper right, is also used as a symbol for the male gender. The symbol dates from at least the 11th century, though a possible predecessor has been found in the Greek Oxyrhynchus Papyri. The idea that Mars was populated by intelligent Martians became widespread in the late 19th century. Schiaparelli's "canali" observations combined with Percival Lowell's books on the subject put forward the standard notion of a planet that was a drying, cooling, dying world with ancient civilizations constructing irrigation works. Many other observations and proclamations by notable personalities added to what has been termed "Mars Fever". In the present day, high-resolution mapping of the surface of Mars has revealed no artifacts of habitation, but pseudoscientific speculation about intelligent life on Mars still continues. Reminiscent of the canali observations, these speculations are based on small scale features perceived in the spacecraft images, such as "pyramids" and the "Face on Mars". In his book Cosmos, planetary astronomer Carl Sagan wrote: "Mars has become a kind of mythic arena onto which we have projected our Earthly hopes and fears." The depiction of Mars in fiction has been stimulated by its dramatic red color and by nineteenth-century scientific speculations that its surface conditions might support not just life but intelligent life. This gave way to many science fiction stories involving these concepts, such as H. G. Wells's The War of the Worlds, in which Martians seek to escape their dying planet by invading Earth; Ray Bradbury's The Martian Chronicles, in which human explorers accidentally destroy a Martian civilization; as well as Edgar Rice Burroughs's series Barsoom, C. S. Lewis's novel Out of the Silent Planet (1938), and a number of Robert A. Heinlein stories before the mid-sixties. Since then, depictions of Martians have also extended to animation. A comic figure of an intelligent Martian, Marvin the Martian, appeared in Haredevil Hare (1948) as a character in the Looney Tunes animated cartoons of Warner Brothers, and has continued as part of popular culture to the present. After the Mariner and Viking spacecraft had returned pictures of Mars as a lifeless and canal-less world, these ideas about Mars were abandoned; for many science-fiction authors, the new discoveries initially seemed like a constraint, but eventually the post-Viking knowledge of Mars became itself a source of inspiration for works like Kim Stanley Robinson's Mars trilogy. See also Notes References Further reading External links Solar System → Local Interstellar Cloud → Local Bubble → Gould Belt → Orion Arm → Milky Way → Milky Way subgroup → Local Group → Local Sheet → Local Volume → Virgo Supercluster → Laniakea Supercluster → Pisces–Cetus Supercluster Complex → Local Hole → Observable universe → UniverseEach arrow (→) may be read as "within" or "part of".
========================================
[SOURCE: https://en.wikipedia.org/wiki/Nahal_Sorek_Regional_Council] | [TOKENS: 164]
Contents Nahal Sorek Regional Council Nahal Sorek Regional Council (Hebrew: מועצה אזורית נחל שורק, Mo'atza Azorit Nahal Sorek) is a regional council in the Central District of Israel. The seat of the council is Yad Binyamin. The council is named for the Sorek stream. List of communities This regional council provides various municipal services for a few settlements within its territory: References External links 31°48′N 34°49′E / 31.800°N 34.817°E / 31.800; 34.817 This geography of Israel article is a stub. You can help Wikipedia by adding missing information.
========================================
[SOURCE: https://en.wikipedia.org/wiki/Lid%C3%A9rc] | [TOKENS: 883]
Contents Lidérc A lidérc (Hungarian pronunciation: [ˈlideːrt͡s]) is a unique supernatural being of Hungarian folklore. It has three known varieties, which often borrow traits from one another. The first, more traditional form of the lidérc is as a miracle chicken, csodacsirke in Hungarian, which hatches from the first egg of a black hen kept warm under the arm of a human. Some versions of the legend say that an unusually tiny black hen's egg, or any egg at all, may become a lidérc, or that the egg must be hatched by placing it in a heap of manure. The lidérc attaches itself to people to become their lover. If the owner is a woman, the being shifts into a man, but instead of pleasuring the woman, it fondles her, sits on her body, and sometimes sucks her blood, making her weak and sick after a time. From this source comes a Hungarian word for nightmare -- lidércnyomás, which literally means "lidérc pressure", from the pressure on the body while the being sits on it. Alternate names for the lidérc are iglic, ihlic in Csallóköz, lüdérc, piritusz in the south, and mit-mitke in the east. The lidérc hoards gold and thus makes its owner rich. To dispose of this form of the lidérc, it must be persuaded to perform an impossible task, such as haul sand with rope, or water with a sieve. It can also be destroyed by locking it into a tree hollow. The second variety of the lidérc is as a tiny being, a temporal devil, földi ördög in Hungarian. It has many overlapping qualities with the miracle chicken form, and it may also be obtained from a black hen's egg, but more often it is found accidentally in rags, boxes, glass bottles, or in the pockets of old clothes. A person owning this form of the lidérc suddenly becomes rich and is capable of extraordinary feats, because the person's soul has supposedly been given to the lidérc, or even to the Devil. The third variety is as a Satanic lover, ördögszerető in Hungarian, quite similar to an incubus or succubus. This form of the lidérc flies at night, appearing as a fiery light, a will o' the wisp, or even as a bird of fire. In the northern regions of Hungary and beyond, it is also known as ludvérc, lucfir. In Transylvania and Moldavia it goes by the names of lidérc, lüdérc, and sometimes ördög, literally, the Devil. While in flight, the lidérc sprinkles flames. On earth, it can assume a human shape, usually the shape of a much lamented dead relative or lover. Its footprints are that of a horse. The lidérc enters houses through chimneys or keyholes, brings sickness and doom to its victims. It leaves the house with a splash of flames and dirties the walls. Burning incense and birch branches prevent the lidérc from entering one's dwelling. In the eastern regions of Hungary and beyond, it is said the lidérc is impossible to outrun, it haunts cemeteries, and it must disappear at the first crow of a rooster at dawn. Appearances in modern literature A lidérc is mentioned in the famous historical novel The Name of the Rose by Umberto Eco. But he knew a prodigious spell that would make every woman succumb to love. You had to kill a black cat and dig out its eyes, then put them in two eggs of a black hen, one egg in one eye, one eye in the other (and he showed me two eggs that he swore he had taken from appropriate hens). Then you had to let the eggs rot in a pile of horse dung (and he had one ready in a corner of the vegetable garden where nobody ever went), and there a little devil would be born from each egg, and would then be at your service, procuring for you all the delights of this world. Appearances in media A shape-shifting lidérc is revealed in Lost Girl episode "Caged Fae" (301). Notes References
========================================
[SOURCE: https://en.wikipedia.org/wiki/ProPublica] | [TOKENS: 2940]
Contents ProPublica ProPublica, Inc. (/proʊˈpʌblɪkə/), is a nonprofit investigative journalism organization based in New York City. ProPublica's investigations are conducted by its staff of full-time reporters, and the resulting stories are distributed to news partners for publication or broadcast. In some cases, reporters from both ProPublica and its partners work together on a story. ProPublica has partnered with more than 90 different news organizations and has won several Pulitzer Prizes. In 2010, ProPublica became the first online news source to win a Pulitzer Prize; the story chronicled the urgent life-and-death decisions made by one hospital's exhausted doctors when they were cut off by the floodwaters of Hurricane Katrina, and it was published both in the New York Times Magazine and on ProPublica's website. History ProPublica was the brainchild of Herbert and Marion Sandler, the former chief executives of the Golden West Financial Corporation, who committed $10 million per year to the project. The Sandlers hired Paul Steiger, former managing editor of the Wall Street Journal, to create and run the organization as editor in chief. At the time ProPublica was set up, Steiger responded to concerns about the impact of the left-leaning political views of the Sandlers, saying on the Newshour with Jim Lehrer: Coming into this, when I talked to Herb and Marion Sandler, one of my concerns was precisely this question of independence and nonpartisanship ... My history has been doing "down the middle" reporting. And so when I talked to Herb and Marion I said, "Are you comfortable with that?" They said, "Absolutely." I said, "Well, suppose we did an exposé of some of the left leaning organizations that you have supported or that are friendly to what you've supported in the past." They said, "No problem." And when we set up our organizational structure, the board of directors, on which I sit and of which Herb is the chairman, does not know in advance what we're going to report on. ProPublica had an initial news staff of 28 reporters and editors, including Pulitzer Prize winners Charles Ornstein, Tracy Weber, Jeff Gerth, and Marcus Stern. Steiger is reported to have received 850 applications after ProPublica's announcement. The organization appointed a 12-member advisory board of professional journalists. The newsgroup shares its work under the Creative Commons no-derivative, non-commercial license. On August 5, 2015, Yelp announced a partnership with ProPublica to bring improved healthcare data into Yelp's statistics on healthcare providers. Funding While ProPublica has received significant financial support from the Sandler Foundation, it also has received funding from the Knight Foundation, MacArthur Foundation, Pew Charitable Trusts, Ford Foundation, the Carnegie Corporation, and the Atlantic Philanthropies. ProPublica and the Knight Foundation have various connections. For example, Paul Steiger, executive chairman of ProPublica, is a trustee of the Knight Foundation. Similarly, Alberto Ibarguen, the president and CEO of the Knight Foundation, is on the board of ProPublica. ProPublica, along with other major news outlets, received grant funding from Sam Bankman-Fried, the founder of cryptocurrency exchange FTX. ProPublica has attracted attention for the salaries it pays employees. In 2008, Paul Steiger, the editor of ProPublica, received a salary of $570,000. Steiger was formerly the managing editor at The Wall Street Journal, where his total compensation (including options) was double that at ProPublica. Steiger's stated strategy is to use a Wall Street Journal pay model to attract journalistic talent. In 2010, eight ProPublica employees earned more than $160,000, including managing editor Stephen Engelberg ($343,463) and the highest-paid reporter, Dafna Linzer, formerly of the Washington Post ($205,445). Awards In 2010, ProPublica jointly won the Pulitzer Prize for Investigative Reporting (with the Philadelphia Daily News for an unrelated story) for the story "The Deadly Choices at Memorial"; this "chronicles the urgent life-and-death decisions made by one hospital's exhausted doctors when they were cut off by the floodwaters of Hurricane Katrina." The story was written by ProPublica's Sheri Fink, and it was published in The New York Times Magazine as well as on the ProPublica website. This was the first Pulitzer Prize awarded to an online news source. The article also won the National Magazine Award for Reporting in 2010. In 2011, ProPublica won its second Pulitzer Prize. Reporters Jesse Eisinger and Jake Bernstein won the Pulitzer Prize for National Reporting for their series, The Wall Street Money Machine. This was the first time a Pulitzer Prize was awarded to a group of stories not published in print. In 2016, ProPublica won its third Pulitzer Prize, this one for Explanatory Reporting—in collaboration with The Marshall Project for "a startling examination and exposé of law enforcement's enduring failures to investigate reports of rape properly and to comprehend the traumatic effects on its victims." In 2017, ProPublica and the New York Daily News were awarded the Pulitzer Prize for Public Service for a series of reports on the use of eviction rules by the New York City Police Department. In 2019, the Peabody Awards honored ProPublica with the first-ever Peabody Catalyst Award; this was for releasing audio in 2018 that brought immediate change to a controversial government practice of family separation at the southern border. Also in 2019, ProPublica reporter Hannah Dreier was awarded the Pulitzer Prize for Feature Writing; this was for her series that followed immigrants on Long Island whose lives were shattered by a botched crackdown on MS-13. In May 2020, ProPublica won the Pulitzer Prize for Public Service for illuminating public safety gaps in Alaska. In that same year, ProPublica also won the Pulitzer Prize for National Reporting; this prize was for coverage of the United States Navy, in particular the collisions of the USS Fitzgerald and USS John S. McCain (DDG-56) with civilian vessels in separate incidents in the western Pacific Ocean. The stories were written by T. Christian Miller, Megan Rose and Robert Faturechi. In 2021 and 2022, ProPublica journalists Lisa Song and Mark Olalde won SEAL Awards for consistent excellence in environmental reporting. In May 2024, ProPublica won the Pulitzer Prize for Public Service, for reporting on the billionaires who were giving gifts to the US Supreme Court's justices and paying their travel expenses. The stories were written by Joshua Kaplan, Justin Elliott, Brett Murphy, Alex Mierjeski and Kirsten Berg. In July 2024, Mary Hudetz was presented with the Richard LaCourse Award for Investigative Journalism by the Indigenous Journalists Association for her work on ProPublica’s "The Repatriation Project." Her reporting, which focused on the complexities and obstacles in repatriating Native American remains and sacred objects from museums and universities, "had rippling effects at the institutional level down to Indigenous communities and peoples". Notable reporting and projects T. Christian Miller of ProPublica and Ken Armstrong of The Marshall Project collaborated on this piece about the process that discovered a serial rapist in Colorado and Washington state. The piece won a 2016 Pulitzer Prize for Explanatory Reporting. This piece was adapted into the 2019 Netflix series Unbelievable. In 2016, ProPublica published an investigation of the COMPAS algorithm used by U.S. courts to assess the likelihood of a defendant becoming a recidivist. Led by Julia Angwin, the investigation found that "blacks are almost twice as likely as whites to be labeled a higher risk but not actually re-offend," whereas COMPAS "makes the opposite mistake among whites: They are much more likely than blacks to be labeled lower-risk but go on to commit other crimes." They also found that only 20 percent of people predicted to commit violent crimes actually went on to do so. COMPAS developer Northpointe criticized ProPublica’s methodology, while a team at the Community Resources for Justice, a criminal justice think tank, published a rebuttal of the investigation's findings. ProPublica conducted a large-scale, circumscribed investigation on Psychiatric Solutions, a company based in Tennessee that buys failing hospitals, cuts staff, and accumulates profit. The report covered patient deaths at numerous Psychiatric Solutions facilities, the failing physical plant at many of their facilities, and covered the State of Florida's first closure of Manatee Palms Youth Services, which has since been shut down by Florida officials once again. Their report was published in conjunction with the Los Angeles Times. In 2017, ProPublica launched the Documenting Hate project for systematic tracking of hate crimes and bias incidents. The project is part of their Civil Rights beat, and allows victims or witnesses of hate crime incidents to submit stories. The project also allows journalists and newsrooms to partner with ProPublica to write stories based on the dataset they are collecting. For example, the Minneapolis Star Tribune partnered with ProPublica to write about reporting of hate crimes in Minnesota. In 2015, ProPublica launched Surgeon Scorecard, an interactive database that allows users to view complication rates for eight common elective procedures. The tool allows users to find surgeons and hospitals, and see their complication rates. The database was controversial, drawing criticism from doctors and prompting a critique from RAND. However, statisticians, including Andrew Gelman, stood behind their decision to attempt to shine light on an opaque aspect of the medical field, and ProPublica offered specific rebuttals to RAND's claims. ProPublica has created an interactive map that allows people to search for addresses in New York City to see the effects of eviction cases. The app was nominated for a Livingston Award. In June 2021, after receiving leaked, hacked, or stolen IRS documents, ProPublica published a report which claimed that tax rates for the wealthiest Americans were significantly lower than the average middle class tax rate, if unrealized capital gains are considered as equivalent to earned income. ProPublica would later reveal that technology investor and political donor Peter Thiel legally earned more than $5 billion in a tax-free Roth IRA account through his investments in private companies. Attorney General Merrick Garland told lawmakers that investigating the source of the release would be a top priority for the Justice Department. Research by ProPublica and Nashville Public Radio found juvenile incarcerations in Rutherford County, Tennessee, to be far higher than the national average. The investigation, published in October 2021 as "Black Children Were Jailed for a Crime That Doesn’t Exist. Almost Nothing Happened to the Adults in Charge", revealed that county authorities had charged some of the children under non-existent laws, as directed by Judge Donna Scott Davenport, and that, among Tennessee children referred to juvenile court, the statewide rate of incarceration was five percent, while in Rutherford County it was 48 percent. The article was a finalist in the 2022 National Magazine Awards. Reportage continued by podcast, with The Kids of Rutherford County. In 2021, ProPublica published the results of a two-year analytical project involving examining billions of rows of EPA data to create a map to chart industrial pollution at the neighborhood level – the first of its kind. In five years' worth of EPA data, ProPublica identified over 1,000 toxic hotspots nationwide, estimating that 250,000 people living near these areas may have been exposed to levels of cancer risk that the EPA deems unacceptable. ProPublica intended to represent data in a way where the public can understand the risk of breathing the air where they live. Through the map, the town of Verona, Missouri was identified to have an industrial cancer risk 27 times larger than the acceptable value. Subsequently, the EPA agreed to install three air monitors to track ethylene oxide concentration in Verona.[better source needed] Additional "hot spots" identified on the map include the city of Longview in eastern Texas; the most high-risk area of Longview has a risk level 72 times greater than the EPA's acceptable risk. This most high-risk area is the home of Texas Eastman Chemical Plant. According to ProPublica, its analysis of the plant's emissions detected ethylene oxide and 1-3 butadiene. The Texas Eastman Chemical Plant says it has conducted its own tests which "have revealed no areas of concern." In 2017, ProPublica published an investigative report detailing the involvement of Gina Haspel in enhanced interrogation techniques at a black site in Thailand. The report focused particularly on the harsh methods used on Abu Zubaydah, including waterboarding, confinement in small boxes, and wall slamming. In 2018, ProPublica retracted part of its 2017 report and said that Haspel had not taken over control of the black site until after Abu Zubaydah interrogation had ended. This retraction came after Haspel was nominated to lead the CIA, sparking renewed scrutiny of her record. The Associated Press (AP), The New York Times, NBC and The Atlantic made similar corrections to stories they had published about Haspel's time as head of the Thai black site. In 2023, ProPublica launched an investigative series uncovering the complexities and delays in repatriating Native American remains and cultural items under the 1990 Native American Graves Protection and Repatriation Act (NAGPRA). The series exposed institutional resistance from museums and universities, driving significant policy discussions and increased efforts toward compliance. This investigative work earned Mary Hudetz the Richard LaCourse Award for Investigative Journalism from the Indigenous Journalists Association in July 2024. Launched in 2018, the Local Reporting Network consists of partnerships with over 70 local news organizations. Partner organizations selected in 2024 include The Current in Georgia, Idaho Statesman, The Salt Lake Tribune, Street Roots in Oregon, and Tennessee Lookout. The network subsidizes salary and benefits for reporters, who must apply together with a local news organization. Work from the Network's partnership with the Anchorage Daily News won the 2020 Pulitzer Prize for Public Service. See also References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Overlay_keyboard] | [TOKENS: 266]
Contents Overlay keyboard An overlay keyboard or concept keyboard is a specialized keyboard with no preset keys. Each key can be programmed with a wide range of different functions. Overlay keyboards are often used as a quick and easy way to input items with just two buttons. Overlay keyboards generally consist of a flat grid of unmarked buttons. A sheet called an overlay is placed on the keyboard to identify each key, after the keyboard is programmed. The overlay can consist of any combination of words, symbols, or pictures. Advantages Overlay keyboards have several advantages over conventional keyboards or mice. They do not require memorization of shortcut keys (i.e. F5, Alt+S, etc.) nor do they require a great deal of fine motor control, making them ideal for people who have difficulty using a conventional keyboard. Overlay keyboards are easy to clean, and resistant to spills or dust. The ability to change overlay sheets also makes it easy for a single overlay keyboard to have several different uses. Usage Overlay keyboards are probably most often found in fast food restaurants, where they reduce the amount of time required to enter items. Overlay keyboards are also used in education, especially at the primary level. They can also be used by disabled people who have sensory or motor control difficulties. References This computer hardware article is a stub. You can help Wikipedia by adding missing information.
========================================
[SOURCE: https://en.wikipedia.org/wiki/Likho] | [TOKENS: 540]
Contents Likho Likho, liho, lykho (Belarusian: лі́ха, Polish: licho, Russian: Лихо, Ukrainian: Лихо) is an embodiment of evil fate and misfortune in Slavic mythology. A creature with one eye who is often depicted as an old, skinny woman in black (Лихо одноглазое, One-eyed Likho) or as an evil male goblin of forests. Rather than being included in the major canon of the Slavic belief system, the Likho is traditionally found in fairy tales. Story There are several basic versions of tales about how a person meets with Likho with different morals of the tale. Within the framework of superstitions, Likho was supposed to come and eat a person. In particular, this was used to scare small children. In Ukrainian folklore, it is sometimes portrayed as type of bad spirit that can cling to one's neck. Nomenclature Likho is not a real proper name but a noun meaning bad luck in modern Russian and Ukrainian and the odd number in Polish (obsolete). Several proverbs utilize this term such as the Russian "Не буди лихо, пока оно тихо" and the Ukrainian "Не буди лихо, поки воно тихо", literally translated as "Don't wake likho while it is quiet"; similar to "Don't trouble trouble until trouble troubles you"; or the Polish "Cicho! Licho nie śpi" translated as "Quiet! Evil does not sleep"; and "Licho wie" (literally "Licho [only] knows"), used to mean that a given piece of information is known by no one. In old Russian, the root meant "excessive", "too much", "remaining" and "odd number" (contrasted with chetno in the chetno i likho game) with pejorative connotations, similar to the unlucky 'odd man out'. Compare to Russian lishniy – one in excess. The word is likely to be related to Indo-European leikw meaning something to remain, to leave. The derived adjective likhoy can be used to describe someone who is a bit too daring or brave. In Czech, lichý means odd (number), idle, vain. In Polish, lichy means shoddy, poor, flimsy. In Belarusian language, ліхі means bad, evil (like in prayer), odd (side of clothing). In Ukrainian language, it is type of bad luck or incident. See also References Further reading
========================================
[SOURCE: https://en.wikipedia.org/wiki/Gadi_Eisenkot] | [TOKENS: 2091]
Contents Gadi Eisenkot Gadi Eisenkot (Hebrew: גדי איזנקוט; born 19 May 1960), also spelt Eizenkot, is an Israeli general and politician. A member of the Yashar party, he served from 2015 to 2019 as the 21st chief of staff of the Israel Defense Forces and from 2023 to 2024 as a minister without portfolio in Israel's unity government. Eisenkot, who grew up in Eilat, pursued maritime studies and later served in the IDF's Golani Brigade. He holds a B.A. in history from Tel Aviv University and a post-graduate degree in political science from Haifa University. Married with five children, he resides in Herzliya. One of his sons, Gal, was killed in action during the Gaza war. Eisenkot has held various leadership roles in the Golani Brigade and other IDF divisions. He served as Prime Minister Ehud Barak's military secretary and later as the IDF's chief of staff. During his tenure as chief of staff, Eisenkot focused on strengthening IDF ground forces and implementing the "Gideon" multiyear plan, which emphasized force buildup and the formation of a cyber command. Eisenkot advocates for a state rooted in national-Jewish values but with equal rights for all citizens. He supports a two-state solution with the Palestinians, prioritizing the Jordan Valley and settlement blocs, and advocates a long-term ceasefire and demilitarization in the Gaza Strip. Eisenkot has emphasized the need for a robust security policy and internal unity in Israel, viewing domestic polarization as a significant threat. He advocates for reforms to strengthen the separation of powers in the Israeli government. Biography Gadi Eisenkot was born in Tiberias, in northern Israel. He is the second of four children born to Meir and Esther Eisenkot, Jewish Moroccan immigrants from the town of Safi. His mother was born in Casablanca, and his father was born in Marrakesh. It is thought that the family name was originally Azenkot and was changed to Eisenkot by a clerk after his father immigrated to Israel. After his parents divorced, his father remarried and had four more children. Eisenkot grew up in the southern port city of Eilat, and studied at Goldwater High School, majoring in maritime studies. After high school he was drafted to the Israel Defense Forces (IDF) and served in the Golani Brigade. He graduated with a B.A. in history from Tel Aviv University and later completed a post-graduate degree at Haifa University in political science. Eisenkot is married and the father of five children. He currently resides in Herzliya. One of his children, Master Sergeant Gal Meir Eisenkot, was killed in the Gaza war in December 2023, at the age of 25. Two of his nephews were also killed in the war. One, Sergeant Maor Cohen Eisenkot, was killed a day after his son. The other nephew, Captain Yogev Pazy, was killed in November 2024. Military career Eisenkot did his military service in the Golani Brigade, of which he became commander in 1997–98. He served as a soldier, a squad leader and a platoon leader. In the First Lebanon War he served as a Company commander in the Golani brigade. During the South Lebanon conflict (1985–2000) he served as the brigade's Operations Officer and as the commander of the Golani Orev Company. Later, he served as Golani's 13th Battalion commander, the Deputy to the Commander of the Brigade and an operations officer of the Northern Command. Afterwards he served as Carmeli Brigade's commander and as the commander of the Ephraim Brigade. In 1997 he replaced Col. Erez Gerstein and was appointed commander of the Golani Brigade. In 1999 Eisenkot was selected to be the Military Secretary for the Prime Minister and the Minister of Defense under then Prime Minister Ehud Barak. Since then he has commanded the 366th Division and the Judea and Samaria Division, where he led the Campaign against Palestinian political violence. He was promoted to head of Israeli Operations Directorate in June 2005. After the conclusions exercise "joining of forces" Eisenkot led the formulation of the concept on which the IDF must severely damage the center of gravity of Hezbollah, the Dahiya neighborhood, as a key component for creating deterrence against Hezbollah. After Maj. Gen. Udi Adam resigned in October 2006 amid criticism over his conduct in the 2006 Lebanon War, Eisenkot replaced him as head of the Northern Command. In his years as the head of the Northern Command he emphasizes the training of forces, strengthening the capacities of command and creating an appropriate operational response to threats from Hezbollah and Syria. On 11 July 2011, the position was transferred to Maj. Gen. Yair Golan. Afterwards he served as Deputy Chief of General Staff in place of Maj. Gen. Yair Naveh, assuming office on 14 January 2013. On 28 November 2014, Defense Minister Moshe Ya'alon and Prime Minister Benjamin Netanyahu chose Eisenkot as the successor to Gen. Benny Gantz as the Chief of Staff of the IDF. Eisenkot assumed the duties of IDF's Chief of the General Staff on 16 February 2015. Upon taking office, he began to promote measures to strengthen the ground forces, such as reinforcing the training of infantry and armored forces, especially the threat from enemy tunnels. Eisenkot led the formulation of the multi-year plan "Gideon" that was formed under his direction. "Gideon" was presented in July 2015 and approved by Israel's cabinet in April 2016. The plan addresses several issues, such as a buildup of forces to meet a range of threats, the strengthening and developing of the IDF's maneuvering capabilities, the elimination of redundant arrays, and the establishment of a cyber command. At the heart of multi-year plan stands "The IDF Strategy". An essential element of the "Gideon" stance is the objective of ending a conflict in the shortest possible time. To achieve this, the IDF would utilize an immediate and simultaneous attack that combines maneuver and fire. It integrates the strategic concept of campaigns between the wars (CBW), in which the IDF operates covertly in order to preserve and enhance the achievements of the previous campaigns, to weaken the enemy, and to postpone the next conflict. A 2017 study by military experts[n 1] denounced the presumed dominance of technology over the IDF's strategic posture, which led, among other shifts, to a decrease in doctrinal quality, and a significant increase in investments in "pinpoint fire," defects that ostensibly became "strikingly evident" during the Second Lebanon War. The study attributes to Eisenkot the change in the IDF's doctrinal direction. He is cited as placing emphasis on ground maneuvers being the Armed Forces' main tool to fight and defeat the enemy. In August 2016, Eisenkot was presented by US Marine Corps general Joseph Dunford with the United States Armed Forces' Commander of the Legion of Merit award, on account of Eisenkot's "exceptionally meritorious service as chief of the General Staff of the IDF" and his "contribution to the strategic cooperation between the United States and Israel [that] will have a lasting effect on both countries". Eisenkot handed over the duties of the Chief of Staff to General Aviv Kohavi on 15 January 2019. Political career Following his retirement as Chief of Staff, Israeli media outlets reported that Eisenkot considered entering politics ahead of the 2020 election. Ahead of the 2022 election, Eisenkot joined the National Unity alliance, and was elected to the Knesset. On 12 October 2023, he was sworn in as a minister without portfolio after his party joined the government following the outbreak of the Gaza war. Eisenkot left the government, along with the rest of National Unity, in June 2024. The party announced on 30 June 2025 that Eisenkot would leave the party and resign his seat in the Knesset. He submitted his Knesset resignation on 2 July and was replaced by Eitan Ginzburg on 4 July. Eisenkot explained his reasoning for leaving at a press conference on 1 July, remarking that National Unity needed a "deep democratization process", which he argued had not taken place. Eisenkot said in an interview with Channel 12 may put himself forward as a prime ministerial candidate if it would give the "anti-Netanyahu bloc" an advantage in the next election. On 16 September 2025, Eisenkot announced he would be founding a political party, "Yashar! with Eisenkot". Political views Eisenkot holds a vision for Israel that balances national-Jewish values with equal rights for all citizens, regardless of religion, nationality, race, and gender. He views Syria, Lebanon, and Iran not as existential threats, but rather emphasizes the internal challenge of domestic polarization in Israel. Eisenkot advocates for a two state solution with the Palestinians to maintain a Jewish-democratic state and avoid a bi-national state, insisting on the permanent conservation of the Jordan Valley and settlement blocs. In dealing with the Gaza Strip, Eisenkot supports a long-term ceasefire agreement that includes the return of Israeli captives, demobilization of Hamas missile and rocket capabilities, and under these conditions, he agrees to rehabilitation measures for Gaza, including the opening of a seaport. He believes in a proactive and firm security policy to erode enemy capabilities and deter those who oppose Israel's existence. Eisenkot identifies domestic polarization as a more pressing threat than external enemies. He urges Israelis to bridge the divides between political camps and resist being led by divisive figures. Finally, Eisenkot calls for reforms to strengthen the separation of powers within Israel's government, ensuring a balanced and functional political system. Awards and decorations Notes References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Conjunction_(astronomy)] | [TOKENS: 5076]
Contents Conjunction (astronomy) In astronomy, a conjunction occurs when two astronomical objects or spacecraft appear to be close to each other in the sky. This means they have either the same right ascension or the same ecliptic longitude, usually as observed from Earth. When two objects always appear close to the ecliptic—such as two planets, the Moon and a planet, or the Sun and a planet—this fact implies an apparent close approach between the objects as seen in the sky. A related word, appulse, is the minimum apparent separation in the sky of two astronomical objects. Conjunctions involve either two objects in the Solar System or one object in the Solar System and a more distant object, such as a star. A conjunction is an apparent phenomenon caused by the observer's perspective: the two objects involved are not actually close to one another in space. Conjunctions between two bright objects close to the ecliptic, such as two bright planets, can be seen with the naked eye. The astronomical symbol for conjunction is (Unicode U+260C ☌). The conjunction symbol is not used in modern astronomy. It continues to be used in astrology.[not verified in body] Passing close More generally, in the particular case of two planets, it means that they merely have the same right ascension (and hence the same hour angle). This is called conjunction in right ascension. However, there is also the term conjunction in ecliptic longitude. At such conjunction both objects have the same ecliptic longitude. Conjunction in right ascension and conjunction in ecliptic longitude do not normally take place at the same time, but in most cases nearly at the same time. However, at triple conjunctions, it is possible that a conjunction only in right ascension (or ecliptic length) occurs. At the time of conjunction – it does not matter if in right ascension or in ecliptic longitude – the involved planets are close together upon the celestial sphere. In the vast majority of such cases, one of the planets will appear to pass north or south of the other. Passing closer However, if two celestial bodies attain the same declination (or ecliptic latitude) at the time of a conjunction then the one that is closer to the Earth will pass in front of the other. If one object moves into the shadow of another, the event is an eclipse. For example, the Moon passing through the shadow of Earth is called a lunar eclipse. If the visible disk of the nearer object is considerably smaller than that of the farther object, the event is called a transit, such as a transit of Mercury or a transit of Venus across the sun. When the nearer object appears larger than the farther one, it will completely obscure its smaller companion; this is called an occultation. An example of an occultation is when the Moon is relatively near and therefore large and passes between Earth and the Sun, causing the Sun to disappear entirely (a total solar eclipse). Occultations in which the larger body is neither the Sun nor the Moon are very rare. More frequent, however, is an occultation of a planet by the Moon. Several such events are visible every year from various places on Earth. Position of the observer A conjunction, as a phenomenon of perspective, is an event that involves two astronomical bodies seen by an observer on the Earth. Times and details depend only very slightly on the observer's location on the Earth's surface, with the differences being greatest for conjunctions involving the Moon because of its relative closeness, but even for the Moon the time of a conjunction never differs by more than a few hours. Superior and inferior conjunctions with the Sun A planet is said to be superior to another if it is farther from the sun. As seen from a superior planet, if an inferior planet is on the opposite side of the Sun, it is in superior conjunction, and in inferior conjunction if on the same side of the Sun. In an inferior conjunction, the superior planet is "in opposition" to the Sun as seen from the inferior planet. The terms "inferior conjunction" and "superior conjunction" are used in particular for the planets Mercury and Venus, which are inferior planets as seen from Earth. However, this definition can be applied to any pair of planets, as seen from the one farther from the Sun. A planet (or asteroid or comet) is simply said to be in conjunction, when it is in conjunction with the Sun, as seen from Earth. The Moon is in conjunction with the Sun at New Moon. Multiple conjunctions and quasiconjunctions Conjunctions between two planets can be single, triple, or even quintuple. Quintuple conjunctions involve Mercury, because it moves rapidly east and west of the sun, in a synodic cycle just 116 days in length. An example will occur in 2048, when Venus, moving eastward behind the Sun, encounters Mercury five times (February 16, March 16, May 27, August 13, and September 5). There is also a so-called quasiconjunction, when a planet in retrograde motion — always either Mercury or Venus, from the point of view of the Earth — will "drop back" in right ascension until it almost allows another planet to overtake it, but then the former planet will resume its forward motion and thereafter appear to draw away from it again. This will occur in the morning sky, before dawn. The reverse may happen in the evening sky after dusk, with Mercury or Venus entering retrograde motion just as it is about to overtake another planet (often Mercury and Venus are both of the planets involved, and when this situation arises they may remain in very close visual proximity for several days or even longer). The quasiconjunction is reckoned as occurring at the time the distance in right ascension between the two planets is smallest, even though, when declination is taken into account, they may appear closer together shortly before or after this. Average interval between conjunctions The interval between two conjunctions involving the same two planets is not constant, but the average interval between two similar conjunctions can be calculated from the periods of the planets. The "speed" at which a planet goes around the Sun, in terms of revolutions per time, is given by the inverse of its period, and the speed difference between two planets is the difference between these. For conjunctions of two planets beyond the orbit of Earth, the average time interval between two conjunctions is the time it takes for 360° to be covered by that speed difference, so the average interval is: This does not apply of course to the intervals between the individual conjunctions of a triple conjunction. Conjunctions between a planet inside the orbit of Earth (Venus or Mercury) and a planet outside are a bit more complicated. As the outer planet swings around from being in opposition to the Sun to being east of the Sun, then in superior conjunction with the Sun, then west of the Sun, and back to opposition, it will be in conjunction with Venus or Mercury an odd number of times. So the average interval between, say, the first conjunction of one set and the first of the next set will be equal to the average interval between its oppositions with the Sun. Conjunctions between Mercury and Mars are usually triple, and those between Mercury and planets beyond Mars may also be. Conjunctions between Venus and the planets beyond Earth may be single or triple. As for conjunctions between Mercury and Venus, each time Venus goes from maximum elongation to the east of the Sun to maximum elongation west of the Sun and then back to east of the Sun (a so-called synodic cycle of Venus), an even number of conjunctions with Mercury take place. There are usually four, but sometimes just two, and sometimes six, as in the cycle mentioned above with a quintuple conjunction as Venus moves eastward, preceded by a singlet on August 6, 2047, as Venus moves westward. The average interval between corresponding conjunctions (for example the first of one set and the first of the next) is 1.599 years (583.9 days), based on the orbital speeds of Venus and Earth, but arbitrary conjunctions occur at least twice this often. The synodic cycle of Venus (1.599 years) is close to five times as long as that of Mercury (0.317 years). When they are in phase and move between the Sun and the Earth at the same time they remain close together in the sky for weeks. The following table gives these average intervals, between corresponding conjunctions, in Julian years of 365.25 days, for combinations of the nine traditional planets. Conjunctions with the Sun are also included. Since Pluto is in resonance with Neptune the period used is 1.5 times that of Neptune, slightly different from the current value. The interval is then exactly thrice the period of Neptune. Approximate conjunctions of more than two planets A conjunction in which three or more planets simultaneously have the same longitude will almost surely never happen, but because the ratios of the synodic cycles are not rational numbers, this situation can be approached arbitrarily closely. In 1953 BC Mercury, Venus, Mars, Jupiter, and Saturn were all in a longitude range of 4.3° (see below). The graph below shows the standard deviation of the differences between the ecliptic longitudes of the five naked-eye planets (not including Uranus) and that of the sun, showing times when these five planets were fairly close together. In 1961 and again in 1997 Jean Meeus found several such groupings over the millennia. Since three planets having the same longitude and the same latitude involves four equations (equating longitude and latitude of the second and third planets to those of the first) and four variables (the positions of the earth and the three other planets in their orbits), it is in principle possible to have three planets perfectly lined up. In reality this will almost surely never happen, but is approached arbitrarily closely given enough time. But by the same token, a perfect alignment of four planets as seen from Earth is not possible (there are six equations to be solved but only five variables) unless the Solar System is very special. As explained above, each planet has a synodic period, the average period between two moments when the planet comes back to any given point in its synodic trajectory, that is, when its longitude around the sun compared to that of the earth attains a given value. Although it does not happen that two planets come back to their starting points in their synodic trajectories at the same time, there are intervals of time after which this almost happens. The more planets are included, the more difficult it is for them all to return close to their points of origin relative to the earth, as seen in the following table of examples involving all five naked-eye planets. The numbers of cycles executed by each planet in the interval is expressed as a whole number plus or minus a fraction, and the column "Maximum error" gives the maximum of the fractional parts, which is attained by two of the planets. Even in the interval of around 4249 years, this error is more than 0.012 cycles, equivalent to about 4°. Similar intervals can be found involving fewer planets. The following table shows some examples of intervals in which Mars, Jupiter, and Saturn return to near their original positions relative to the sun. Note that these intervals are not periods or cycles – after a second interval, the plants will be twice as far from their original positions as after one interval. Each interval can be thought of as a vector whose elements are integers giving the number of cycles of the planets concerned (so the 476-year interval is the vector (23, 436, 460) of cycles of Mars, Jupiter, and Saturn). Adding intervals together can make the error either bigger or smaller. For instance adding the approximately 476-year and 3297-year intervals gives the 3773-year interval, having a much smaller error than the starting intervals. If a particular interval is repeated, the proximity of the planets (range or standard deviation of longitude) may improve at first but will then get worse. Besides intervals that bring several planets back to their original positions with respect to the sun, there are also intervals that move them all approximately the same amount to the east or to the west. If Venus or Mercury is included, then the number of synodic cycles for Mars, Jupiter, or Saturn will not be too far from an integer, because they have to come back to the vicinity of the sun, were Venus and Mercury are. But Venus and Mercury themselves can move an arbitrary amount through their synodic cycles between two multiple conjuctions, because they can be in either the near branch or the far branch of their orbit as seen from Earth. Conjunctions with Venus normally take place when Venus is in its far branch, moving east, because it only spends about 40 days of its 1.6-year synodic cycle moving west, decreasing its ecliptic longitude by only about 20°. We may also note that in these intervals in which Jupiter and Saturn return to about the same place relative to the sun, the fractional part of a year depends on how many great conjunctions the interval is equivalent to. This is because each time Jupiter and Saturn come close, the meeting occurs further east by J/(S−J)≈0.6746 of a full 360° along the ecliptic (where J and S are the periods of Jupiter and Saturn), so the fractional part of a year for them to be near the sun is approximately the fractional part of 0.6746 times the number of great conjunctions during the interval. Notable conjunctions On February 27, 1953 BC, Mercury, Venus, Mars and Saturn formed a group with an angular diameter of 26.45 arc minutes. On the same day, Jupiter was only a few degrees away, so that on this day all five bright planets could be found in an area measuring only 4.33 degrees. This was described by David Pankenier in 1984 and later by Kevin Pang. They, as well as David Nivison have suggested that this conjunction occurred at the beginning of the Xia dynasty in China. In 1576 BC, at the time of the founding of the Shang dynasty, Chinese records say that "the five planets moved in criss-cross fashion". In early November, Mercury, Venus, Jupiter, and Saturn were together in the evening sky, with Mercury and Venus crossing Jupiter and Saturn, and in mid-December Mercury, Jupiter, and Saturn joined Mars in the morning sky, with Mars crossing Jupiter and Saturn, and Mercury crossing them twice, westward and then eastward. Another five-planet conjunction occurred in 1059 BC and is mentioned in the Chinese "Bamboo Annals", though Nivison says that the Bamboo Annals moved the date one orbit of Jupiter earlier for political reasons. In late March of 185 BC the five planets gathered in the morning sky. The planets had all completed almost whole numbers of synodic cycles since the gathering in 1953 BC, 1768 years and a month earlier (equivalent to 89 great conjunctions), and so were in almost the same positions relative to the earth. On 25 June, AD 710, the five naked-eye planets were in a span of just 6° in the evening sky. This gathering was recorded by the Maya. It is the closest grouping since that of 1953 BC. On July 5, 1054 a supernova brighter than Venus appeared in the eastern part of constellation Taurus in the proximity of the waning crescent Moon. The exact geocentric conjunction in right ascension took place at 07:58 UTC on this day with an angular separation of 3 degrees. It was perhaps the brightest star-like object in recorded history.[citation needed] The event is possibly shown on two petroglyphs in Arizona. In the evening sky of September 15, 1186, Mercury and Mars were 8° east of Jupiter, with Venus and Saturn between them. The crescent moon passed through the grouping. This is the closest grouping since AD 710. A partial solar eclipse occurred on September 14 in the north. On March 4, 1345, Mars, Jupiter, and Saturn were very close together, at the same time as a solar eclipse. Guy de Chauliac blamed the Black Death on this event. Between December 22, 1503, and December 27, 1503, all three bright outer planets Mars, Jupiter and Saturn reached their opposition to the Sun and stood therefore close together at the nocturnal sky. During the opposition period 1503 Mars stood 3 times in conjunction with Jupiter (October 5, 1503, January 19, 1504, and February 8, 1504) and 3 times in conjunction with Saturn (October 14, 1503, December 26, 1503, and March 7, 1504). Jupiter and Saturn stood on May 24, 1504, in close conjunction with an angular separation of 19 arcminutes. On February 19, 1524, Mercury and Saturn were in conjunction in the evening sky, with Jupiter about 2° to the east and Mars and Venus about 10° to the east. On October 9, 1604, a conjunction between Mars and Jupiter took place, whereby Mars passed Jupiter 1.8 degrees southward. Only two degrees away from Jupiter Kepler's Supernova appeared on the same day. This was perhaps the only time in recorded history a supernova took place near a conjunction of two planets. Saturn passed Kepler's Supernova on December 12, 1604 33 arc minutes southly, which was however unobservable as the elongation to the sun was just 3.1 degrees. On December 24, 1604 Mercury stood in conjunction with Kepler's Supernova, whereby it was 1.8 degrees south of it. As the elongation of this event to the sun was 15 degree, it was in principle observable. On January 20, 1605 Venus passed Kepler's Supernova 29 arc minutes northwards at an elongation of 43.1 degrees to the sun. In early December 1899 the Sun and the naked-eye planets appeared to lie within a band 35 degrees wide along the ecliptic as seen from the Earth. As a consequence, over the period 1–4 December 1899, the Moon reached conjunction with, in order, Jupiter, Uranus, the Sun, Mercury, Mars, Saturn and Venus. Most of these conjunctions were not visible because of the glare of the Sun. Over the period 4–6 February 1962, in a rare series of events, Mercury and Venus reached conjunction as observed from the Earth, followed by Venus and Jupiter, then by Mars and Saturn. Conjunctions took place between the Moon and, in turn, Mars, Saturn, the Sun, Mercury, Venus and Jupiter. Mercury also reached inferior conjunction with the Sun. The conjunction between the Moon and the Sun at new Moon produced a total solar eclipse visible in Indonesia and the Pacific Ocean, when these five naked-eye planets were visible in the vicinity of the Sun in the sky. Mercury, Venus and Mars separately reached conjunction with each other, and each separately with the Sun, within a 7-day period in August 1987 as seen from the Earth. The Moon also reached conjunction with each of these bodies on 24 August. However, none of these conjunctions were observable due to the glare of the Sun. In May 2000, in a very rare event, several planets lay in the vicinity of the Sun in the sky as seen from the Earth, and a series of conjunctions took place. Jupiter, Mercury and Saturn each reached conjunction with the Sun in the period 8–10 May. These three planets in turn were in conjunction with each other and with Venus over a period of a few weeks. However, most of these conjunctions were not visible from the Earth because of the glare from the Sun. NASA referred to May 5 as the date of the conjunction. Venus, Mars and Saturn appeared close together in the evening sky in early May 2002, with a conjunction of Mars and Saturn occurring on 4 May. This was followed by a conjunction of Venus and Saturn on 7 May, and another of Venus and Mars on 10 May when their angular separation was only 18 arcminutes. A series of conjunctions between the Moon and, in order, Saturn, Mars and Venus took place on 14 May, although it was not possible to observe all these in darkness from any single location on the Earth. A conjunction of the Moon and Mars took place on 24 December 2007, very close to the time of the full Moon and at the time when Mars was at opposition to the Sun. Mars and the full Moon appeared close together in the sky worldwide, with an occultation of Mars occurring for observers in some far northern locations. A similar conjunction took place on 21 May 2016 and on 8 December 2022. A conjunction of Venus and Jupiter occurred on 1 December 2008, and several hours later both planets separately reached conjunction with the crescent Moon. An occultation of Venus by the Moon was visible from some locations. The three objects appeared close together in the sky from any location on the Earth. At the end of May, Mercury, Venus and Jupiter went through a series of conjunctions only a few days apart. June 30 – Venus and Jupiter come close together in a planetary conjunction; they came approximately 1/3 a degree apart. The conjunction had been nicknamed the "Star of Bethlehem." On the morning of January 9, Venus and Saturn came together in a conjunction On August 27, Mercury and Venus were in conjunction, followed by a conjunction of Venus and Jupiter, meaning that the three planets were very close together in the evening sky. On the morning of November 13, Venus and Jupiter were in conjunction, meaning that they appeared close together in the morning sky. On the early hours of January 7, Mars and Jupiter were in conjunction. The pair was only 0.25 degrees apart in the sky at its closest. During most of February, March, and April, Mars, Jupiter, and Saturn were close to each other, and so they underwent a series of conjunctions: on March 20, Mars was in conjunction with Jupiter, and on March 31, Mars was in conjunction with Saturn. On December 21, Jupiter and Saturn appeared at their closest separation in the sky since 1623, in an event known as a great conjunction. Planetoid Pallas passed Sirius, the brightest star in the night sky, on October 9 to the south at a distance of 8.5 arcminutes (source: Astrolutz 2022, ISBN 978-3-7534-7124-2). As Sirius is far south of the ecliptic only few objects of the solar system can be seen from earth close to Sirius. At this occasion Pallas had not only the lowest angular distance to Sirius in the 21st century, but also since its discovery in 1802. In the 19th century the greatest approach of Pallas and Sirius took place on October 11, 1879, when 8.6 mag bright Pallas passed Sirius 1.3° southwest and in the 20th century the lowest distance between Pallas and Sirius was reached on October 12, 1962, when Pallas, whose brightness was also 8.6 mag, stood 1.4° southwest of the brightest star in the sky. On August 15, 2024 there was an excellently visible conjunction between Mars and Jupiter in Taurus constellation. On June 29, 2025 there was the first conjunction of Saturn with Neptune with angular distance of 59.3 arc minutes. The second conjunction of this triple conjunction will be on August 6, 2025 whereby Saturn is 1.14 degrees south of Neptune. The third and last conjunction of this triple will take place on February 16, 2026. On this day Saturn stands 54.7 arc minutes south of Neptune. After 2026 the next conjunction between Saturn and Neptune will be on June 7, 2061. On 9 September, 2040, all five naked-eye planets and the moon will be gathered close together in the evening sky. This is the closest grouping since that of AD 1186. Conjunctions of planets in right ascension 2005–2020 See also References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Elon_Musk#cite_note-309] | [TOKENS: 10515]
Contents Elon Musk Elon Reeve Musk (/ˈiːlɒn/ EE-lon; born June 28, 1971) is a businessman and entrepreneur known for his leadership of Tesla, SpaceX, Twitter, and xAI. Musk has been the wealthiest person in the world since 2025; as of February 2026,[update] Forbes estimates his net worth to be around US$852 billion. Born into a wealthy family in Pretoria, South Africa, Musk emigrated in 1989 to Canada; he has Canadian citizenship since his mother was born there. He received bachelor's degrees in 1997 from the University of Pennsylvania before moving to California to pursue business ventures. In 1995, Musk co-founded the software company Zip2. Following its sale in 1999, he co-founded X.com, an online payment company that later merged to form PayPal, which was acquired by eBay in 2002. Musk also became an American citizen in 2002. In 2002, Musk founded the space technology company SpaceX, becoming its CEO and chief engineer; the company has since led innovations in reusable rockets and commercial spaceflight. Musk joined the automaker Tesla as an early investor in 2004 and became its CEO and product architect in 2008; it has since become a leader in electric vehicles. In 2015, he co-founded OpenAI to advance artificial intelligence (AI) research, but later left; growing discontent with the organization's direction and their leadership in the AI boom in the 2020s led him to establish xAI, which became a subsidiary of SpaceX in 2026. In 2022, he acquired the social network Twitter, implementing significant changes, and rebranding it as X in 2023. His other businesses include the neurotechnology company Neuralink, which he co-founded in 2016, and the tunneling company the Boring Company, which he founded in 2017. In November 2025, a Tesla pay package worth $1 trillion for Musk was approved, which he is to receive over 10 years if he meets specific goals. Musk was the largest donor in the 2024 U.S. presidential election, where he supported Donald Trump. After Trump was inaugurated as president in early 2025, Musk served as Senior Advisor to the President and as the de facto head of the Department of Government Efficiency (DOGE). After a public feud with Trump, Musk left the Trump administration and returned to managing his companies. Musk is a supporter of global far-right figures, causes, and political parties. His political activities, views, and statements have made him a polarizing figure. Musk has been criticized for COVID-19 misinformation, promoting conspiracy theories, and affirming antisemitic, racist, and transphobic comments. His acquisition of Twitter was controversial due to a subsequent increase in hate speech and the spread of misinformation on the service, following his pledge to decrease censorship. His role in the second Trump administration attracted public backlash, particularly in response to DOGE. The emails he sent to Jeffrey Epstein are included in the Epstein files, which were published between 2025–26 and became a topic of worldwide debate. Early life Elon Reeve Musk was born on June 28, 1971, in Pretoria, South Africa's administrative capital. He is of British and Pennsylvania Dutch ancestry. His mother, Maye (née Haldeman), is a model and dietitian born in Saskatchewan, Canada, and raised in South Africa. Musk therefore holds both South African and Canadian citizenship from birth. His father, Errol Musk, is a South African electromechanical engineer, pilot, sailor, consultant, emerald dealer, and property developer, who partly owned a rental lodge at Timbavati Private Nature Reserve. His maternal grandfather, Joshua N. Haldeman, who died in a plane crash when Elon was a toddler, was an American-born Canadian chiropractor, aviator and political activist in the technocracy movement who moved to South Africa in 1950. Elon has a younger brother, Kimbal, a younger sister, Tosca, and four paternal half-siblings. Musk was baptized as a child in the Anglican Church of Southern Africa. Despite both Elon and Errol previously stating that Errol was a part owner of a Zambian emerald mine, in 2023, Errol recounted that the deal he made was to receive "a portion of the emeralds produced at three small mines". Errol was elected to the Pretoria City Council as a representative of the anti-apartheid Progressive Party and has said that his children shared their father's dislike of apartheid. After his parents divorced in 1979, Elon, aged around 9, chose to live with his father because Errol Musk had an Encyclopædia Britannica and a computer. Elon later regretted his decision and became estranged from his father. Elon has recounted trips to a wilderness school that he described as a "paramilitary Lord of the Flies" where "bullying was a virtue" and children were encouraged to fight over rations. In one incident, after an altercation with a fellow pupil, Elon was thrown down concrete steps and beaten severely, leading to him being hospitalized for his injuries. Elon described his father berating him after he was discharged from the hospital. Errol denied berating Elon and claimed, "The [other] boy had just lost his father to suicide, and Elon had called him stupid. Elon had a tendency to call people stupid. How could I possibly blame that child?" Elon was an enthusiastic reader of books, and had attributed his success in part to having read The Lord of the Rings, the Foundation series, and The Hitchhiker's Guide to the Galaxy. At age ten, he developed an interest in computing and video games, teaching himself how to program from the VIC-20 user manual. At age twelve, Elon sold his BASIC-based game Blastar to PC and Office Technology magazine for approximately $500 (equivalent to $1,600 in 2025). Musk attended Waterkloof House Preparatory School, Bryanston High School, and then Pretoria Boys High School, where he graduated. Musk was a decent but unexceptional student, earning a 61/100 in Afrikaans and a B on his senior math certification. Musk applied for a Canadian passport through his Canadian-born mother to avoid South Africa's mandatory military service, which would have forced him to participate in the apartheid regime, as well as to ease his path to immigration to the United States. While waiting for his application to be processed, he attended the University of Pretoria for five months. Musk arrived in Canada in June 1989, connected with a second cousin in Saskatchewan, and worked odd jobs, including at a farm and a lumber mill. In 1990, he entered Queen's University in Kingston, Ontario. Two years later, he transferred to the University of Pennsylvania, where he studied until 1995. Although Musk has said that he earned his degrees in 1995, the University of Pennsylvania did not award them until 1997 – a Bachelor of Arts in physics and a Bachelor of Science in economics from the university's Wharton School. He reportedly hosted large, ticketed house parties to help pay for tuition, and wrote a business plan for an electronic book-scanning service similar to Google Books. In 1994, Musk held two internships in Silicon Valley: one at energy storage startup Pinnacle Research Institute, which investigated electrolytic supercapacitors for energy storage, and another at Palo Alto–based startup Rocket Science Games. In 1995, he was accepted to a graduate program in materials science at Stanford University, but did not enroll. Musk decided to join the Internet boom of the 1990s, applying for a job at Netscape, to which he reportedly never received a response. The Washington Post reported that Musk lacked legal authorization to remain and work in the United States after failing to enroll at Stanford. In response, Musk said he was allowed to work at that time and that his student visa transitioned to an H1-B. According to numerous former business associates and shareholders, Musk said he was on a student visa at the time. Business career In 1995, Musk, his brother Kimbal, and Greg Kouri founded the web software company Zip2 with funding from a group of angel investors. They housed the venture at a small rented office in Palo Alto. Replying to Rolling Stone, Musk denounced the notion that they started their company with funds borrowed from Errol Musk, but in a tweet, he recognized that his father contributed 10% of a later funding round. The company developed and marketed an Internet city guide for the newspaper publishing industry, with maps, directions, and yellow pages. According to Musk, "The website was up during the day and I was coding it at night, seven days a week, all the time." To impress investors, Musk built a large plastic structure around a standard computer to create the impression that Zip2 was powered by a small supercomputer. The Musk brothers obtained contracts with The New York Times and the Chicago Tribune, and persuaded the board of directors to abandon plans for a merger with CitySearch. Musk's attempts to become CEO were thwarted by the board. Compaq acquired Zip2 for $307 million in cash in February 1999 (equivalent to $590,000,000 in 2025), and Musk received $22 million (equivalent to $43,000,000 in 2025) for his 7-percent share. In 1999, Musk co-founded X.com, an online financial services and e-mail payment company. The startup was one of the first federally insured online banks, and, in its initial months of operation, over 200,000 customers joined the service. The company's investors regarded Musk as inexperienced and replaced him with Intuit CEO Bill Harris by the end of the year. The following year, X.com merged with online bank Confinity to avoid competition. Founded by Max Levchin and Peter Thiel, Confinity had its own money-transfer service, PayPal, which was more popular than X.com's service. Within the merged company, Musk returned as CEO. Musk's preference for Microsoft software over Unix created a rift in the company and caused Thiel to resign. Due to resulting technological issues and lack of a cohesive business model, the board ousted Musk and replaced him with Thiel in 2000.[b] Under Thiel, the company focused on the PayPal service and was renamed PayPal in 2001. In 2002, PayPal was acquired by eBay for $1.5 billion (equivalent to $2,700,000,000 in 2025) in stock, of which Musk—the largest shareholder with 11.72% of shares—received $175.8 million (equivalent to $320,000,000 in 2025). In 2017, Musk purchased the domain X.com from PayPal for an undisclosed amount, stating that it had sentimental value. In 2001, Musk became involved with the nonprofit Mars Society and discussed funding plans to place a growth-chamber for plants on Mars. Seeking a way to launch the greenhouse payloads into space, Musk made two unsuccessful trips to Moscow to purchase intercontinental ballistic missiles (ICBMs) from Russian companies NPO Lavochkin and Kosmotras. Musk instead decided to start a company to build affordable rockets. With $100 million of his early fortune, (equivalent to $180,000,000 in 2025) Musk founded SpaceX in May 2002 and became the company's CEO and Chief Engineer. SpaceX attempted its first launch of the Falcon 1 rocket in 2006. Although the rocket failed to reach Earth orbit, it was awarded a Commercial Orbital Transportation Services program contract from NASA, then led by Mike Griffin. After two more failed attempts that nearly caused Musk to go bankrupt, SpaceX succeeded in launching the Falcon 1 into orbit in 2008. Later that year, SpaceX received a $1.6 billion NASA contract (equivalent to $2,400,000,000 in 2025) for Falcon 9-launched Dragon spacecraft flights to the International Space Station (ISS), replacing the Space Shuttle after its 2011 retirement. In 2012, the Dragon vehicle docked with the ISS, a first for a commercial spacecraft. Working towards its goal of reusable rockets, in 2015 SpaceX successfully landed the first stage of a Falcon 9 on a land platform. Later landings were achieved on autonomous spaceport drone ships, an ocean-based recovery platform. In 2018, SpaceX launched the Falcon Heavy; the inaugural mission carried Musk's personal Tesla Roadster as a dummy payload. Since 2019, SpaceX has been developing Starship, a reusable, super heavy-lift launch vehicle intended to replace the Falcon 9 and Falcon Heavy. In 2020, SpaceX launched its first crewed flight, the Demo-2, becoming the first private company to place astronauts into orbit and dock a crewed spacecraft with the ISS. In 2024, NASA awarded SpaceX an $843 million (equivalent to $865,000,000 in 2025) contract to build a spacecraft that NASA will use to deorbit the ISS at the end of its lifespan. In 2015, SpaceX began development of the Starlink constellation of low Earth orbit satellites to provide satellite Internet access. After the launch of prototype satellites in 2018, the first large constellation was deployed in May 2019. As of May 2025[update], over 7,600 Starlink satellites are operational, comprising 65% of all operational Earth satellites. The total cost of the decade-long project to design, build, and deploy the constellation was estimated by SpaceX in 2020 to be $10 billion (equivalent to $12,000,000,000 in 2025).[c] During the Russian invasion of Ukraine, Musk provided free Starlink service to Ukraine, permitting Internet access and communication at a yearly cost to SpaceX of $400 million (equivalent to $440,000,000 in 2025). However, Musk refused to block Russian state media on Starlink. In 2023, Musk denied Ukraine's request to activate Starlink over Crimea to aid an attack against the Russian navy, citing fears of a nuclear response. Tesla, Inc., originally Tesla Motors, was incorporated in July 2003 by Martin Eberhard and Marc Tarpenning. Both men played active roles in the company's early development prior to Musk's involvement. Musk led the Series A round of investment in February 2004; he invested $6.35 million (equivalent to $11,000,000 in 2025), became the majority shareholder, and joined Tesla's board of directors as chairman. Musk took an active role within the company and oversaw Roadster product design, but was not deeply involved in day-to-day business operations. Following a series of escalating conflicts in 2007 and the 2008 financial crisis, Eberhard was ousted from the firm.[page needed] Musk assumed leadership of the company as CEO and product architect in 2008. A 2009 lawsuit settlement with Eberhard designated Musk as a Tesla co-founder, along with Tarpenning and two others. Tesla began delivery of the Roadster, an electric sports car, in 2008. With sales of about 2,500 vehicles, it was the first mass production all-electric car to use lithium-ion battery cells. Under Musk, Tesla has since launched several well-selling electric vehicles, including the four-door sedan Model S (2012), the crossover Model X (2015), the mass-market sedan Model 3 (2017), the crossover Model Y (2020), and the pickup truck Cybertruck (2023). In May 2020, Musk resigned as chairman of the board as part of the settlement of a lawsuit from the SEC over him tweeting that funding had been "secured" for potentially taking Tesla private. The company has also constructed multiple lithium-ion battery and electric vehicle factories, called Gigafactories. Since its initial public offering in 2010, Tesla stock has risen significantly; it became the most valuable carmaker in summer 2020, and it entered the S&P 500 later that year. In October 2021, it reached a market capitalization of $1 trillion (equivalent to $1,200,000,000,000 in 2025), the sixth company in U.S. history to do so. Musk provided the initial concept and financial capital for SolarCity, which his cousins Lyndon and Peter Rive founded in 2006. By 2013, SolarCity was the second largest provider of solar power systems in the United States. In 2014, Musk promoted the idea of SolarCity building an advanced production facility in Buffalo, New York, triple the size of the largest solar plant in the United States. Construction of the factory started in 2014 and was completed in 2017. It operated as a joint venture with Panasonic until early 2020. Tesla acquired SolarCity for $2 billion in 2016 (equivalent to $2,700,000,000 in 2025) and merged it with its battery unit to create Tesla Energy. The deal's announcement resulted in a more than 10% drop in Tesla's stock price; at the time, SolarCity was facing liquidity issues. Multiple shareholder groups filed a lawsuit against Musk and Tesla's directors, stating that the purchase of SolarCity was done solely to benefit Musk and came at the expense of Tesla and its shareholders. Tesla directors settled the lawsuit in January 2020, leaving Musk the sole remaining defendant. Two years later, the court ruled in Musk's favor. In 2016, Musk co-founded Neuralink, a neurotechnology startup, with an investment of $100 million. Neuralink aims to integrate the human brain with artificial intelligence (AI) by creating devices that are embedded in the brain. Such technology could enhance memory or allow the devices to communicate with software. The company also hopes to develop devices to treat neurological conditions like spinal cord injuries. In 2022, Neuralink announced that clinical trials would begin by the end of the year. In September 2023, the Food and Drug Administration approved Neuralink to initiate six-year human trials. Neuralink has conducted animal testing on macaques at the University of California, Davis. In 2021, the company released a video in which a macaque played the video game Pong via a Neuralink implant. The company's animal trials—which have caused the deaths of some monkeys—have led to claims of animal cruelty. The Physicians Committee for Responsible Medicine has alleged that Neuralink violated the Animal Welfare Act. Employees have complained that pressure from Musk to accelerate development has led to botched experiments and unnecessary animal deaths. In 2022, a federal probe was launched into possible animal welfare violations by Neuralink.[needs update] In 2017, Musk founded the Boring Company to construct tunnels; he also revealed plans for specialized, underground, high-occupancy vehicles that could travel up to 150 miles per hour (240 km/h) and thus circumvent above-ground traffic in major cities. Early in 2017, the company began discussions with regulatory bodies and initiated construction of a 30-foot (9.1 m) wide, 50-foot (15 m) long, and 15-foot (4.6 m) deep "test trench" on the premises of SpaceX's offices, as that required no permits. The Los Angeles tunnel, less than two miles (3.2 km) in length, debuted to journalists in 2018. It used Tesla Model Xs and was reported to be a rough ride while traveling at suboptimal speeds. Two tunnel projects announced in 2018, in Chicago and West Los Angeles, have been canceled. A tunnel beneath the Las Vegas Convention Center was completed in early 2021. Local officials have approved further expansions of the tunnel system. April 14, 2022 In early 2017, Musk expressed interest in buying Twitter and had questioned the platform's commitment to freedom of speech. By 2022, Musk had reached 9.2% stake in the company, making him the largest shareholder.[d] Musk later agreed to a deal that would appoint him to Twitter's board of directors and prohibit him from acquiring more than 14.9% of the company. Days later, Musk made a $43 billion offer to buy Twitter. By the end of April Musk had successfully concluded his bid for approximately $44 billion. This included approximately $12.5 billion in loans and $21 billion in equity financing. Having backtracked on his initial decision, Musk bought the company on October 27, 2022. Immediately after the acquisition, Musk fired several top Twitter executives including CEO Parag Agrawal; Musk became the CEO instead. Under Elon Musk, Twitter instituted monthly subscriptions for a "blue check", and laid off a significant portion of the company's staff. Musk lessened content moderation and hate speech also increased on the platform after his takeover. In late 2022, Musk released internal documents relating to Twitter's moderation of Hunter Biden's laptop controversy in the lead-up to the 2020 presidential election. Musk also promised to step down as CEO after a Twitter poll, and five months later, Musk stepped down as CEO and transitioned his role to executive chairman and chief technology officer (CTO). Despite Musk stepping down as CEO, X continues to struggle with challenges such as viral misinformation, hate speech, and antisemitism controversies. Musk has been accused of trying to silence some of his critics such as Twitch streamer Asmongold, who criticized him during one of his streams. Musk has been accused of removing their accounts' blue checkmarks, which hinders visibility and is considered a form of shadow banning, or suspending their accounts without justification. Other activities In August 2013, Musk announced plans for a version of a vactrain, and assigned engineers from SpaceX and Tesla to design a transport system between Greater Los Angeles and the San Francisco Bay Area, at an estimated cost of $6 billion. Later that year, Musk unveiled the concept, dubbed the Hyperloop, intended to make travel cheaper than any other mode of transport for such long distances. In December 2015, Musk co-founded OpenAI, a not-for-profit artificial intelligence (AI) research company aiming to develop artificial general intelligence, intended to be safe and beneficial to humanity. Musk pledged $1 billion of funding to the company, and initially gave $50 million. In 2018, Musk left the OpenAI board. Since 2018, OpenAI has made significant advances in machine learning. In July 2023, Musk launched the artificial intelligence company xAI, which aims to develop a generative AI program that competes with existing offerings like OpenAI's ChatGPT. Musk obtained funding from investors in SpaceX and Tesla, and xAI hired engineers from Google and OpenAI. December 16, 2022 Musk uses a private jet owned by Falcon Landing LLC, a SpaceX-linked company, and acquired a second jet in August 2020. His heavy use of the jets and the consequent fossil fuel usage have received criticism. Musk's flight usage is tracked on social media through ElonJet. In December 2022, Musk banned the ElonJet account on Twitter, and made temporary bans on the accounts of journalists that posted stories regarding the incident, including Donie O'Sullivan, Keith Olbermann, and journalists from The New York Times, The Washington Post, CNN, and The Intercept. In October 2025, Musk's company xAI launched Grokipedia, an AI-generated online encyclopedia that he promoted as an alternative to Wikipedia. Articles on Grokipedia are generated and reviewed by xAI's Grok chatbot. Media coverage and academic analysis described Grokipedia as frequently reusing Wikipedia content but framing contested political and social topics in line with Musk's own views and right-wing narratives. A study by Cornell University researchers and NBC News stated that Grokipedia cites sources that are blacklisted or considered "generally unreliable" on Wikipedia, for example, the conspiracy site Infowars and the neo-Nazi forum Stormfront. Wired, The Guardian and Time criticized Grokipedia for factual errors and for presenting Musk himself in unusually positive terms while downplaying controversies. Politics Musk is an outlier among business leaders who typically avoid partisan political advocacy. Musk was a registered independent voter when he lived in California. Historically, he has donated to both Democrats and Republicans, many of whom serve in states in which he has a vested interest. Since 2022, his political contributions have mostly supported Republicans, with his first vote for a Republican going to Mayra Flores in the 2022 Texas's 34th congressional district special election. In 2024, he started supporting international far-right political parties, activists, and causes, and has shared misinformation and numerous conspiracy theories. Since 2024, his views have been generally described as right-wing. Musk supported Barack Obama in 2008 and 2012, Hillary Clinton in 2016, Joe Biden in 2020, and Donald Trump in 2024. In the 2020 Democratic Party presidential primaries, Musk endorsed candidate Andrew Yang and expressed support for Yang's proposed universal basic income, and endorsed Kanye West's 2020 presidential campaign. In 2021, Musk publicly expressed opposition to the Build Back Better Act, a $3.5 trillion legislative package endorsed by Joe Biden that ultimately failed to pass due to unanimous opposition from congressional Republicans and several Democrats. In 2022, gave over $50 million to Citizens for Sanity, a conservative political action committee. In 2023, he supported Republican Ron DeSantis for the 2024 U.S. presidential election, giving $10 million to his campaign, and hosted DeSantis's campaign announcement on a Twitter Spaces event. From June 2023 to January 2024, Musk hosted a bipartisan set of X Spaces with Republican and Democratic candidates, including Robert F. Kennedy Jr., Vivek Ramaswamy, and Dean Phillips. In October 2025, former vice-president Kamala Harris commented that it was a mistake from the Democratic side to not invite Musk to a White House electric vehicle event organized in August 2021 and featuring executives from General Motors, Ford and Stellantis, despite Tesla being "the major American manufacturer of extraordinary innovation in this space." Fortune remarked that this was a nod to United Auto Workers and organized labor. Harris said presidents should put aside political loyalties when it came to recognizing innovation, and guessed that the non-invitation impacted Musk's perspective. Fortune noted that, at the time, Musk said, "Yeah, seems odd that Tesla wasn't invited." A month later, he criticized Biden as "not the friendliest administration." Jacob Silverman, author of the book Gilded Rage: Elon Musk and the Radicalization of Silicon Valley, said that the tech industry represented by Musk, Thiel, Andreessen and other capitalists, actually flourished under Biden, but the tech leaders chose Trump for their common ground on cultural issues. By early 2024, Musk had become a vocal and financial supporter of Donald Trump. In July 2024, minutes after the attempted assassination of Donald Trump, Musk endorsed him for president saying; "I fully endorse President Trump and hope for his rapid recovery." During the presidential campaign, Musk joined Trump on stage at a campaign rally, and during the campaign promoted conspiracy theories and falsehoods about Democrats, election fraud and immigration, in support of Trump. Musk was the largest individual donor of the 2024 election. In 2025, Musk contributed $19 million to the Wisconsin Supreme Court race, hoping to influence the state's future redistricting efforts and its regulations governing car manufacturers and dealers. In 2023, Musk said he shunned the World Economic Forum because it was boring. The organization commented that they had not invited him since 2015. He has participated in Dialog, dubbed "Tech Bilderberg" and organized by Peter Thiel and Auren Hoffman, though. Musk's international political actions and comments have come under increasing scrutiny and criticism, especially from the governments and leaders of France, Germany, Norway, Spain and the United Kingdom, particularly due to his position in the U.S. government as well as ownership of X. An NBC News analysis found he had boosted far-right political movements to cut immigration and curtail regulation of business in at least 18 countries on six continents since 2023. During his speech after the second inauguration of Donald Trump, Musk twice made a gesture interpreted by many as a Nazi or a fascist Roman salute.[e] He thumped his right hand over his heart, fingers spread wide, and then extended his right arm out, emphatically, at an upward angle, palm down and fingers together. He then repeated the gesture to the crowd behind him. As he finished the gestures, he said to the crowd, "My heart goes out to you. It is thanks to you that the future of civilization is assured." It was widely condemned as an intentional Nazi salute in Germany, where making such gestures is illegal. The Anti-Defamation League said it was not a Nazi salute, but other Jewish organizations disagreed and condemned the salute. American public opinion was divided on partisan lines as to whether it was a fascist salute. Musk dismissed the accusations of Nazi sympathies, deriding them as "dirty tricks" and a "tired" attack. Neo-Nazi and white supremacist groups celebrated it as a Nazi salute. Multiple European political parties demanded that Musk be banned from entering their countries. The concept of DOGE emerged in a discussion between Musk and Donald Trump, and in August 2024, Trump committed to giving Musk an advisory role, with Musk accepting the offer. In November and December 2024, Musk suggested that the organization could help to cut the U.S. federal budget, consolidate the number of federal agencies, and eliminate the Consumer Financial Protection Bureau, and that its final stage would be "deleting itself". In January 2025, the organization was created by executive order, and Musk was designated a "special government employee". Musk led the organization and was a senior advisor to the president, although his official role is not clear. In sworn statement during a lawsuit, the director of the White House Office of Administration stated that Musk "is not an employee of the U.S. DOGE Service or U.S. DOGE Service Temporary Organization", "is not the U.S. DOGE Service administrator", and has "no actual or formal authority to make government decisions himself". Trump said two days later that he had put Musk in charge of DOGE. A federal judge has ruled that Musk acted as the de facto leader of DOGE. Musk's role in the second Trump administration, particularly in response to DOGE, has attracted public backlash. He was criticized for his treatment of federal government employees, including his influence over the mass layoffs of the federal workforce. He has prioritized secrecy within the organization and has accused others of violating privacy laws. A Senate report alleged that Musk could avoid up to $2 billion in legal liability as a result of DOGE's actions. In May 2025, Bill Gates accused Musk of "killing the world's poorest children" through his cuts to USAID, which modeling by Boston University estimated had resulted in 300,000 deaths by this time, most of them of children. By November 2025, the estimated death toll had increased to 400,000 children and 200,000 adults. Musk announced on May 28, 2025, that he would depart from the Trump administration as planned when the special government employee's 130 day deadline expired, with a White House official confirming that Musk's offboarding from the Trump administration was already underway. His departure was officially confirmed during a joint Oval Office press conference with Trump on May 30, 2025. @realDonaldTrump is in the Epstein files. That is the real reason they have not been made public. June 5, 2025 After leaving office, Musk criticized the Trump administration's Big Beautiful Bill, calling it a "disgusting abomination" due to its provisions increasing the deficit. A feud began between Musk and Trump, with its most notable event being Musk alleging Trump had ties to sex offender Jeffrey Epstein on X (formerly Twitter) on June 5, 2025. Trump responded on Truth Social stating that Musk went "CRAZY" after the "EV Mandate" was purportedly taken away and threatened to cut Musk's government contracts. Musk then called for a third Trump impeachment. The next day, Trump stated that he did not wish to reconcile with Musk, and added that Musk would face "very serious consequences" if he funds Democratic candidates. On June 11, Musk publicly apologized for the tweets against Trump, saying they "went too far". Views November 6, 2022 Rejecting the conservative label, Musk has described himself as a political moderate, even as his views have become more right-wing over time. His views have been characterized as libertarian and far-right, and after his involvement in European politics, they have received criticism from world leaders such as Emmanuel Macron and Olaf Scholz. Within the context of American politics, Musk supported Democratic candidates up until 2022, at which point he voted for a Republican for the first time. He has stated support for universal basic income, gun rights, freedom of speech, a tax on carbon emissions, and H-1B visas. Musk has expressed concern about issues such as artificial intelligence (AI) and climate change, and has been a critic of wealth tax, short-selling, and government subsidies. An immigrant himself, Musk has been accused of being anti-immigration, and regularly blames immigration policies for illegal immigration. He is also a pronatalist who believes population decline is the biggest threat to civilization, and identifies as a cultural Christian. Musk has long been an advocate for space colonization, especially the colonization of Mars. He has repeatedly pushed for humanity colonizing Mars, in order to become an interplanetary species and lower the risks of human extinction. Musk has promoted conspiracy theories and made controversial statements that have led to accusations of racism, sexism, antisemitism, transphobia, disseminating disinformation, and support of white pride. While describing himself as a "pro-Semite", his comments regarding George Soros and Jewish communities have been condemned by the Anti-Defamation League and the Biden White House. Musk was criticized during the COVID-19 pandemic for making unfounded epidemiological claims, defying COVID-19 lockdowns restrictions, and supporting the Canada convoy protest against vaccine mandates. He has amplified false claims of white genocide in South Africa. Musk has been critical of Israel's actions in the Gaza Strip during the Gaza war, praised China's economic and climate goals, suggested that Taiwan and China should resolve cross-strait relations, and was described as having a close relationship with the Chinese government. In Europe, Musk expressed support for Ukraine in 2022 during the Russian invasion, recommended referendums and peace deals on the annexed Russia-occupied territories, and supported the far-right Alternative for Germany political party in 2024. Regarding British politics, Musk blamed the 2024 UK riots on mass migration and open borders, criticized Prime Minister Keir Starmer for what he described as a "two-tier" policing system, and was subsequently attacked as being responsible for spreading misinformation and amplifying the far-right. He has also voiced his support for far-right activist Tommy Robinson and pledged electoral support for Reform UK. In February 2026, Musk described Spanish Prime Minister Pedro Sánchez as a "tyrant" following Sánchez's proposal to prohibit minors under the age of 16 from accessing social media platforms. Legal affairs In 2018, Musk was sued by the U.S. Securities and Exchange Commission (SEC) for a tweet stating that funding had been secured for potentially taking Tesla private.[f] The securities fraud lawsuit characterized the tweet as false, misleading, and damaging to investors, and sought to bar Musk from serving as CEO of publicly traded companies. Two days later, Musk settled with the SEC, without admitting or denying the SEC's allegations. As a result, Musk and Tesla were fined $20 million each, and Musk was forced to step down for three years as Tesla chairman but was able to remain as CEO. Shareholders filed a lawsuit over the tweet, and in February 2023, a jury found Musk and Tesla not liable. Musk has stated in interviews that he does not regret posting the tweet that triggered the SEC investigation. In 2019, Musk stated in a tweet that Tesla would build half a million cars that year. The SEC reacted by asking a court to hold him in contempt for violating the terms of the 2018 settlement agreement. A joint agreement between Musk and the SEC eventually clarified the previous agreement details, including a list of topics about which Musk needed preclearance. In 2020, a judge blocked a lawsuit that claimed a tweet by Musk regarding Tesla stock price ("too high imo") violated the agreement. Freedom of Information Act (FOIA)-released records showed that the SEC concluded Musk had subsequently violated the agreement twice by tweeting regarding "Tesla's solar roof production volumes and its stock price". In October 2023, the SEC sued Musk over his refusal to testify a third time in an investigation into whether he violated federal law by purchasing Twitter stock in 2022. In February 2024, Judge Laurel Beeler ruled that Musk must testify again. In January 2025, the SEC filed a lawsuit against Musk for securities violations related to his purchase of Twitter. In January 2024, Delaware judge Kathaleen McCormick ruled in a 2018 lawsuit that Musk's $55 billion pay package from Tesla be rescinded. McCormick called the compensation granted by the company's board "an unfathomable sum" that was unfair to shareholders. The Delaware Supreme Court overturned McCormick's decision in December 2025, restoring Musk's compensation package and awarding $1 in nominal damages. Personal life Musk became a U.S. citizen in 2002. From the early 2000s until late 2020, Musk resided in California, where both Tesla and SpaceX were founded. He then relocated to Cameron County, Texas, saying that California had become "complacent" about its economic success. While hosting Saturday Night Live in 2021, Musk stated that he has Asperger syndrome (an outdated term for autism spectrum disorder). When asked about his experience growing up with Asperger's syndrome in a TED2022 conference in Vancouver, Musk stated that "the social cues were not intuitive ... I would just tend to take things very literally ... but then that turned out to be wrong — [people were not] simply saying exactly what they mean, there's all sorts of other things that are meant, and [it] took me a while to figure that out." Musk suffers from back pain and has undergone several spine-related surgeries, including a disc replacement. In 2000, he contracted a severe case of malaria while on vacation in South Africa. Musk has stated he uses doctor-prescribed ketamine for occasional depression and that he doses "a small amount once every other week or something like that"; since January 2024, some media outlets have reported that he takes ketamine, marijuana, LSD, ecstasy, mushrooms, cocaine and other drugs. Musk at first refused to comment on his alleged drug use, before responding that he had not tested positive for drugs, and that if drugs somehow improved his productivity, "I would definitely take them!". The New York Times' investigations revealed Musk's overuse of ketamine and numerous other drugs, as well as strained family relationships and concerns from close associates who have become troubled by his public behavior as he became more involved in political activities and government work. According to The Washington Post, President Trump described Musk as "a big-time drug addict". Through his own label Emo G Records, Musk released a rap track, "RIP Harambe", on SoundCloud in March 2019. The following year, he released an EDM track, "Don't Doubt Ur Vibe", featuring his own lyrics and vocals. Musk plays video games, which he stated has a "'restoring effect' that helps his 'mental calibration'". Some games he plays include Quake, Diablo IV, Elden Ring, and Polytopia. Musk once claimed to be one of the world's top video game players but has since admitted to "account boosting", or cheating by hiring outside services to achieve top player rankings. Musk has justified the boosting by claiming that all top accounts do it so he has to as well to remain competitive. In 2024 and 2025, Musk criticized the video game Assassin's Creed Shadows and its creator Ubisoft for "woke" content. Musk posted to X that "DEI kills art" and specified the inclusion of the historical figure Yasuke in the Assassin's Creed game as offensive; he also called the game "terrible". Ubisoft responded by saying that Musk's comments were "just feeding hatred" and that they were focused on producing a game not pushing politics. Musk has fathered at least 14 children, one of whom died as an infant. The Wall Street Journal reported in 2025 that sources close to Musk suggest that the "true number of Musk's children is much higher than publicly known". He had six children with his first wife, Canadian author Justine Wilson, whom he met while attending Queen's University in Ontario, Canada; they married in 2000. In 2002, their first child Nevada Musk died of sudden infant death syndrome at the age of 10 weeks. After his death, the couple used in vitro fertilization (IVF) to continue their family; they had twins in 2004, followed by triplets in 2006. The couple divorced in 2008 and have shared custody of their children. The elder twin he had with Wilson came out as a trans woman and, in 2022, officially changed her name to Vivian Jenna Wilson, adopting her mother's surname because she no longer wished to be associated with Musk. Musk began dating English actress Talulah Riley in 2008. They married two years later at Dornoch Cathedral in Scotland. In 2012, the couple divorced, then remarried the following year. After briefly filing for divorce in 2014, Musk finalized a second divorce from Riley in 2016. Musk then dated the American actress Amber Heard for several months in 2017; he had reportedly been "pursuing" her since 2012. In 2018, Musk and Canadian musician Grimes confirmed they were dating. Grimes and Musk have three children, born in 2020, 2021, and 2022.[g] Musk and Grimes originally gave their eldest child the name "X Æ A-12", which would have violated California regulations as it contained characters that are not in the modern English alphabet; the names registered on the birth certificate are "X" as a first name, "Æ A-Xii" as a middle name, and "Musk" as a last name. They received criticism for choosing a name perceived to be impractical and difficult to pronounce; Musk has said the intended pronunciation is "X Ash A Twelve". Their second child was born via surrogacy. Despite the pregnancy, Musk confirmed reports that the couple were "semi-separated" in September 2021; in an interview with Time in December 2021, he said he was single. In October 2023, Grimes sued Musk over parental rights and custody of X Æ A-Xii. Elon Musk has taken X Æ A-Xii to multiple official events in Washington, D.C. during Trump's second term in office. Also in July 2022, The Wall Street Journal reported that Musk allegedly had an affair with Nicole Shanahan, the wife of Google co-founder Sergey Brin, in 2021, leading to their divorce the following year. Musk denied the report. Musk also had a relationship with Australian actress Natasha Bassett, who has been described as "an occasional girlfriend". In October 2024, The New York Times reported Musk bought a Texas compound for his children and their mothers, though Musk denied having done so. Musk also has four children with Shivon Zilis, director of operations and special projects at Neuralink: twins born via IVF in 2021, a child born in 2024 via surrogacy and a child born in 2025.[h] On February 14, 2025, Ashley St. Clair, an influencer and author, posted on X claiming to have given birth to Musk's son Romulus five months earlier, which media outlets reported as Musk's supposed thirteenth child.[i] On February 22, 2025, it was reported that St Clair had filed for sole custody of her five-month-old son and for Musk to be recognised as the child's father. On March 31, 2025, Musk wrote that, while he was unsure if he was the father of St. Clair's child, he had paid St. Clair $2.5 million and would continue paying her $500,000 per year.[j] Later reporting from the Wall Street Journal indicated that $1 million of these payments to St. Clair were structured as a loan. In 2014, Musk and Ghislaine Maxwell appeared together in a photograph taken at an Academy Awards after-party, which Musk later described as a "photobomb". The January 2026 Epstein files contain emails between Musk and Epstein from 2012 to 2013, after Epstein's first conviction. Emails released on January 30, 2026, indicated that Epstein invited Musk to visit his private island on multiple occasions. The correspondence showed that while Epstein repeatedly encouraged Musk to attend, Musk did not visit the island. In one instance, Musk discussed the possibility of attending a party with his then-wife Talulah Riley and asked which day would be the "wildest party"; according to the emails, the visit did not take place after Epstein later cancelled the plans.[k] On Christmas day in 2012, Musk emailed Epstein asking "Do you have any parties planned? I’ve been working to the edge of sanity this year and so, once my kids head home after Christmas, I really want to hit the party scene in St Barts or elsewhere and let loose. The invitation is much appreciated, but a peaceful island experience is the opposite of what I’m looking for". Epstein replied that the "ratio on my island" might make Musk's wife uncomfortable to which Musk responded, "Ratio is not a problem for Talulah". On September 11, 2013, Epstein sent an email asking Musk if he had any plans for coming to New York for the opening of the United Nations General Assembly where many "interesting people" would be coming to his house to which Musk responded that "Flying to NY to see UN diplomats do nothing would be an unwise use of time". Epstein responded by stating "Do you think i am retarded. Just kidding, there is no one over 25 and all very cute." Musk has denied any close relationship with Epstein and described him as a "creep" who attempted to ingratiate himself with influential people. When Musk was asked in 2019 if he introduced Epstein to Mark Zuckerberg, Musk responded: "I don’t recall introducing Epstein to anyone, as I don’t know the guy well enough to do so." The released emails nonetheless showed cordial exchanges on a range of topics, including Musk's inquiry about parties on the island. The correspondence also indicated that Musk suggested hosting Epstein at SpaceX, while Epstein separately discussed plans to tour SpaceX and bring "the girls", though there is no evidence that such a visit occurred. Musk has described the release of the files a "distraction", later accusing the second Trump administration of suppressing them to protect powerful individuals, including Trump himself.[l] Wealth Elon Musk is the wealthiest person in the world, with an estimated net worth of US$690 billion as of January 2026, according to the Bloomberg Billionaires Index, and $852 billion according to Forbes, primarily from his ownership stakes in SpaceX and Tesla. Having been first listed on the Forbes Billionaires List in 2012, around 75% of Musk's wealth was derived from Tesla stock in November 2020, although he describes himself as "cash poor". According to Forbes, he became the first person in the world to achieve a net worth of $300 billion in 2021; $400 billion in December 2024; $500 billion in October 2025; $600 billion in mid-December 2025; $700 billion later that month; and $800 billion in February 2026. In November 2025, a Tesla pay package worth potentially $1 trillion for Musk was approved, which he is to receive over 10 years if he meets specific goals. Public image Although his ventures have been highly influential within their separate industries starting in the 2000s, Musk only became a public figure in the early 2010s. He has been described as an eccentric who makes spontaneous and impactful decisions, while also often making controversial statements, contrary to other billionaires who prefer reclusiveness to protect their businesses. Musk's actions and his expressed views have made him a polarizing figure. Biographer Ashlee Vance described people's opinions of Musk as polarized due to his "part philosopher, part troll" persona on Twitter. He has drawn denouncement for using his platform to mock the self-selection of personal pronouns, while also receiving praise for bringing international attention to matters like British survivors of grooming gangs. Musk has been described as an American oligarch due to his extensive influence over public discourse, social media, industry, politics, and government policy. After Trump's re-election, Musk's influence and actions during the transition period and the second presidency of Donald Trump led some to call him "President Musk", the "actual president-elect", "shadow president" or "co-president". Awards for his contributions to the development of the Falcon rockets include the American Institute of Aeronautics and Astronautics George Low Transportation Award in 2008, the Fédération Aéronautique Internationale Gold Space Medal in 2010, and the Royal Aeronautical Society Gold Medal in 2012. In 2015, he received an honorary doctorate in engineering and technology from Yale University and an Institute of Electrical and Electronics Engineers Honorary Membership. Musk was elected a Fellow of the Royal Society (FRS) in 2018.[m] In 2022, Musk was elected to the National Academy of Engineering. Time has listed Musk as one of the most influential people in the world in 2010, 2013, 2018, and 2021. Musk was selected as Time's "Person of the Year" for 2021. Then Time editor-in-chief Edward Felsenthal wrote that, "Person of the Year is a marker of influence, and few individuals have had more influence than Musk on life on Earth, and potentially life off Earth too." Notes References Works cited Further reading External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Meta_Platforms#cite_note-:11-108] | [TOKENS: 8626]
Contents Meta Platforms Meta Platforms, Inc. (doing business as Meta) is an American multinational technology company headquartered in Menlo Park, California. Meta owns and operates several prominent social media platforms and communication services, including Facebook, Instagram, WhatsApp, Messenger, Threads and Manus. The company also operates an advertising network for its own sites and third parties; as of 2023[update], advertising accounted for 97.8 percent of its total revenue. Meta has been described as a part of Big Tech, which refers to the largest six tech companies in the United States, Alphabet (Google), Amazon, Apple, Meta (Facebook), Microsoft, and Nvidia, which are also the largest companies in the world by market capitalization. The company was originally established in 2004 as TheFacebook, Inc., and was renamed Facebook, Inc. in 2005. In 2021, it rebranded as Meta Platforms, Inc. to reflect a strategic shift toward developing the metaverse—an interconnected digital ecosystem spanning virtual and augmented reality technologies. In 2023, Meta was ranked 31st on the Forbes Global 2000 list of the world's largest public companies. As of 2022, it was the world's third-largest spender on research and development, with R&D expenses totaling US$35.3 billion. History Facebook filed for an initial public offering (IPO) on January 1, 2012. The preliminary prospectus stated that the company sought to raise $5 billion, had 845 million monthly active users, and a website accruing 2.7 billion likes and comments daily. After the IPO, Zuckerberg would retain 22% of the total shares and 57% of the total voting power in Facebook. Underwriters valued the shares at $38 each, valuing the company at $104 billion, the largest valuation yet for a newly public company. On May 16, one day before the IPO, Facebook announced it would sell 25% more shares than originally planned due to high demand. The IPO raised $16 billion, making it the third-largest in US history (slightly ahead of AT&T Mobility and behind only General Motors and Visa). The stock price left the company with a higher market capitalization than all but a few U.S. corporations—surpassing heavyweights such as Amazon, McDonald's, Disney, and Kraft Foods—and made Zuckerberg's stock worth $19 billion. The New York Times stated that the offering overcame questions about Facebook's difficulties in attracting advertisers to transform the company into a "must-own stock". Jimmy Lee of JPMorgan Chase described it as "the next great blue-chip". Writers at TechCrunch, on the other hand, expressed skepticism, stating, "That's a big multiple to live up to, and Facebook will likely need to add bold new revenue streams to justify the mammoth valuation." Trading in the stock, which began on May 18, was delayed that day due to technical problems with the Nasdaq exchange. The stock struggled to stay above the IPO price for most of the day, forcing underwriters to buy back shares to support the price. At the closing bell, shares were valued at $38.23, only $0.23 above the IPO price and down $3.82 from the opening bell value. The opening was widely described by the financial press as a disappointment. The stock set a new record for trading volume of an IPO. On May 25, 2012, the stock ended its first full week of trading at $31.91, a 16.5% decline. On May 22, 2012, regulators from Wall Street's Financial Industry Regulatory Authority announced that they had begun to investigate whether banks underwriting Facebook had improperly shared information only with select clients rather than the general public. Massachusetts Secretary of State William F. Galvin subpoenaed Morgan Stanley over the same issue. The allegations sparked "fury" among some investors and led to the immediate filing of several lawsuits, one of them a class action suit claiming more than $2.5 billion in losses due to the IPO. Bloomberg estimated that retail investors may have lost approximately $630 million on Facebook stock since its debut. S&P Global Ratings added Facebook to its S&P 500 index on December 21, 2013. On May 2, 2014, Zuckerberg announced that the company would be changing its internal motto from "Move fast and break things" to "Move fast with stable infrastructure". The earlier motto had been described as Zuckerberg's "prime directive to his developers and team" in a 2009 interview in Business Insider, in which he also said, "Unless you are breaking stuff, you are not moving fast enough." In November 2016, Facebook announced the Microsoft Windows client of gaming service Facebook Gameroom, formerly Facebook Games Arcade, at the Unity Technologies developers conference. The client allows Facebook users to play "native" games in addition to its web games. The service was closed in June 2021. Lasso was a short-video sharing app from Facebook similar to TikTok that was launched on iOS and Android in 2018 and was aimed at teenagers. On July 2, 2020, Facebook announced that Lasso would be shutting down on July 10. In 2018, the Oculus lead Jason Rubin sent his 50-page vision document titled "The Metaverse" to Facebook's leadership. In the document, Rubin acknowledged that Facebook's virtual reality business had not caught on as expected, despite the hundreds of millions of dollars spent on content for early adopters. He also urged the company to execute fast and invest heavily in the vision, to shut out HTC, Apple, Google and other competitors in the VR space. Regarding other players' participation in the metaverse vision, he called for the company to build the "metaverse" to prevent their competitors from "being in the VR business in a meaningful way at all". In May 2019, Facebook founded Libra Networks, reportedly to develop their own stablecoin cryptocurrency. Later, it was reported that Libra was being supported by financial companies such as Visa, Mastercard, PayPal and Uber. The consortium of companies was expected to pool in $10 million each to fund the launch of the cryptocurrency coin named Libra. Depending on when it would receive approval from the Swiss Financial Market Supervisory authority to operate as a payments service, the Libra Association had planned to launch a limited format cryptocurrency in 2021. Libra was renamed Diem, before being shut down and sold in January 2022 after backlash from Swiss government regulators and the public. During the COVID-19 pandemic, the use of online services, including Facebook, grew globally. Zuckerberg predicted this would be a "permanent acceleration" that would continue after the pandemic. Facebook hired aggressively, growing from 48,268 employees in March 2020 to more than 87,000 by September 2022. Following a period of intense scrutiny and damaging whistleblower leaks, news started to emerge on October 21, 2021 about Facebook's plan to rebrand the company and change its name. In the Q3 2021 earnings call on October 25, Mark Zuckerberg discussed the ongoing criticism of the company's social services and the way it operates, and pointed to the pivoting efforts to building the metaverse – without mentioning the rebranding and the name change. The metaverse vision and the name change from Facebook, Inc. to Meta Platforms was introduced at Facebook Connect on October 28, 2021. Based on Facebook's PR campaign, the name change reflects the company's shifting long term focus of building the metaverse, a digital extension of the physical world by social media, virtual reality and augmented reality features. "Meta" had been registered as a trademark in the United States in 2018 (after an initial filing in 2015) for marketing, advertising, and computer services, by a Canadian company that provided big data analysis of scientific literature. This company was acquired in 2017 by the Chan Zuckerberg Initiative (CZI), a foundation established by Zuckerberg and his wife, Priscilla Chan, and became one of their projects. Following the rebranding announcement, CZI announced that it had already decided to deprioritize the earlier Meta project, thus it would be transferring its rights to the name to Meta Platforms, and the previous project would end in 2022. Soon after the rebranding, in early February 2022, Meta reported a greater-than-expected decline in profits in the fourth quarter of 2021. It reported no growth in monthly users, and indicated it expected revenue growth to stall. It also expected measures taken by Apple Inc. to protect user privacy to cost it some $10 billion in advertisement revenue, an amount equal to roughly 8% of its revenue for 2021. In meeting with Meta staff the day after earnings were reported, Zuckerberg blamed competition for user attention, particularly from video-based apps such as TikTok. The 27% reduction in the company's share price which occurred in reaction to the news eliminated some $230 billion of value from Meta's market capitalization. Bloomberg described the decline as "an epic rout that, in its sheer scale, is unlike anything Wall Street or Silicon Valley has ever seen". Zuckerberg's net worth fell by as much as $31 billion. Zuckerberg owns 13% of Meta, and the holding makes up the bulk of his wealth. According to published reports by Bloomberg on March 30, 2022, Meta turned over data such as phone numbers, physical addresses, and IP addresses to hackers posing as law enforcement officials using forged documents. The law enforcement requests sometimes included forged signatures of real or fictional officials. When asked about the allegations, a Meta representative said, "We review every data request for legal sufficiency and use advanced systems and processes to validate law enforcement requests and detect abuse." In June 2022, Sheryl Sandberg, the chief operating officer of 14 years, announced she would step down that year. Zuckerberg said that Javier Olivan would replace Sandberg, though in a “more traditional” role. In March 2022, Meta (except Meta-owned WhatsApp) and Instagram were banned in Russia and added to the Russian list of terrorist and extremist organizations for alleged Russophobia and hate speech (up to genocidal calls) amid the ongoing Russian invasion of Ukraine. Meta appealed against the ban, but it was upheld by a Moscow court in June of the same year. Also in March 2022, Meta and Italian eyewear giant Luxottica released Ray-Ban Stories, a series of smartglasses which could play music and take pictures. Meta and Luxottica parent company EssilorLuxottica declined to disclose sales on the line of products as of September 2022, though Meta has expressed satisfaction with its customer feedback. In July 2022, Meta saw its first year-on-year revenue decline when its total revenue slipped by 1% to $28.8bn. Analysts and journalists accredited the loss to its advertising business, which has been limited by Apple's app tracking transparency feature and the number of people who have opted not to be tracked by Meta apps. Zuckerberg also accredited the decline to increasing competition from TikTok. On October 27, 2022, Meta's market value dropped to $268 billion, a loss of around $700 billion compared to 2021, and its shares fell by 24%. It lost its spot among the top 20 US companies by market cap, despite reaching the top 5 in the previous year. In November 2022, Meta laid off 11,000 employees, 13% of its workforce. Zuckerberg said the decision to aggressively increase Meta's investments had been a mistake, as he had wrongly predicted that the surge in e-commerce would last beyond the COVID-19 pandemic. He also attributed the decline to increased competition, a global economic downturn and "ads signal loss". Plans to lay off a further 10,000 employees began in April 2023. The layoffs were part of a general downturn in the technology industry, alongside layoffs by companies including Google, Amazon, Tesla, Snap, Twitter and Lyft. Starting from 2022, Meta scrambled to catch up to other tech companies in adopting specialized artificial intelligence hardware and software. It had been using less expensive CPUs instead of GPUs for AI work, but that approach turned out to be less efficient. The company gifted the Inter-university Consortium for Political and Social Research $1.3 million to finance the Social Media Archive's aim to make their data available to social science research. In 2023, Ireland's Data Protection Commissioner imposed a record EUR 1.2 billion fine on Meta for transferring data from Europe to the United States without adequate protections for EU citizens.: 250 In March 2023, Meta announced a new round of layoffs that would cut 10,000 employees and close 5,000 open positions to make the company more efficient. Meta revenue surpassed analyst expectations for the first quarter of 2023 after announcing that it was increasing its focus on AI. On July 6, Meta launched a new app, Threads, a competitor to Twitter. Meta announced its artificial intelligence model Llama 2 in July 2023, available for commercial use via partnerships with major cloud providers like Microsoft. It was the first project to be unveiled out of Meta's generative AI group after it was set up in February. It would not charge access or usage but instead operate with an open-source model to allow Meta to ascertain what improvements need to be made. Prior to this announcement, Meta said it had no plans to release Llama 2 for commercial use. An earlier version of Llama was released to academics. In August 2023, Meta announced its permanent removal of news content from Facebook and Instagram in Canada due to the Online News Act, which requires Canadian news outlets to be compensated for content shared on its platform. The Online News Act was in effect by year-end, but Meta will not participate in the regulatory process. In October 2023, Zuckerberg said that AI would be Meta's biggest investment area in 2024. Meta finished 2023 as one of the best-performing technology stocks of the year, with its share price up 150 percent. Its stock reached an all-time high in January 2024, bringing Meta within 2% of achieving $1 trillion market capitalization. In November 2023 Meta Platforms launched an ad-free service in Europe, allowing subscribers to opt-out of personal data being collected for targeted advertising. A group of 28 European organizations, including Max Schrems' advocacy group NOYB, the Irish Council for Civil Liberties, Wikimedia Europe, and the Electronic Privacy Information Center, signed a 2024 letter to the European Data Protection Board (EDPB) expressing concern that this subscriber model would undermine privacy protections, specifically GDPR data protection standards. Meta removed the Facebook and Instagram accounts of Iran's Supreme Leader Ali Khamenei in February 2024, citing repeated violations of its Dangerous Organizations & Individuals policy. As of March, Meta was under investigation by the FDA for alleged use of their social media platforms to sell illegal drugs. On 16 May 2024, the European Commission began an investigation into Meta over concerns related to child safety. In May 2023, Iraqi social media influencer Esaa Ahmed-Adnan encountered a troubling issue when Instagram removed his posts, citing false copyright violations despite his content being original and free from copyrighted material. He discovered that extortionists were behind these takedowns, offering to restore his content for $3,000 or provide ongoing protection for $1,000 per month. This scam, exploiting Meta’s rights management tools, became widespread in the Middle East, revealing a gap in Meta’s enforcement in developing regions. An Iraqi nonprofit Tech4Peace’s founder, Aws al-Saadi helped Ahmed-Adnan and others, but the restoration process was slow, leading to significant financial losses for many victims, including prominent figures like Ammar al-Hakim. This situation highlighted Meta’s challenges in balancing global growth with effective content moderation and protection. On 16 September 2024, Meta announced it had banned Russian state media outlets from its platforms worldwide due to concerns about "foreign interference activity." This decision followed allegations that RT and its employees funneled $10 million through shell companies to secretly fund influence campaigns on various social media channels. Meta's actions were part of a broader effort to counter Russian covert influence operations, which had intensified since the invasion. At its 2024 Connect conference, Meta presented Orion, its first pair of augmented reality glasses. Though Orion was originally intended to be sold to consumers, the manufacturing process turned out to be too complex and expensive. Instead, the company pivoted to producing a small number of the glasses to be used internally. On 4 October 2024, Meta announced about its new AI model called Movie Gen, capable of generating realistic video and audio clips based on user prompts. Meta stated it would not release Movie Gen for open development, preferring to collaborate directly with content creators and integrate it into its products by the following year. The model was built using a combination of licensed and publicly available datasets. On October 31, 2024, ProPublica published an investigation into deceptive political advertisement scams that sometimes use hundreds of hijacked profiles and facebook pages run by organized networks of scammers. The authors cited spotty enforcement by Meta as a major reason for the extent of the issue. In November 2024, TechCrunch reported that Meta were considering building a $10bn global underwater cable spanning 25,000 miles. In the same month, Meta closed down 2 million accounts on Facebook and Instagram that were linked to scam centers in Myanmar, Laos, Cambodia, the Philippines, and the United Arab Emirates doing pig butchering scams. In December 2024, Meta announced that, beginning February 2025, they would require advertisers to run ads about financial services in Australia to verify information about who are the beneficiary and the payer in a bid to regulate scams. On December 4, 2024, Meta announced it will invest US$10 billion for its largest AI data center in northeast Louisiana, powered by natural gas facilities. On the 11th of that month, Meta experienced a global outage, impacting accounts on all of their social media and messaging applications. Outage reports from DownDetector reached 70,000+ and 100,000+ within minutes for Instagram and Facebook, respectively. In January 2025, Meta announced plans to roll back its diversity, equity, and inclusion (DEI) initiatives, citing shifts in the "legal and policy landscape" in the United States following the 2024 presidential election. The decision followed reports that CEO Mark Zuckerberg sought to align the company more closely with the incoming Trump administration, including changes to content moderation policies and executive leadership. The new content moderation policies continued to bar insults about a person's intellect or mental illness, but made an exception to allow calling LGBTQ people mentally ill because they are gay or transgender. Later that month, Meta agreed to pay $25 million to settle a 2021 lawsuit brought by Donald Trump for suspending his social media accounts after the January 6 riots. Changes to Meta's moderation policies were controversial among its oversight board, with a significant divide in opinion between the board's US conservatives and its global members. In June 2025, Meta Platforms Inc. has decided to make a multibillion-dollar investment into artificial intelligence startup Scale AI. The financing could exceed $10 billion in value which would make it one of the largest private company funding events of all time. In October 2025, it was announced that Meta would be laying off 600 employees in the artificial intelligence unit to perform better and simpler. They referred to their AI unit as "bloated" and are seeking to trim down the department. This mass layoff is going to impact Meta’s AI infrastructure units, Fundamental Artificial Intelligence Research unit (FAIR) and other product-related positions. Mergers and acquisitions Meta has acquired multiple companies (often identified as talent acquisitions). One of its first major acquisitions was in April 2012, when it acquired Instagram for approximately US$1 billion in cash and stock. In October 2013, Facebook, Inc. acquired Onavo, an Israeli mobile web analytics company. In February 2014, Facebook, Inc. announced it would buy mobile messaging company WhatsApp for US$19 billion in cash and stock. The acquisition was completed on October 6. Later that year, Facebook bought Oculus VR for $2.3 billion in cash and stock, which released its first consumer virtual reality headset in 2016. In late November 2019, Facebook, Inc. announced the acquisition of the game developer Beat Games, responsible for developing one of that year's most popular VR games, Beat Saber. In Late 2022, after Facebook Inc rebranded to Meta Platforms Inc, Oculus was rebranded to Meta Quest. In May 2020, Facebook, Inc. announced it had acquired Giphy for a reported cash price of $400 million. It will be integrated with the Instagram team. However, in August 2021, UK's Competition and Markets Authority (CMA) stated that Facebook, Inc. might have to sell Giphy, after an investigation found that the deal between the two companies would harm competition in display advertising market. Facebook, Inc. was fined $70 million by CMA for deliberately failing to report all information regarding the acquisition and the ongoing antitrust investigation. In October 2022, the CMA ruled for a second time that Meta be required to divest Giphy, stating that Meta already controls half of the advertising in the UK. Meta agreed to the sale, though it stated that it disagrees with the decision itself. In May 2023, Giphy was divested to Shutterstock for $53 million. In November 2020, Facebook, Inc. announced that it planned to purchase the customer-service platform and chatbot specialist startup Kustomer to promote companies to use their platform for business. It has been reported that Kustomer valued at slightly over $1 billion. The deal was closed in February 2022 after regulatory approval. In September 2022, Meta acquired Lofelt, a Berlin-based haptic tech startup. In December 2025, it was announced Meta had acquired the AI-wearables startup, Limitless. In the same month, they also acquired another AI startup, Manus AI, for $2 billion. Manus announced in December that its platform had achieved $100mm in recurring revenue just 8 months after its launch and Meta said it will scale the platform to many other businesses. In January 2026, it was announced Meta proposed acquisition of Manus was undergoing preliminary scrutiny by Chinese regulators. The examination concerns the cross-border transfer of artificial intelligence technology developed in China. Lobbying In 2020, Facebook, Inc. spent $19.7 million on lobbying, hiring 79 lobbyists. In 2019, it had spent $16.7 million on lobbying and had a team of 71 lobbyists, up from $12.6 million and 51 lobbyists in 2018. Facebook was the largest spender of lobbying money among the Big Tech companies in 2020. The lobbying team includes top congressional aide John Branscome, who was hired in September 2021, to help the company fend off threats from Democratic lawmakers and the Biden administration. In December 2024, Meta donated $1 million to the inauguration fund for then-President-elect Donald Trump. In 2025, Meta was listed among the donors funding the construction of the White House State Ballroom. Partnerships February 2026, Meta announced a long-term partnership with Nvidia. Censorship In August 2024, Mark Zuckerberg sent a letter to Jim Jordan indicating that during the COVID-19 pandemic the Biden administration repeatedly asked Meta to limit certain COVID-19 content, including humor and satire, on Facebook and Instagram. In 2016 Meta hired Jordana Cutler, formerly an employee at the Israeli Embassy to the United States, as its policy chief for Israel and the Jewish Diaspora. In this role, Cutler pushed for the censorship of accounts belonging to Students for Justice in Palestine chapters in the United States. Critics have said that Cutler's position gives the Israeli government an undue influence over Meta policy, and that few countries have such high levels of contact with Meta policymakers. Following the election of Donald Trump in 2025, various sources noted possible censorship related to the Democratic Party on Instagram and other Meta platforms. In February 2025, a Meta rep flagged journalist Gil Duran's article and other "critiques of tech industry figures" as spam or sensitive content, limiting their reach. In March 2025, Meta attempted to block former employee Sarah Wynn-Williams from promoting or further distributing her memoir, Careless People, that includes allegations of unaddressed sexual harassment in the workplace by senior executives. The New York Times reports that the arbitration is among Meta's most forcible attempts to repudiate a former employee's account of workplace dynamics. Publisher Macmillan reacted to the ruling by the Emergency International Arbitral Tribunal by stating that it will ignore its provisions. As of 15 March 2025[update], hardback and digital versions of Careless People were being offered for sale by major online retailers. From October 2025, Meta began removing and restricting access for accounts related to LGBTQ, reproductive health and abortion information pages on its platforms. Martha Dimitratou, executive director of Repro Uncensored, called Meta's shadow-banning of these issues "One of the biggest waves of censorship we are seeing". Disinformation concerns Since its inception, Meta has been accused of being a host for fake news and misinformation. In the wake of the 2016 United States presidential election, Zuckerberg began to take steps to eliminate the prevalence of fake news, as the platform had been criticized for its potential influence on the outcome of the election. The company initially partnered with ABC News, the Associated Press, FactCheck.org, Snopes and PolitiFact for its fact-checking initiative; as of 2018, it had over 40 fact-checking partners across the world, including The Weekly Standard. A May 2017 review by The Guardian found that the platform's fact-checking initiatives of partnering with third-party fact-checkers and publicly flagging fake news were regularly ineffective, and appeared to be having minimal impact in some cases. In 2018, journalists working as fact-checkers for the company criticized the partnership, stating that it had produced minimal results and that the company had ignored their concerns. In 2024 Meta's decision to continue to disseminate a falsified video of US president Joe Biden, even after it had been proven to be fake, attracted criticism and concern. In January 2025, Meta ended its use of third-party fact-checkers in favor of a user-run community notes system similar to the one used on X. While Zuckerberg supported these changes, saying that the amount of censorship on the platform was excessive, the decision received criticism by fact-checking institutions, stating that the changes would make it more difficult for users to identify misinformation. Meta also faced criticism for weakening its policies on hate speech that were designed to protect minorities and LGBTQ+ individuals from bullying and discrimination. While moving its content review teams from California to Texas, Meta changed their hateful conduct policy to eliminate restrictions on anti-LGBT and anti-immigrant hate speech, as well as explicitly allowing users to accuse LGBT people of being mentally ill or abnormal based on their sexual orientation or gender identity. In January 2025, Meta faced significant criticism for its role in removing LGBTQ+ content from its platforms, amid its broader efforts to address anti-LGBTQ+ hate speech. The removal of LGBTQ+ themes was noted as part of the wider crackdown on content deemed to violate its community guidelines. Meta's content moderation policies, which were designed to combat harmful speech and protect users from discrimination, inadvertently led to the removal or restriction of LGBTQ+ content, particularly posts highlighting LGBTQ+ identities, support, or political issues. According to reports, LGBTQ+ posts, including those that simply celebrated pride or advocated for LGBTQ+ rights, were flagged and removed for reasons that some critics argue were vague or inconsistently applied. Many LGBTQ+ activists and users on Meta's platforms expressed concern that such actions stifled visibility and expression, potentially isolating LGBTQ+ individuals and communities, especially in spaces that were historically important for outreach and support. Lawsuits Numerous lawsuits have been filed against the company, both when it was known as Facebook, Inc., and as Meta Platforms. In March 2020, the Office of the Australian Information Commissioner (OAIC) sued Facebook, for significant and persistent infringements of the rule on privacy involving the Cambridge Analytica fiasco. Every violation of the Privacy Act is subject to a theoretical cumulative liability of $1.7 million. The OAIC estimated that a total of 311,127 Australians had been exposed. On December 8, 2020, the U.S. Federal Trade Commission and 46 states (excluding Alabama, Georgia, South Carolina, and South Dakota), the District of Columbia and the territory of Guam, launched Federal Trade Commission v. Facebook as an antitrust lawsuit against Facebook. The lawsuit concerns Facebook's acquisition of two competitors—Instagram and WhatsApp—and the ensuing monopolistic situation. FTC alleges that Facebook holds monopolistic power in the U.S. social networking market and seeks to force the company to divest from Instagram and WhatsApp to break up the conglomerate. William Kovacic, a former chairman of the Federal Trade Commission, argued the case will be difficult to win as it would require the government to create a counterfactual argument of an internet where the Facebook-WhatsApp-Instagram entity did not exist, and prove that harmed competition or consumers. In November 2025, it was ruled that Meta did not violate antitrust laws and holds no monopoly in the market. On December 24, 2021, a court in Russia fined Meta for $27 million after the company declined to remove unspecified banned content. The fine was reportedly tied to the company's annual revenue in the country. In May 2022, a lawsuit was filed in Kenya against Meta and its local outsourcing company Sama. Allegedly, Meta has poor working conditions in Kenya for workers moderating Facebook posts. According to the lawsuit, 260 screeners were declared redundant with confusing reasoning. The lawsuit seeks financial compensation and an order that outsourced moderators be given the same health benefits and pay scale as Meta employees. In June 2022, 8 lawsuits were filed across the U.S. over the allege that excessive exposure to platforms including Facebook and Instagram has led to attempted or actual suicides, eating disorders and sleeplessness, among other issues. The litigation follows a former Facebook employee's testimony in Congress that the company refused to take responsibility. The company noted that tools have been developed for parents to keep track of their children's activity on Instagram and set time limits, in addition to Meta's "Take a break" reminders. In addition, the company is providing resources specific to eating disorders as well as developing AI to prevent children under the age of 13 signing up for Facebook or Instagram. In June 2022, Meta settled a lawsuit with the US Department of Justice. The lawsuit, which was filed in 2019, alleged that the company enabled housing discrimination through targeted advertising, as it allowed homeowners and landlords to run housing ads excluding people based on sex, race, religion, and other characteristics. The U.S. Department of Justice stated that this was in violation of the Fair Housing Act. Meta was handed a penalty of $115,054 and given until December 31, 2022, to shadow the algorithm tool. In January 2023, Meta was fined €390 million for violations of the European Union General Data Protection Regulation. In May 2023, the European Data Protection Board fined Meta a record €1.2 billion for breaching European Union data privacy laws by transferring personal data of Facebook users to servers in the U.S. In July 2024, Meta agreed to pay the state of Texas US$1.4 billion to settle a lawsuit brought by Texas Attorney General Ken Paxton accusing the company of collecting users' biometric data without consent, setting a record for the largest privacy-related settlement ever obtained by a state attorney general. In October 2024, Meta Platforms faced lawsuits in Japan from 30 plaintiffs who claimed they were defrauded by fake investment ads on Facebook and Instagram, featuring false celebrity endorsements. The plaintiffs are seeking approximately $2.8 million in damages. In April 2025, the Kenyan High Court ruled that a US$2.4 billion lawsuit in which three plaintiffs claim that Facebook inflamed civil violence in Ethiopia in 2021 could proceed. In April 2025, Meta was fined €200 million ($230 million) for breaking the Digital Markets Act, by imposing a “consent or pay” system that forces users to either allow their personal data to be used to target advertisements, or pay a subscription fee for advertising-free versions of Facebook and Instagram. In late April 2025, a case was filed against Meta in Ghana over the alleged psychological distress experienced by content moderators employed to take down disturbing social media content including depictions of murders, extreme violence and child sexual abuse. Meta moved the moderation service to the Ghanaian capital of Accra after legal issues in the previous location Kenya. The new moderation company is Teleperformance, a multinational corporation with a history of worker's rights violation. Reports suggests the conditions are worse here than in the previous Kenyan location, with many workers afraid of speaking out due to fear of returning to conflict zones. Workers reported developing mental illnesses, attempted suicides, and low pay. In 26 January 2026, a New Mexico state court case was filed, suggesting that Mark Zuckerberg approved allowing minors to access artificial intelligence chatbot companions that safety staffers warned were capable of sexual interactions. In 2020, the company UReputation, which had been involved in several cases concerning the management of digital armies[clarification needed], filed a lawsuit against Facebook, accusing it of unlawfully transmitting personal data to third parties. Legal actions were initiated in Tunisia, France, and the United States. In 2025, the United States District court for the Northern District of Georgia approved a discovery procedure, allowing UReputation to access documents and evidence held by Meta. Structure Meta's key management consists of: As of October 2022[update], Meta had 83,553 employees worldwide. As of June 2024[update], Meta's board consisted of the following directors; Meta Platforms is mainly owned by institutional investors, who hold around 80% of all shares. Insiders control the majority of voting shares. The three largest individual investors in 2024 were Mark Zuckerberg, Sheryl Sandberg and Christopher K. Cox. The largest shareholders in late 2024/early 2025 were: Roger McNamee, an early Facebook investor and Zuckerberg's former mentor, said Facebook had "the most centralized decision-making structure I have ever encountered in a large company". Facebook co-founder Chris Hughes has stated that chief executive officer Mark Zuckerberg has too much power, that the company is now a monopoly, and that, as a result, it should be split into multiple smaller companies. In an op-ed in The New York Times, Hughes said he was concerned that Zuckerberg had surrounded himself with a team that did not challenge him, and that it is the U.S. government's job to hold him accountable and curb his "unchecked power". He also said that "Mark's power is unprecedented and un-American." Several U.S. politicians agreed with Hughes. European Union Commissioner for Competition Margrethe Vestager stated that splitting Facebook should be done only as "a remedy of the very last resort", and that it would not solve Facebook's underlying problems. Revenue Facebook ranked No. 34 in the 2020 Fortune 500 list of the largest United States corporations by revenue, with almost $86 billion in revenue most of it coming from advertising. One analysis of 2017 data determined that the company earned US$20.21 per user from advertising. According to New York, since its rebranding, Meta has reportedly lost $500 billion as a result of new privacy measures put in place by companies such as Apple and Google which prevents Meta from gathering users' data. In February 2015, Facebook announced it had reached two million active advertisers, with most of the gain coming from small businesses. An active advertiser was defined as an entity that had advertised on the Facebook platform in the last 28 days. In March 2016, Facebook announced it had reached three million active advertisers with more than 70% from outside the United States. Prices for advertising follow a variable pricing model based on auctioning ad placements, and potential engagement levels of the advertisement itself. Similar to other online advertising platforms like Google and Twitter, targeting of advertisements is one of the chief merits of digital advertising compared to traditional media. Marketing on Meta is employed through two methods based on the viewing habits, likes and shares, and purchasing data of the audience, namely targeted audiences and "look alike" audiences. The U.S. IRS challenged the valuation Facebook used when it transferred IP from the U.S. to Facebook Ireland (now Meta Platforms Ireland) in 2010 (which Facebook Ireland then revalued higher before charging out), as it was building its double Irish tax structure. The case is ongoing and Meta faces a potential fine of $3–5bn. The U.S. Tax Cuts and Jobs Act of 2017 changed Facebook's global tax calculations. Meta Platforms Ireland is subject to the U.S. GILTI tax of 10.5% on global intangible profits (i.e. Irish profits). On the basis that Meta Platforms Ireland Limited is paying some tax, the effective minimum US tax for Facebook Ireland will be circa 11%. In contrast, Meta Platforms Inc. would incur a special IP tax rate of 13.125% (the FDII rate) if its Irish business relocated to the U.S. Tax relief in the U.S. (21% vs. Irish at the GILTI rate) and accelerated capital expensing, would make this effective U.S. rate around 12%. The insignificance of the U.S./Irish tax difference was demonstrated when Facebook moved 1.5bn non-EU accounts to the U.S. to limit exposure to GDPR. Facilities Users outside of the U.S. and Canada contract with Meta's Irish subsidiary, Meta Platforms Ireland Limited (formerly Facebook Ireland Limited), allowing Meta to avoid US taxes for all users in Europe, Asia, Australia, Africa and South America. Meta is making use of the Double Irish arrangement which allows it to pay 2–3% corporation tax on all international revenue. In 2010, Facebook opened its fourth office, in Hyderabad, India, which houses online advertising and developer support teams and provides support to users and advertisers. In India, Meta is registered as Facebook India Online Services Pvt Ltd. It also has offices or planned sites in Chittagong, Bangladesh; Dublin, Ireland; and Austin, Texas, among other cities. Facebook opened its London headquarters in 2017 in Fitzrovia in central London. Facebook opened an office in Cambridge, Massachusetts in 2018. The offices were initially home to the "Connectivity Lab", a group focused on bringing Internet access to those who do not have access to the Internet. In April 2019, Facebook opened its Taiwan headquarters in Taipei. In March 2022, Meta opened new regional headquarters in Dubai. In September 2023, it was reported that Meta had paid £149m to British Land to break the lease on Triton Square London office. Meta reportedly had another 18 years left on its lease on the site. As of 2023, Facebook operated 21 data centers. It committed to purchase 100% renewable energy and to reduce its greenhouse gas emissions 75% by 2020. Its data center technologies include Fabric Aggregator, a distributed network system that accommodates larger regions and varied traffic patterns. Reception US Representative Alexandria Ocasio-Cortez responded in a tweet to Zuckerberg's announcement about Meta, saying: "Meta as in 'we are a cancer to democracy metastasizing into a global surveillance and propaganda machine for boosting authoritarian regimes and destroying civil society ... for profit!'" Ex-Facebook employee Frances Haugen and whistleblower behind the Facebook Papers responded to the rebranding efforts by expressing doubts about the company's ability to improve while led by Mark Zuckerberg, and urged the chief executive officer to resign. In November 2021, a video published by Inspired by Iceland went viral, in which a Zuckerberg look-alike promoted the Icelandverse, a place of "enhanced actual reality without silly looking headsets". In a December 2021 interview, SpaceX and Tesla chief executive officer Elon Musk said he could not see a compelling use-case for the VR-driven metaverse, adding: "I don't see someone strapping a frigging screen to their face all day." In January 2022, Louise Eccles of The Sunday Times logged into the metaverse with the intention of making a video guide. She wrote: Initially, my experience with the Oculus went well. I attended work meetings as an avatar and tried an exercise class set in the streets of Paris. The headset enabled me to feel the thrill of carving down mountains on a snowboard and the adrenaline rush of climbing a mountain without ropes. Yet switching to the social apps, where you mingle with strangers also using VR headsets, it was at times predatory and vile. Eccles described being sexually harassed by another user, as well as "accents from all over the world, American, Indian, English, Australian, using racist, sexist, homophobic and transphobic language". She also encountered users as young as 7 years old on the platform, despite Oculus headsets being intended for users over 13. See also References External links 37°29′06″N 122°08′54″W / 37.48500°N 122.14833°W / 37.48500; -122.14833
========================================
[SOURCE: https://en.wikipedia.org/wiki/Yossi_Sarid] | [TOKENS: 749]
Contents Yossi Sarid Yossi Sarid (Hebrew: יוסי שריד‎; 24 October 1940 – 4 December 2015) was an Israeli politician and news commentator. He served as a member of the Knesset for the Alignment, Ratz and Meretz between 1974 and 2006. A former Minister of Education and Minister of the Environment, he led Meretz between 1996 and 2003 and served as Leader of the Opposition from 2001 to 2003. Known for his determined moral stance and his willingness to pay the political price for that determination, Sarid was often referred to as Israel's moral compass. Biography Yosef (Yossi) Sarid was born in Rehovot, Sarid served in the Artillery Corps and as a Military Correspondent during his national service in the IDF. He earned an MA in political science from New School for Social Research in New York City. He was a resident of Margaliyot in the Upper Galilee. Sarid was married to Dorit, with whom he had three children, including the writer Yishai Sarid. He died on the evening of 4 December 2015 from an apparent heart attack. He is buried in Kibbutz Givat Hashlosha cemetery, on the outskirts of Tel Aviv. Political and journalism career Sarid worked as a media aide to Prime Minister Levi Eshkol. He was first elected to the Knesset in 1973 on the Alignment list. He was re-elected in 1977, 1981 and 1984. After the Alignment agreed to join a national unity government with Likud in 1984, Sarid left the party on 22 October to join Shulamit Aloni's Ratz. He was re-elected on the Ratz list in 1988. In 1992, Ratz merged with Shinui and Mapam to form Meretz. The new party won 12 seats in the elections that year and joined Yitzhak Rabin's coalition. Sarid was appointed Minister of the Environment, a position he kept when Shimon Peres formed a new government after Rabin's assassination in 1995. In 1996, Sarid replaced Aloni as Meretz leader. Although the Labor Party won the most seats in elections that year, Likud leader Benjamin Netanyahu won the special election for Prime Minister and formed a right-wing government. Sarid was reelected as leader of Meretz in 1999. In the 1999 Knesset election, Meretz won 10 seats. Although Sarid had vowed not to join a coalition that included the ultra-Orthodox Shas, Ehud Barak persuaded Sarid to join the government, making him Minister of Education. Sarid explained the breaking of his vow in the need to promote the peace process. However, in 2000 Sarid resigned from the government and Meretz quit the coalition after failing to agree on authority to be given for Shas deputy minister of education. In the 2003 elections, Meretz was reduced to 6 seats, after which Sarid resigned as party leader, to be replaced by Yossi Beilin. He remained a member of the Knesset until the 2006 elections, when Meretz was reduced to 5 seats, after which he retired from politics, a plan he had announced the previous year. In 2009, Meretz's presence was further reduced to three seats in the Knesset. Sarid wrote a weekly column for Haaretz newspaper. References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Animal#cite_note-FAOFish-164] | [TOKENS: 6011]
Contents Animal Animals are multicellular, eukaryotic organisms belonging to the biological kingdom Animalia (/ˌænɪˈmeɪliə/). With few exceptions, animals consume organic material, breathe oxygen, have myocytes and are able to move, can reproduce sexually, and grow from a hollow sphere of cells, the blastula, during embryonic development. Animals form a clade, meaning that they arose from a single common ancestor. Over 1.5 million living animal species have been described, of which around 1.05 million are insects, over 85,000 are molluscs, and around 65,000 are vertebrates. It has been estimated there are as many as 7.77 million animal species on Earth. Animal body lengths range from 8.5 μm (0.00033 in) to 33.6 m (110 ft). They have complex ecologies and interactions with each other and their environments, forming intricate food webs. The scientific study of animals is known as zoology, and the study of animal behaviour is known as ethology. The animal kingdom is divided into five major clades, namely Porifera, Ctenophora, Placozoa, Cnidaria and Bilateria. Most living animal species belong to the clade Bilateria, a highly proliferative clade whose members have a bilaterally symmetric and significantly cephalised body plan, and the vast majority of bilaterians belong to two large clades: the protostomes, which includes organisms such as arthropods, molluscs, flatworms, annelids and nematodes; and the deuterostomes, which include echinoderms, hemichordates and chordates, the latter of which contains the vertebrates. The much smaller basal phylum Xenacoelomorpha have an uncertain position within Bilateria. Animals first appeared in the fossil record in the late Cryogenian period and diversified in the subsequent Ediacaran period in what is known as the Avalon explosion. Nearly all modern animal phyla first appeared in the fossil record as marine species during the Cambrian explosion, which began around 539 million years ago (Mya), and most classes during the Ordovician radiation 485.4 Mya. Common to all living animals, 6,331 groups of genes have been identified that may have arisen from a single common ancestor that lived about 650 Mya during the Cryogenian period. Historically, Aristotle divided animals into those with blood and those without. Carl Linnaeus created the first hierarchical biological classification for animals in 1758 with his Systema Naturae, which Jean-Baptiste Lamarck expanded into 14 phyla by 1809. In 1874, Ernst Haeckel divided the animal kingdom into the multicellular Metazoa (now synonymous with Animalia) and the Protozoa, single-celled organisms no longer considered animals. In modern times, the biological classification of animals relies on advanced techniques, such as molecular phylogenetics, which are effective at demonstrating the evolutionary relationships between taxa. Humans make use of many other animal species for food (including meat, eggs, and dairy products), for materials (such as leather, fur, and wool), as pets and as working animals for transportation, and services. Dogs, the first domesticated animal, have been used in hunting, in security and in warfare, as have horses, pigeons and birds of prey; while other terrestrial and aquatic animals are hunted for sports, trophies or profits. Non-human animals are also an important cultural element of human evolution, having appeared in cave arts and totems since the earliest times, and are frequently featured in mythology, religion, arts, literature, heraldry, politics, and sports. Etymology The word animal comes from the Latin noun animal of the same meaning, which is itself derived from Latin animalis 'having breath or soul'. The biological definition includes all members of the kingdom Animalia. In colloquial usage, the term animal is often used to refer only to nonhuman animals. The term metazoa is derived from Ancient Greek μετα meta 'after' (in biology, the prefix meta- stands for 'later') and ζῷᾰ zōia 'animals', plural of ζῷον zōion 'animal'. A metazoan is any member of the group Metazoa. Characteristics Animals have several characteristics that they share with other living things. Animals are eukaryotic, multicellular, and aerobic, as are plants and fungi. Unlike plants and algae, which produce their own food, animals cannot produce their own food, a feature they share with fungi. Animals ingest organic material and digest it internally. Animals have structural characteristics that set them apart from all other living things: Typically, there is an internal digestive chamber with either one opening (in Ctenophora, Cnidaria, and flatworms) or two openings (in most bilaterians). Animal development is controlled by Hox genes, which signal the times and places to develop structures such as body segments and limbs. During development, the animal extracellular matrix forms a relatively flexible framework upon which cells can move about and be reorganised into specialised tissues and organs, making the formation of complex structures possible, and allowing cells to be differentiated. The extracellular matrix may be calcified, forming structures such as shells, bones, and spicules. In contrast, the cells of other multicellular organisms (primarily algae, plants, and fungi) are held in place by cell walls, and so develop by progressive growth. Nearly all animals make use of some form of sexual reproduction. They produce haploid gametes by meiosis; the smaller, motile gametes are spermatozoa and the larger, non-motile gametes are ova. These fuse to form zygotes, which develop via mitosis into a hollow sphere, called a blastula. In sponges, blastula larvae swim to a new location, attach to the seabed, and develop into a new sponge. In most other groups, the blastula undergoes more complicated rearrangement. It first invaginates to form a gastrula with a digestive chamber and two separate germ layers, an external ectoderm and an internal endoderm. In most cases, a third germ layer, the mesoderm, also develops between them. These germ layers then differentiate to form tissues and organs. Repeated instances of mating with a close relative during sexual reproduction generally leads to inbreeding depression within a population due to the increased prevalence of harmful recessive traits. Animals have evolved numerous mechanisms for avoiding close inbreeding. Some animals are capable of asexual reproduction, which often results in a genetic clone of the parent. This may take place through fragmentation; budding, such as in Hydra and other cnidarians; or parthenogenesis, where fertile eggs are produced without mating, such as in aphids. Ecology Animals are categorised into ecological groups depending on their trophic levels and how they consume organic material. Such groupings include carnivores (further divided into subcategories such as piscivores, insectivores, ovivores, etc.), herbivores (subcategorised into folivores, graminivores, frugivores, granivores, nectarivores, algivores, etc.), omnivores, fungivores, scavengers/detritivores, and parasites. Interactions between animals of each biome form complex food webs within that ecosystem. In carnivorous or omnivorous species, predation is a consumer–resource interaction where the predator feeds on another organism, its prey, who often evolves anti-predator adaptations to avoid being fed upon. Selective pressures imposed on one another lead to an evolutionary arms race between predator and prey, resulting in various antagonistic/competitive coevolutions. Almost all multicellular predators are animals. Some consumers use multiple methods; for example, in parasitoid wasps, the larvae feed on the hosts' living tissues, killing them in the process, but the adults primarily consume nectar from flowers. Other animals may have very specific feeding behaviours, such as hawksbill sea turtles which mainly eat sponges. Most animals rely on biomass and bioenergy produced by plants and phytoplanktons (collectively called producers) through photosynthesis. Herbivores, as primary consumers, eat the plant material directly to digest and absorb the nutrients, while carnivores and other animals on higher trophic levels indirectly acquire the nutrients by eating the herbivores or other animals that have eaten the herbivores. Animals oxidise carbohydrates, lipids, proteins and other biomolecules in cellular respiration, which allows the animal to grow and to sustain basal metabolism and fuel other biological processes such as locomotion. Some benthic animals living close to hydrothermal vents and cold seeps on the dark sea floor consume organic matter produced through chemosynthesis (via oxidising inorganic compounds such as hydrogen sulfide) by archaea and bacteria. Animals originated in the ocean; all extant animal phyla, except for Micrognathozoa and Onychophora, feature at least some marine species. However, several lineages of arthropods begun to colonise land around the same time as land plants, probably between 510 and 471 million years ago, during the Late Cambrian or Early Ordovician. Vertebrates such as the lobe-finned fish Tiktaalik started to move on to land in the late Devonian, about 375 million years ago. Other notable animal groups that colonized land environments are Mollusca, Platyhelmintha, Annelida, Tardigrada, Onychophora, Rotifera, Nematoda. Animals occupy virtually all of earth's habitats and microhabitats, with faunas adapted to salt water, hydrothermal vents, fresh water, hot springs, swamps, forests, pastures, deserts, air, and the interiors of other organisms. Animals are however not particularly heat tolerant; very few of them can survive at constant temperatures above 50 °C (122 °F) or in the most extreme cold deserts of continental Antarctica. The collective global geomorphic influence of animals on the processes shaping the Earth's surface remains largely understudied, with most studies limited to individual species and well-known exemplars. Diversity The blue whale (Balaenoptera musculus) is the largest animal that has ever lived, weighing up to 190 tonnes and measuring up to 33.6 metres (110 ft) long. The largest extant terrestrial animal is the African bush elephant (Loxodonta africana), weighing up to 12.25 tonnes and measuring up to 10.67 metres (35.0 ft) long. The largest terrestrial animals that ever lived were titanosaur sauropod dinosaurs such as Argentinosaurus, which may have weighed as much as 73 tonnes, and Supersaurus which may have reached 39 metres. Several animals are microscopic; some Myxozoa (obligate parasites within the Cnidaria) never grow larger than 20 μm, and one of the smallest species (Myxobolus shekel) is no more than 8.5 μm when fully grown. The following table lists estimated numbers of described extant species for the major animal phyla, along with their principal habitats (terrestrial, fresh water, and marine), and free-living or parasitic ways of life. Species estimates shown here are based on numbers described scientifically; much larger estimates have been calculated based on various means of prediction, and these can vary wildly. For instance, around 25,000–27,000 species of nematodes have been described, while published estimates of the total number of nematode species include 10,000–20,000; 500,000; 10 million; and 100 million. Using patterns within the taxonomic hierarchy, the total number of animal species—including those not yet described—was calculated to be about 7.77 million in 2011.[a] 3,000–6,500 4,000–25,000 Evolutionary origin Evidence of animals is found as long ago as the Cryogenian period. 24-Isopropylcholestane (24-ipc) has been found in rocks from roughly 650 million years ago; it is only produced by sponges and pelagophyte algae. Its likely origin is from sponges based on molecular clock estimates for the origin of 24-ipc production in both groups. Analyses of pelagophyte algae consistently recover a Phanerozoic origin, while analyses of sponges recover a Neoproterozoic origin, consistent with the appearance of 24-ipc in the fossil record. The first body fossils of animals appear in the Ediacaran, represented by forms such as Charnia and Spriggina. It had long been doubted whether these fossils truly represented animals, but the discovery of the animal lipid cholesterol in fossils of Dickinsonia establishes their nature. Animals are thought to have originated under low-oxygen conditions, suggesting that they were capable of living entirely by anaerobic respiration, but as they became specialised for aerobic metabolism they became fully dependent on oxygen in their environments. Many animal phyla first appear in the fossil record during the Cambrian explosion, starting about 539 million years ago, in beds such as the Burgess Shale. Extant phyla in these rocks include molluscs, brachiopods, onychophorans, tardigrades, arthropods, echinoderms and hemichordates, along with numerous now-extinct forms such as the predatory Anomalocaris. The apparent suddenness of the event may however be an artefact of the fossil record, rather than showing that all these animals appeared simultaneously. That view is supported by the discovery of Auroralumina attenboroughii, the earliest known Ediacaran crown-group cnidarian (557–562 mya, some 20 million years before the Cambrian explosion) from Charnwood Forest, England. It is thought to be one of the earliest predators, catching small prey with its nematocysts as modern cnidarians do. Some palaeontologists have suggested that animals appeared much earlier than the Cambrian explosion, possibly as early as 1 billion years ago. Early fossils that might represent animals appear for example in the 665-million-year-old rocks of the Trezona Formation of South Australia. These fossils are interpreted as most probably being early sponges. Trace fossils such as tracks and burrows found in the Tonian period (from 1 gya) may indicate the presence of triploblastic worm-like animals, roughly as large (about 5 mm wide) and complex as earthworms. However, similar tracks are produced by the giant single-celled protist Gromia sphaerica, so the Tonian trace fossils may not indicate early animal evolution. Around the same time, the layered mats of microorganisms called stromatolites decreased in diversity, perhaps due to grazing by newly evolved animals. Objects such as sediment-filled tubes that resemble trace fossils of the burrows of wormlike animals have been found in 1.2 gya rocks in North America, in 1.5 gya rocks in Australia and North America, and in 1.7 gya rocks in Australia. Their interpretation as having an animal origin is disputed, as they might be water-escape or other structures. Phylogeny Animals are monophyletic, meaning they are derived from a common ancestor. Animals are the sister group to the choanoflagellates, with which they form the Choanozoa. Ros-Rocher and colleagues (2021) trace the origins of animals to unicellular ancestors, providing the external phylogeny shown in the cladogram. Uncertainty of relationships is indicated with dashed lines. The animal clade had certainly originated by 650 mya, and may have come into being as much as 800 mya, based on molecular clock evidence for different phyla. Holomycota (inc. fungi) Ichthyosporea Pluriformea Filasterea The relationships at the base of the animal tree have been debated. Other than Ctenophora, the Bilateria and Cnidaria are the only groups with symmetry, and other evidence shows they are closely related. In addition to sponges, Placozoa has no symmetry and was often considered a "missing link" between protists and multicellular animals. The presence of hox genes in Placozoa shows that they were once more complex. The Porifera (sponges) have long been assumed to be sister to the rest of the animals, but there is evidence that the Ctenophora may be in that position. Molecular phylogenetics has supported both the sponge-sister and ctenophore-sister hypotheses. In 2017, Roberto Feuda and colleagues, using amino acid differences, presented both, with the following cladogram for the sponge-sister view that they supported (their ctenophore-sister tree simply interchanging the places of ctenophores and sponges): Porifera Ctenophora Placozoa Cnidaria Bilateria Conversely, a 2023 study by Darrin Schultz and colleagues uses ancient gene linkages to construct the following ctenophore-sister phylogeny: Ctenophora Porifera Placozoa Cnidaria Bilateria Sponges are physically very distinct from other animals, and were long thought to have diverged first, representing the oldest animal phylum and forming a sister clade to all other animals. Despite their morphological dissimilarity with all other animals, genetic evidence suggests sponges may be more closely related to other animals than the comb jellies are. Sponges lack the complex organisation found in most other animal phyla; their cells are differentiated, but in most cases not organised into distinct tissues, unlike all other animals. They typically feed by drawing in water through pores, filtering out small particles of food. The Ctenophora and Cnidaria are radially symmetric and have digestive chambers with a single opening, which serves as both mouth and anus. Animals in both phyla have distinct tissues, but these are not organised into discrete organs. They are diploblastic, having only two main germ layers, ectoderm and endoderm. The tiny placozoans have no permanent digestive chamber and no symmetry; they superficially resemble amoebae. Their phylogeny is poorly defined, and under active research. The remaining animals, the great majority—comprising some 29 phyla and over a million species—form the Bilateria clade, which have a bilaterally symmetric body plan. The Bilateria are triploblastic, with three well-developed germ layers, and their tissues form distinct organs. The digestive chamber has two openings, a mouth and an anus, and in the Nephrozoa there is an internal body cavity, a coelom or pseudocoelom. These animals have a head end (anterior) and a tail end (posterior), a back (dorsal) surface and a belly (ventral) surface, and a left and a right side. A modern consensus phylogenetic tree for the Bilateria is shown below. Xenacoelomorpha Ambulacraria Chordata Ecdysozoa Spiralia Having a front end means that this part of the body encounters stimuli, such as food, favouring cephalisation, the development of a head with sense organs and a mouth. Many bilaterians have a combination of circular muscles that constrict the body, making it longer, and an opposing set of longitudinal muscles, that shorten the body; these enable soft-bodied animals with a hydrostatic skeleton to move by peristalsis. They also have a gut that extends through the basically cylindrical body from mouth to anus. Many bilaterian phyla have primary larvae which swim with cilia and have an apical organ containing sensory cells. However, over evolutionary time, descendant spaces have evolved which have lost one or more of each of these characteristics. For example, adult echinoderms are radially symmetric (unlike their larvae), while some parasitic worms have extremely simplified body structures. Genetic studies have considerably changed zoologists' understanding of the relationships within the Bilateria. Most appear to belong to two major lineages, the protostomes and the deuterostomes. It is often suggested that the basalmost bilaterians are the Xenacoelomorpha, with all other bilaterians belonging to the subclade Nephrozoa. However, this suggestion has been contested, with other studies finding that xenacoelomorphs are more closely related to Ambulacraria than to other bilaterians. Protostomes and deuterostomes differ in several ways. Early in development, deuterostome embryos undergo radial cleavage during cell division, while many protostomes (the Spiralia) undergo spiral cleavage. Animals from both groups possess a complete digestive tract, but in protostomes the first opening of the embryonic gut develops into the mouth, and the anus forms secondarily. In deuterostomes, the anus forms first while the mouth develops secondarily. Most protostomes have schizocoelous development, where cells simply fill in the interior of the gastrula to form the mesoderm. In deuterostomes, the mesoderm forms by enterocoelic pouching, through invagination of the endoderm. The main deuterostome taxa are the Ambulacraria and the Chordata. Ambulacraria are exclusively marine and include acorn worms, starfish, sea urchins, and sea cucumbers. The chordates are dominated by the vertebrates (animals with backbones), which consist of fishes, amphibians, reptiles, birds, and mammals. The protostomes include the Ecdysozoa, named after their shared trait of ecdysis, growth by moulting, Among the largest ecdysozoan phyla are the arthropods and the nematodes. The rest of the protostomes are in the Spiralia, named for their pattern of developing by spiral cleavage in the early embryo. Major spiralian phyla include the annelids and molluscs. History of classification In the classical era, Aristotle divided animals,[d] based on his own observations, into those with blood (roughly, the vertebrates) and those without. The animals were then arranged on a scale from man (with blood, two legs, rational soul) down through the live-bearing tetrapods (with blood, four legs, sensitive soul) and other groups such as crustaceans (no blood, many legs, sensitive soul) down to spontaneously generating creatures like sponges (no blood, no legs, vegetable soul). Aristotle was uncertain whether sponges were animals, which in his system ought to have sensation, appetite, and locomotion, or plants, which did not: he knew that sponges could sense touch and would contract if about to be pulled off their rocks, but that they were rooted like plants and never moved about. In 1758, Carl Linnaeus created the first hierarchical classification in his Systema Naturae. In his original scheme, the animals were one of three kingdoms, divided into the classes of Vermes, Insecta, Pisces, Amphibia, Aves, and Mammalia. Since then, the last four have all been subsumed into a single phylum, the Chordata, while his Insecta (which included the crustaceans and arachnids) and Vermes have been renamed or broken up. The process was begun in 1793 by Jean-Baptiste de Lamarck, who called the Vermes une espèce de chaos ('a chaotic mess')[e] and split the group into three new phyla: worms, echinoderms, and polyps (which contained corals and jellyfish). By 1809, in his Philosophie Zoologique, Lamarck had created nine phyla apart from vertebrates (where he still had four phyla: mammals, birds, reptiles, and fish) and molluscs, namely cirripedes, annelids, crustaceans, arachnids, insects, worms, radiates, polyps, and infusorians. In his 1817 Le Règne Animal, Georges Cuvier used comparative anatomy to group the animals into four embranchements ('branches' with different body plans, roughly corresponding to phyla), namely vertebrates, molluscs, articulated animals (arthropods and annelids), and zoophytes (radiata) (echinoderms, cnidaria and other forms). This division into four was followed by the embryologist Karl Ernst von Baer in 1828, the zoologist Louis Agassiz in 1857, and the comparative anatomist Richard Owen in 1860. In 1874, Ernst Haeckel divided the animal kingdom into two subkingdoms: Metazoa (multicellular animals, with five phyla: coelenterates, echinoderms, articulates, molluscs, and vertebrates) and Protozoa (single-celled animals), including a sixth animal phylum, sponges. The protozoa were later moved to the former kingdom Protista, leaving only the Metazoa as a synonym of Animalia. In human culture The human population exploits a large number of other animal species for food, both of domesticated livestock species in animal husbandry and, mainly at sea, by hunting wild species. Marine fish of many species are caught commercially for food. A smaller number of species are farmed commercially. Humans and their livestock make up more than 90% of the biomass of all terrestrial vertebrates, and almost as much as all insects combined. Invertebrates including cephalopods, crustaceans, insects—principally bees and silkworms—and bivalve or gastropod molluscs are hunted or farmed for food, fibres. Chickens, cattle, sheep, pigs, and other animals are raised as livestock for meat across the world. Animal fibres such as wool and silk are used to make textiles, while animal sinews have been used as lashings and bindings, and leather is widely used to make shoes and other items. Animals have been hunted and farmed for their fur to make items such as coats and hats. Dyestuffs including carmine (cochineal), shellac, and kermes have been made from the bodies of insects. Working animals including cattle and horses have been used for work and transport from the first days of agriculture. Animals such as the fruit fly Drosophila melanogaster serve a major role in science as experimental models. Animals have been used to create vaccines since their discovery in the 18th century. Some medicines such as the cancer drug trabectedin are based on toxins or other molecules of animal origin. People have used hunting dogs to help chase down and retrieve animals, and birds of prey to catch birds and mammals, while tethered cormorants have been used to catch fish. Poison dart frogs have been used to poison the tips of blowpipe darts. A wide variety of animals are kept as pets, from invertebrates such as tarantulas, octopuses, and praying mantises, reptiles such as snakes and chameleons, and birds including canaries, parakeets, and parrots all finding a place. However, the most kept pet species are mammals, namely dogs, cats, and rabbits. There is a tension between the role of animals as companions to humans, and their existence as individuals with rights of their own. A wide variety of terrestrial and aquatic animals are hunted for sport. The signs of the Western and Chinese zodiacs are based on animals. In China and Japan, the butterfly has been seen as the personification of a person's soul, and in classical representation the butterfly is also the symbol of the soul. Animals have been the subjects of art from the earliest times, both historical, as in ancient Egypt, and prehistoric, as in the cave paintings at Lascaux. Major animal paintings include Albrecht Dürer's 1515 The Rhinoceros, and George Stubbs's c. 1762 horse portrait Whistlejacket. Insects, birds and mammals play roles in literature and film, such as in giant bug movies. Animals including insects and mammals feature in mythology and religion. The scarab beetle was sacred in ancient Egypt, and the cow is sacred in Hinduism. Among other mammals, deer, horses, lions, bats, bears, and wolves are the subjects of myths and worship. See also Notes References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Greek_people] | [TOKENS: 12488]
Contents Greeks The Greeks or Hellenes (/ˈhɛliːnz/; Greek: Έλληνες, Éllines [ˈelines]) are an ethnic group and nation native to Greece, Cyprus, southern Albania, Anatolia, parts of Italy and Egypt, and to a lesser extent, other countries surrounding the Eastern Mediterranean and Black Sea. They also form a significant diaspora (omogenia), with many Greek communities established around the world. Greek colonies and communities have been historically established on the shores of the Mediterranean Sea and Black Sea, but the Greek people themselves have always been centered on the Aegean and Ionian seas, where the Greek language has been spoken since the Bronze Age. Until the early 20th century, Greeks were distributed between the Greek peninsula, the western coast of Asia Minor, the Black Sea coast, Cappadocia in central Anatolia, Egypt, the Balkans, Cyprus, and Constantinople. Many of these regions coincided to a large extent with the borders of the Byzantine Empire of the late 11th century and the Eastern Mediterranean areas of ancient Greek colonization. The cultural centers of the Greeks have included Athens, Thessalonica, Alexandria, Smyrna, and Constantinople at various periods. In recent times, most ethnic Greeks live within the borders of the modern Greek state or in Cyprus. The Greek genocide and population exchange between Greece and Turkey nearly ended the three millennia-old Greek presence in Asia Minor. Other longstanding Greek populations can be found from southern Italy to the Caucasus and southern Russia and Ukraine and in the Greek diaspora communities in a number of other countries. Today, most Greeks are officially registered as members of the Greek Orthodox Church. Greeks have greatly influenced and contributed to culture, visual arts, exploration, theatre, literature, philosophy, ethics, politics, architecture, music, mathematics, medicine, science, technology, commerce, cuisine and sports. The Greek language is the oldest recorded living language and its vocabulary has been the basis of many languages, including English as well as international scientific nomenclature. Greek was the most widely spoken lingua franca in the Mediterranean world since the fourth century BC and the New Testament of the Christian Bible was also originally written in Greek. History The Greeks speak the Greek language, which forms its own unique branch within the Indo-European family of languages, the Hellenic. They are part of a group of classical ethnicities and described by Anthony D. Smith as an "archetypal diaspora people". The Proto-Greeks probably arrived at the area now called Greece, in the southern tip of the Balkan peninsula, at the end of the 3rd millennium BC between 2200 and 1900 BC.[a] The sequence of migrations into the Greek mainland during the 2nd millennium BC has to be reconstructed on the basis of the ancient Greek dialects, as they presented themselves centuries later and are therefore subject to some uncertainties. There were at least two migrations, the first being the Ionians and Achaeans, which resulted in Mycenaean Greece by the 16th century BC, and the second, the Dorian invasion, around the 11th century BC, displacing the Arcadocypriot dialects, which descended from the Mycenaean period. Both migrations occur at incisive periods, the Mycenaean at the transition to the Late Bronze Age and the Doric at the Bronze Age collapse. In c. 1600 BC, the Mycenaean Greeks borrowed from the Minoan civilization its syllabic writing system (Linear A) and developed their own syllabic script known as Linear B, providing the first and oldest written evidence of Greek. The Mycenaeans quickly penetrated the Aegean Sea and, by the 15th century BC, had reached Rhodes, Crete, Cyprus and the shores of Asia Minor. Around 1200 BC, the Dorians, another Greek-speaking people, followed from Epirus. Older historical research often proposed Dorian invasion caused the collapse of the Mycenaean civilization, but this narrative has been abandoned in all contemporary research. It is likely that one of the factors which contributed to the Mycenaean palatial collapse was linked to raids by groups known in historiography as the "Sea Peoples" who sailed into the eastern Mediterranean around 1180 BC. The Dorian invasion was followed by a poorly attested period of migrations, appropriately called the Greek Dark Ages, but by 800 BC the landscape of Archaic and Classical Greece was discernible. The Greeks of classical antiquity idealized their Mycenaean ancestors and the Mycenaean period as a glorious era of heroes, closeness of the gods and material wealth. The Homeric Epics (i.e. Iliad and Odyssey) were especially and generally accepted as part of the Greek past and it was not until the time of Euhemerism that scholars began to question Homer's historicity. As part of the Mycenaean heritage that survived, the names of the gods and goddesses of Mycenaean Greece (e.g. Zeus, Poseidon and Hades) became major figures of the Olympian Pantheon of later antiquity. The ethnogenesis of the Greek nation is linked to the development of Pan-Hellenism in the 8th century BC. According to some scholars, the foundational event was the Olympic Games in 776 BC, when the idea of a common Hellenism among the Greek tribes was first translated into a shared cultural experience and Hellenism was primarily a matter of common culture. The works of Homer (i.e. Iliad and Odyssey) and Hesiod (i.e. Theogony) were written in the 8th century BC, becoming the basis of the national religion, ethos, history and mythology. The Oracle of Apollo at Delphi was established in this period. The classical period of Greek civilization covers a time spanning from the early 5th century BC to the death of Alexander the Great, in 323 BC (some authors prefer to split this period into "Classical", from the end of the Greco-Persian Wars to the end of the Peloponnesian War, and "Fourth Century", up to the death of Alexander). It is so named because it set the standards by which Greek civilization would be judged in later eras. The Classical period is also described as the "Golden Age" of Greek civilization, and its art, philosophy, architecture and literature would be instrumental in the formation and development of Western culture. At the battles of Marathon, Thermopylae, Salamis, and Platea, some Greek city-states formed a victorious alliance led by Sparta and Athens. The Delian league, under the leadership of Athens, continued the war with the Achaemenid Empire after the end of the Persian invasions. While the Greeks of the classical era understood themselves to belong to a common Hellenic genos, their first loyalty was to their city and they saw nothing incongruous about warring, often brutally, with other Greek city-states. The Peloponnesian War, the large scale civil war between the two most powerful Greek city-states Athens and Sparta and their allies, left both greatly weakened. A brief Spartan hegemony, and then a short-lived Theban hegemony, followed up until the Battle of Mantinea in 362 BC. After the rise of Macedon and the Battle of Chaeronea, most of the feuding Greek city-states became members of the Hellenic league under the leadership of Philip, the Argead king of Macedon, in order to invade the Achaemenid Empire. The Pan-Hellenic campaign had the slogans of "freeing the Greeks" in Asia and "punishing the Persians" for their past sacrileges during their own invasion of Greece a century and a half earlier. The campaign was led successfully by his son Alexander the Great, as Philip was assassinated in 336 BC. Alexander's toppling of the Achaemenid Empire, after his victories at the battles of the Granicus, Issus and Gaugamela, and his advance as far as modern-day Pakistan and Tajikistan, provided an important outlet for Greek culture, via the creation of colonies and trade routes along the way. While the Alexandrian empire did not survive its creator's death intact, the cultural implications of the spread of Hellenism across much of the Middle East and Asia were to prove long lived as Greek became the lingua franca, a position it retained even in Roman times. Many Greeks settled in Hellenistic cities like Alexandria, Antioch and Seleucia. The Hellenistic civilization was the next period of Greek civilization, the beginnings of which are usually placed at Alexander's death. This Hellenistic age, so called because it saw the partial Hellenization of many non-Greek cultures, extending all the way into India and Bactria, both of which maintained Greek cultures and governments for centuries. The end is often placed around conquest of Egypt by Rome in 30 BC, although the Indo-Greek kingdoms lasted for a few more decades. This age saw the Greeks move towards larger cities and a reduction in the importance of the city-state. These larger cities were parts of the still larger Kingdoms of the Diadochi. Greeks, however, remained aware of their past, chiefly through the study of the works of Homer and the classical authors. An important factor in maintaining Greek identity was contact with barbarian (non-Greek) peoples, which was deepened in the new cosmopolitan environment of the multi-ethnic Hellenistic kingdoms. This led to a strong desire among Greeks to organize the transmission of the Hellenic paideia to the next generation. Greek science, technology and mathematics are generally considered to have reached their peak during the Hellenistic period. In the Indo-Greek and Greco-Bactrian kingdoms, Greco-Buddhism was spreading and Greek missionaries would play an important role in propagating it to China. Further east, the Greeks of Alexandria Eschate became known to the Chinese people as the Dayuan. Between 280 BC and 30 BC, after the Pyrrhic, Macedonian, and Mithridatic Wars, most of the Hellenistic world was conquered by Rome, and almost all of the world's Greek speakers lived as citizens or subjects of the Roman Empire. Despite their military superiority, the Romans admired and became heavily influenced by the achievements of Greek culture, hence Horace's famous statement: Graecia capta ferum victorem cepit ("Greece, although captured, took its wild conqueror captive"). In the centuries following the Roman conquest of the Greek world, the Greek and Roman cultures merged into a single Greco-Roman culture. In the religious sphere, this was a period of profound change. The spiritual revolution that took place, saw a waning of the old Greek religion, whose decline beginning in the 3rd century BC continued with the introduction of new religious movements from the East. The cults of deities like Isis and Mithra were introduced into the Greek world. Greek-speaking communities of the Hellenized East were instrumental in the spread of early Christianity in the 2nd and 3rd centuries, and Christianity's early leaders and writers (notably Saint Paul) were generally Greek-speaking, though none were from Greece proper. However, Greece itself had a tendency to cling to paganism and was not one of the influential centers of early Christianity: in fact, some ancient Greek religious practices remained in vogue until the end of the 4th century, with some areas such as the southeastern Peloponnese remaining pagan until well into the mid-Byzantine 10th century AD. The region of Tsakonia remained pagan until the ninth century and as such its inhabitants were referred to as Hellenes, in the sense of being pagan, by their Christianized Greek brethren in mainstream Byzantine society. While ethnic distinctions still existed in the Roman Empire, they became secondary to religious considerations, and the renewed empire used Christianity as a tool to support its cohesion and promote a robust Roman national identity. From the early centuries of the Common Era, the Greeks self-identified as Romans (Greek: Ῥωμαῖοι Rhōmaîoi). By that time, the name Hellenes denoted pagans but was revived as an ethnonym in the 11th century. During most of the Middle Ages, the Byzantine Greeks self-identified as Rhōmaîoi (Ῥωμαῖοι, "Romans", meaning citizens of the Roman Empire), a term which in the Greek language had become synonymous with Christian Greeks. The Latinizing term Graikoí (Γραικοί, "Greeks") was also used, though its use was less common, and nonexistent in official Byzantine political correspondence, prior to the Fourth Crusade of 1204. The Eastern Roman Empire (today conventionally named the Byzantine Empire, a name not used during its own time) became increasingly influenced by Greek culture after the 7th century when Emperor Heraclius (r. 610–641 AD) decided to make Greek the empire's official language. Although the Catholic Church recognized the Eastern Empire's claim to the Roman legacy for several centuries, after Pope Leo III crowned Charlemagne, king of the Franks, as the "Roman Emperor" on 25 December 800, an act which eventually led to the formation of the Holy Roman Empire, the Latin West started to favour the Franks and began to refer to the Eastern Roman Empire largely as the Empire of the Greeks (Imperium Graecorum). While this Latin term for the ancient Hellenes could be used neutrally, its use by Westerners from the 9th century onwards in order to challenge Byzantine claims to ancient Roman heritage rendered it a derogatory exonym for the Byzantines who barely used it, mostly in contexts relating to the West, such as texts relating to the Council of Florence, to present the Western viewpoint. Additionally, among the Germanic and the Slavic peoples, the Rhōmaîoi were just called Greeks. There are three schools of thought regarding this Byzantine Roman identity in contemporary Byzantine scholarship: The first considers "Romanity" the mode of self-identification of the subjects of a multi-ethnic empire at least up to the 12th century, where the average subject identified as Roman; a perennialist approach, which views Romanity as the medieval expression of a continuously existing Greek nation; while a third view considers the eastern Roman identity as a pre-modern national identity. The Byzantine Greeks' essential values were drawn from both Christianity and the Homeric tradition of ancient Greece. A distinct Greek identity re-emerged in the 11th century in educated circles and became more forceful after the fall of Constantinople to the Crusaders of the Fourth Crusade in 1204. In the Empire of Nicaea, a small circle of the elite used the term "Hellene" as a term of self-identification. For example, in a letter to Pope Gregory IX, the Nicaean emperor John III Doukas Vatatzes (r. 1221–1254) claimed to have received the gift of royalty from Constantine the Great, and put emphasis on his "Hellenic" descent, exalting the wisdom of the Greek people. After the Byzantines recaptured Constantinople, however, in 1261, Rhomaioi became again dominant as a term for self-description and there are few traces of Hellene (Έλληνας), such as in the writings of George Gemistos Plethon, who abandoned Christianity and in whose writings culminated the secular tendency in the interest in the classical past. However, it was the combination of Orthodox Christianity with a specifically Greek identity that shaped the Greeks' notion of themselves in the empire's twilight years. In the twilight years of the Byzantine Empire, prominent Byzantine personalities proposed referring to the Byzantine Emperor as the "Emperor of the Hellenes". These largely rhetorical expressions of Hellenic identity were confined within intellectual circles, but were continued by Byzantine intellectuals who participated in the Italian Renaissance. The interest in the Classical Greek heritage was complemented by a renewed emphasis on Greek Orthodox identity, which was reinforced in the late Medieval and Ottoman Greeks' links with their fellow Orthodox Christians in the Russian Empire. These were further strengthened following the fall of the Empire of Trebizond in 1461, after which and until the second Russo-Turkish War of 1828–29 hundreds of thousands of Pontic Greeks fled or migrated from the Pontic Alps and Armenian Highlands to southern Russia and the Russian South Caucasus (see also Greeks in Russia, Greeks in Armenia, Greeks in Georgia, and Caucasian Greeks). These Byzantine Greeks were largely responsible for the preservation of the literature of the classical era. Byzantine grammarians were those principally responsible for carrying, in person and in writing, ancient Greek grammatical and literary studies to the West during the 15th century, giving the Italian Renaissance a major boost. The Aristotelian philosophical tradition was nearly unbroken in the Greek world for almost two thousand years, until the Fall of Constantinople in 1453. To the Slavic world, the Byzantine Greeks contributed by the dissemination of literacy and Christianity. The most notable example of the latter was the work of the two Byzantine Greek brothers, the monks Saints Cyril and Methodius from the port city of Thessalonica, capital of the theme of Thessalonica, who are credited today with formalizing the first Slavic alphabet. Following the Fall of Constantinople on 29 May 1453, many Greeks sought better employment and education opportunities by leaving for the West, particularly Italy, Central Europe, Germany and Russia. Greeks are greatly credited for the European cultural revolution, later called the Renaissance. In Greek-inhabited territory itself, Greeks came to play a leading role in the Ottoman Empire, due in part to the fact that the central hub of the empire, politically, culturally, and socially, was based on Western Thrace and Macedonia, both in Northern Greece, and of course was centred on the mainly Greek-populated, former Byzantine capital, Constantinople. As a direct consequence of this situation, Greek-speakers came to play a hugely important role in the Ottoman trading and diplomatic establishment, as well as in the church. Added to this, in the first half of the Ottoman period men of Greek origin made up a significant proportion of the Ottoman army, navy, and state bureaucracy, having been levied as adolescents (along with especially Albanians and Serbs) into Ottoman service through the devshirme. Many Ottomans of Greek (or Albanian or Serb) origin were therefore to be found within the Ottoman forces which governed the provinces, from Ottoman Egypt, to Ottomans occupied Yemen and Algeria, frequently as provincial governors. For those that remained under the Ottoman Empire's millet system, religion was the defining characteristic of national groups (milletler), so the exonym "Greeks" (Rumlar from the name Rhomaioi) was applied by the Ottomans to all members of the Orthodox Church, regardless of their language or ethnic origin. The Greek speakers were the only ethnic group to actually call themselves Romioi, (as opposed to being so named by others) and, at least those educated, considered their ethnicity (genos) to be Hellenic. There were, however, many Greeks who escaped the second-class status of Christians inherent in the Ottoman millet system, according to which Muslims were explicitly awarded senior status and preferential treatment. These Greeks either emigrated, particularly to their fellow Orthodox Christian protector, the Russian Empire, or simply converted to Islam, often only very superficially and whilst remaining crypto-Christian. The most notable examples of large-scale conversion to Turkish Islam among those today defined as Greek Muslims—excluding those who had to convert as a matter of course on being recruited through the devshirme—were to be found in Crete (Cretan Turks), Greek Macedonia (for example among the Vallahades of western Macedonia), and among Pontic Greeks in the Pontic Alps and Armenian Highlands. Several Ottoman sultans and princes were also of part Greek origin, with mothers who were either Greek concubines or princesses from Byzantine noble families, one famous example being sultan Selim the Grim (r. 1517–1520), whose mother Gülbahar Hatun was a Pontic Greek. The roots of Greek success in the Ottoman Empire can be traced to the Greek tradition of education and commerce exemplified in the Phanariotes. It was the wealth of the extensive merchant class that provided the material basis for the intellectual revival that was the prominent feature of Greek life in the half century and more leading to the outbreak of the Greek War of Independence in 1821. Not coincidentally, on the eve of 1821, the three most important centres of Greek learning were situated in Chios, Smyrna and Aivali, all three major centres of Greek commerce. Greek success was also favoured by Greek domination in the leadership of the Eastern Orthodox church. The movement of the Greek enlightenment, the Greek expression of the Age of Enlightenment, contributed not only in the promotion of education, culture and printing among the Greeks, but also in the case of independence from the Ottomans, and the restoration of the term "Hellene". Adamantios Korais, probably the most important intellectual of the movement, advocated the use of the term "Hellene" (Έλληνας) or "Graikos" (Γραικός) in the place of Romiós, that was seen negatively by him. The relationship between ethnic Greek identity and Greek Orthodox religion continued after the creation of the modern Greek nation-state in 1830. According to the second article of the first Greek constitution of 1822, a Greek was defined as any native Christian resident of the Kingdom of Greece, a clause removed by 1840. A century later, when the Treaty of Lausanne was signed between Greece and Turkey in 1923, the two countries agreed to use religion as the determinant for ethnic identity for the purposes of population exchange, although most of the Greeks displaced (over a million of the total 1.5 million) had already been driven out by the time the agreement was signed.[b] The Greek genocide, in particular the harsh removal of Pontian Greeks from the southern shore area of the Black Sea, contemporaneous with and following the failed Greek Asia Minor Campaign, was part of this process of Turkification of the Ottoman Empire and the placement of its economy and trade, then largely in Greek hands under ethnic Turkish control. Identity The English names Greece and Greek are derived, via the Latin Graecia and Graecus, from the name of the Graeci (Γραικοί, Graikoí; singular Γραικός, Graikós), who were among the first ancient Greek tribes to settle southern Italy (the so-called "Magna Graecia"). The term is possibly derived from the Proto-Indo-European root *ǵerh₂-, "to grow old", more specifically from Graea (ancient city), said by Aristotle to be the oldest in Greece, and the source of colonists for the Naples area. Greeks and Greek-speakers have used different names to refer to themselves collectively. The term Achaeans (Ἀχαιοί) is one of the collective names for the Greeks in Homer's Iliad and Odyssey (the Homeric "long-haired Achaeans" would have been a part of the Mycenaean civilization that dominated Greece from c. 1600 BC until 1100 BC). The other common names are Danaans (Δαναοί) and Argives (Ἀργεῖοι) while Panhellenes (Πανέλληνες) and Hellenes (Ἕλληνες) both appear only once in the Iliad; all of these terms were used, synonymously, to denote a common Greek identity. In the historical period, Herodotus identified the Achaeans of the northern Peloponnese as descendants of the earlier, Homeric Achaeans. Homer refers to the "Hellenes" as a relatively small tribe settled in Thessalic Phthia, with its warriors under the command of Achilleus. The Parian Chronicle says that Phthia was the homeland of the Hellenes and that this name was given to those previously called Greeks (Γραικοί). In Greek mythology, Hellen, the patriarch of the Hellenes who ruled around Phthia, was the son of Pyrrha and Deucalion, the only survivors after the Great Deluge. The Greek philosopher Aristotle names ancient Hellas as an area in Epirus between Dodona and the Achelous river, the location of the Great Deluge of Deucalion, a land occupied by the Selloi and the "Greeks" who later came to be known as "Hellenes". In the Homeric tradition, the Selloi were the priests of Dodonian Zeus. In the Hesiodic Catalogue of Women, Graecus is presented as the son of Zeus and Pandora II, sister of Hellen the patriarch of the Hellenes. According to the Parian Chronicle, when Deucalion became king of Phthia, the Graikoi (Γραικοί) were named Hellenes. Aristotle notes in his Meteorologica that the Hellenes were related to the Graikoi. The terms used to define Greekness have varied throughout history but were never limited or completely identified with membership to a Greek state. Herodotus gave a famous account of what defined Greek (Hellenic) ethnic identity in his day, enumerating By Western standards, the term Greeks has traditionally referred to any native speakers of the Greek language, whether Mycenaean, Byzantine or modern Greek. Byzantine Greeks self-identified as Romaioi ("Romans"), Graikoi ("Greeks") and Christianoi ("Christians") since they were the political heirs of imperial Rome, the descendants of their classical Greek forebears and followers of the Apostles; during the mid-to-late Byzantine period (11th–13th century), a growing number of Byzantine Greek intellectuals deemed themselves Hellenes although for most Greek-speakers, "Hellene" still meant pagan. On the eve of the Fall of Constantinople the Last Emperor urged his soldiers to remember that they were the descendants of Greeks and Romans. Before the establishment of the modern Greek nation-state, the link between ancient and modern Greeks was emphasized by the scholars of Greek Enlightenment especially by Rigas Feraios. In his "Political Constitution", he addresses to the nation as "the people descendant of the Greeks". The modern Greek state was created in 1829, when the Greeks liberated a part of their historic homelands, Peloponnese, from the Ottoman Empire. The large Greek diaspora and merchant class were instrumental in transmitting the ideas of western romantic nationalism and philhellenism, which together with the conception of Hellenism, formulated during the last centuries of the Byzantine Empire, formed the basis of the Diafotismos and the current conception of Hellenism. The Greeks today are a nation in the meaning of an ethnos, defined by possessing Greek culture and having a Greek mother tongue, not by citizenship, race, and religion or by being subjects of any particular state. In ancient and medieval times and to some extent today the Greek term was genos, which also indicates a common ancestry. The most obvious link between modern and ancient Greeks is their language, which has a documented tradition from at least the 14th century BC to the present day, albeit with a break during the Greek Dark Ages from which written records are absent (11th–8th cent. BC, though the Cypriot syllabary was in use during this period). Scholars compare its continuity of tradition to Chinese alone. Since its inception, Hellenism was primarily a matter of common culture and the national continuity of the Greek world is a lot more certain than its demographic. Yet, Hellenism also embodied an ancestral dimension through aspects of Athenian literature that developed and influenced ideas of descent based on autochthony. During the later years of the Eastern Roman Empire, areas such as Ionia and Constantinople experienced a Hellenic revival in language, philosophy, and literature and on classical models of thought and scholarship. This revival provided a powerful impetus to the sense of cultural affinity with ancient Greece and its classical heritage. Throughout their history, the Greeks have retained their language and alphabet, certain values and cultural traditions, customs, a sense of religious and cultural difference and exclusion (the word barbarian was used by 12th-century historian Anna Komnene to describe non-Greek speakers), a sense of Greek identity and common sense of ethnicity despite the undeniable socio-political changes of the past two millennia. In recent anthropological studies, both ancient and modern Greek osteological samples were analyzed demonstrating a bio-genetic affinity and continuity shared between both groups. There is also a direct genetic link between ancient Greeks and modern Greeks. Demographics In ancient times, the trading and colonizing activities of the Greek tribes and city states spread the Greek culture, religion and language around the Mediterranean and Black Sea basins, especially in Southern Italy (the so-called "Magna Graecia"), Spain, the south of France and the Black sea coasts. Under Alexander the Great's empire and successor states, Greek and Hellenizing ruling classes were established in the Middle East, India and in Egypt. The Hellenistic period is characterized by a new wave of Greek colonization that established Greek cities and kingdoms in Asia and Africa. Under the Roman Empire, easier movement of people spread Greeks across the Empire and in the eastern territories, Greek became the lingua franca rather than Latin. The modern-day Griko community of southern Italy, numbering about 60,000, may represent a living remnant of the ancient Greek populations of Italy. Today, Greeks are the majority ethnic group in the Hellenic Republic, where they constitute 93% of the country's population, and the Republic of Cyprus where they make up 78% of the island's population (excluding Turkish settlers in the occupied part of the country). Greek populations have not traditionally exhibited high rates of growth; a large percentage of Greek population growth since Greece's foundation in 1832 was attributed to annexation of new territories, as well as the influx of 1.5 million Greek refugees after the 1923 population exchange between Greece and Turkey. About 80% of the population of Greece is urban, with 28% concentrated in the city of Athens. Greeks from Cyprus have a similar history of emigration, usually to the English-speaking world because of the island's colonization by the British Empire. Waves of emigration followed the Turkish invasion of Cyprus in 1974, while the population decreased between mid-1974 and 1977 as a result of emigration, war losses, and a temporary decline in fertility. After the ethnic cleansing of a third of the Greek population of the island in 1974, there was also an increase in the number of Greek Cypriots leaving, especially for the Middle East, which contributed to a decrease in population that tapered off in the 1990s. Today more than two-thirds of the Greek population in Cyprus is urban. Around 1990, most Western estimates of the number of ethnic Greeks in Albania were around 200,000 but in the 1990s, a majority of them migrated to Greece. The Greek minority of Turkey, which numbered upwards of 200,000 people after the 1923 exchange, has now dwindled to a few thousand, after the 1955 Constantinople Pogrom and other state sponsored violence and discrimination. This effectively ended, though not entirely, the three-thousand-year-old presence of Hellenism in Asia Minor. There are smaller Greek minorities in the rest of the Balkan countries, the Levant and the Black Sea states, remnants of the Old Greek Diaspora (pre-19th century). The total number of Greeks living outside Greece and Cyprus today is a contentious issue. Where census figures are available, they show around three million Greeks outside Greece and Cyprus. Estimates provided by the SAE – World Council of Hellenes Abroad put the figure at around seven million worldwide. According to George Prevelakis of Sorbonne University, the number is closer to just below five million. Integration, intermarriage, and loss of the Greek language influence the self-identification of the Greek diaspora (omogenia). Important centres include New York City, Chicago, Boston, Los Angeles, Sydney, Melbourne, London, Toronto, Montreal, Vancouver, Auckland, and Sao Paulo. In 2010, the Hellenic Parliament introduced a law that allowed members of the diaspora to vote in Greek elections; this law was repealed in early 2014. During and after the Greek War of Independence, Greeks of the diaspora were important in establishing the fledgling state, raising funds and awareness abroad. Greek merchant families already had contacts in other countries and during the disturbances many set up home around the Mediterranean (notably Marseilles in France, Livorno in Italy, Alexandria in Egypt), Russia (Odesa and Saint Petersburg), and Britain (London and Liverpool) from where they traded, typically in textiles and grain. Businesses frequently comprised the extended family, and with them they brought schools teaching Greek and the Greek Orthodox Church. As markets changed and they became more established, some families grew their operations to become shippers, financed through the local Greek community, notably with the aid of the Ralli or Vagliano Brothers. With economic success, the Diaspora expanded further across the Levant, North Africa, India and the USA. In the 20th century, many Greeks left their traditional homelands for economic reasons resulting in large migrations from Greece and Cyprus to the United States, Great Britain, Australia, Canada, Germany, and South Africa, especially after the Second World War (1939–1945), the Greek Civil War (1946–1949), and the Turkish Invasion of Cyprus in 1974. While official figures remain scarce, polls and anecdotal evidence point to renewed Greek emigration as a result of the Greek financial crisis. According to data published by the Federal Statistical Office of Germany in 2011, 23,800 Greeks emigrated to Germany, a significant increase over the previous year. By comparison, about 9,000 Greeks emigrated to Germany in 2009 and 12,000 in 2010. Culture Greek culture has evolved over thousands of years, with its beginning in the Mycenaean civilization, continuing through the classical era, the Hellenistic period, the Roman and Byzantine periods and was profoundly affected by Christianity, which it in turn influenced and shaped. Ottoman Greeks had to endure through several centuries of adversity that culminated in genocide in the 20th century. The Diafotismos is credited with revitalizing Greek culture and giving birth to the synthesis of ancient and medieval elements that characterize it today. Most Greeks speak the Greek language, an independent branch of the Indo-European languages, with its closest relations possibly being Armenian (see Graeco-Armenian) or the Indo-Iranian languages (see Graeco-Aryan). It has the longest documented history of any living language and Greek literature has a continuous history of over 2,500 years. The oldest inscriptions in Greek are in the Linear B script, dated as far back as 1450 BC. Following the Greek Dark Ages, from which written records are absent, the Greek alphabet appears in the 9th–8th century BC. The Greek alphabet derived from the Phoenician alphabet, and in turn became the parent alphabet of the Latin, Cyrillic, and several other alphabets. The earliest Greek literary works are the Homeric epics, variously dated from the 8th to the 6th century BC. Notable scientific and mathematical works include Euclid's Elements, Ptolemy's Almagest, and others. The New Testament was originally written in Koine Greek. Greek demonstrates several linguistic features that are shared with other Balkan languages, such as Albanian, Bulgarian and Eastern Romance languages (see Balkan sprachbund), and has absorbed many foreign words, primarily of Western European and Turkish origin. Because of the movements of Philhellenism and the Diafotismos in the 19th century, which emphasized the modern Greeks' ancient heritage, these foreign influences were excluded from official use via the creation of Katharevousa, a somewhat artificial form of Greek purged of all foreign influence and words, as the official language of the Greek state. In 1976, however, the Hellenic Parliament voted to make the spoken Dimotiki the official language, making Katharevousa obsolete. Modern Greek has, in addition to Standard Modern Greek or Dimotiki, a wide variety of dialects of varying levels of mutual intelligibility, including Cypriot, Pontic, Cappadocian, Griko and Tsakonian (the only surviving representative of ancient Doric Greek). Yevanic is the language of the Romaniotes, and survives in small communities in Greece, New York and Israel. In addition to Greek, many Greek citizens in Greece and the diaspora are bilingual in other languages such as English, Arvanitika/Albanian, Aromanian, Megleno-Romanian, Macedonian Slavic, Russian and Turkish. Most Greeks are Christians, belonging to the Greek Orthodox Church. During the first centuries after Jesus Christ, the New Testament was originally written in Koine Greek, which remains the liturgical language of the Greek Orthodox Church, and most of the early Christians and Church Fathers were Greek-speaking. There are small groups of ethnic Greeks adhering to other Christian denominations like Latin and Greek Byzantine Catholics, Greek Evangelicals, Pentecostals, Mormons, and groups adhering to other religions including Romaniot and Sephardic Jews, Greek Muslims and Jehovah's Witnesses. About 2,000 Greeks are members of Hellenic Polytheistic Reconstructionism congregations. Greek-speaking Muslims live mainly outside Greece in the contemporary era. There are both Christian and Muslim Greek-speaking communities in Lebanon and Syria, while in the Pontus region of Turkey there is a large community of indeterminate size who were spared from the population exchange because of their religious affiliation. Greek art has a long and varied history. Greeks have contributed to the visual, literary and performing arts. In the West, classical Greek art was influential in shaping the Roman and later the modern Western artistic heritage. Following the Renaissance in Europe, the humanist aesthetic and the high technical standards of Greek art inspired generations of European artists. Well into the 19th century, the classical tradition derived from Greece played an important role in the art of the Western world. In the East, Alexander the Great's conquests initiated several centuries of exchange between Greek, Central Asian and Indian cultures, resulting in Indo-Greek and Greco-Buddhist art, whose influence reached as far as Japan. Byzantine Greek art, which grew from the Hellenistic classical art and adapted the pagan motifs in the service of Christianity, provided a stimulus to the art of many nations. Its influences can be traced from Venice in the West to Kazakhstan in the East. In turn, Greek art was influenced by eastern civilizations (i.e. Egypt, Persia, etc.) during various periods of its history. Notable modern Greek artists include: Notable cinema or theatre actors include Marika Kotopouli, Melina Mercouri, Ellie Lambeti, Academy Award winner Katina Paxinou, Alexis Minotis, Dimitris Horn, Thanasis Veggos, Manos Katrakis and Irene Papas. Alekos Sakellarios, Karolos Koun, Vasilis Georgiadis, Kostas Gavras, Michael Cacoyannis, Giannis Dalianidis, Nikos Koundouros and Theo Angelopoulos are among the most important directors. Among the most significant modern-era architects are Stamatios Kleanthis, Lysandros Kaftanzoglou, Anastasios Metaxas, Panagis Kalkos, Anastasios Orlandos, the naturalized Greek Ernst Ziller, Dimitris Pikionis and urban planners Stamatis Voulgaris and George Candilis. The Greeks of the Classical and Hellenistic eras made seminal contributions to science and philosophy, laying the foundations of several western scientific traditions, such as astronomy, geography, historiography, mathematics, medicine, philosophy and political science. The scholarly tradition of the Greek academies was maintained during Roman times with several academic institutions in Constantinople, Antioch, Alexandria and other centers of Greek learning, while Byzantine science was essentially a continuation of classical science. Greeks have a long tradition of valuing and investing in paideia (education). Paideia was one of the highest societal values in the Greek and Hellenistic world while the first European institution described as a university was founded in 5th century Constantinople and operated in various incarnations until the city's fall to the Ottomans in 1453. The University of Constantinople was Christian Europe's first secular institution of higher learning since no theological subjects were taught, and considering the original meaning of the word university as a corporation of students, the world's first university as well. As of 2007, Greece had the eighth highest percentage of tertiary enrollment in the world (with the percentages for female students being higher than for male) while Greeks of the Diaspora are equally active in the field of education. Hundreds of thousands of Greek students attend western universities every year while the faculty lists of leading Western universities contain a striking number of Greek names. Notable Greek scientists of modern times include: physician Georgios Papanicolaou (pioneer in cytopathology, inventor of the Pap test); mathematician Constantin Carathéodory (acclaimed contributor to real and complex analysis and the calculus of variations); archaeologists Manolis Andronikos (unearthed the tomb of Philip II), Valerios Stais (recognised the Antikythera mechanism), Spyridon Marinatos (specialised in Mycenaean sites) and Ioannis Svoronos; chemists Leonidas Zervas (of Bergmann-Zervas synthesis and Z-group discovery fame), K. C. Nicolaou (first total synthesis of taxol) and Panayotis Katsoyannis (first chemical synthesis of insulin); computer scientists Michael Dertouzos and Nicholas Negroponte (known for their early work with the World Wide Web), John Argyris (co-creator of the FEM), Joseph Sifakis (2007 Turing Award), Christos Papadimitriou (2002 Knuth Prize) and Mihalis Yannakakis (2005 Knuth Prize); physicist-mathematician Demetrios Christodoulou (renowned for work on Minkowski spacetime) and physicists Achilles Papapetrou (known for solutions of general relativity), Dimitri Nanopoulos (extensive work on particle physics and cosmology), and John Iliopoulos (2007 Dirac Prize for work on the charm quark); astronomer Eugenios Antoniadis; biologist Fotis Kafatos (contributor to cDNA cloning technology); botanist Theodoros Orphanides; economist Xenophon Zolotas (held various senior posts in international organisations such as the IMF); Indologist Dimitrios Galanos; linguist Yiannis Psycharis (promoter of Demotic Greek); historians Constantine Paparrigopoulos (founder of modern Greek historiography) and Helene Glykatzi Ahrweiler (excelled in Byzantine studies); and political scientists Nicos Poulantzas (a leading Structural Marxist) and Cornelius Castoriadis (philosopher of history and ontologist, social critic, economist, psychoanalyst). Significant engineers and automobile designers include Nikolas Tombazis, Alec Issigonis and Andreas Zapatinas. The most widely used symbol is the flag of Greece, which features nine equal horizontal stripes of blue alternating with white representing the nine syllables of the Greek national motto Eleftheria i Thanatos (Freedom or Death), which was the motto of the Greek War of Independence. The blue square in the upper hoist-side corner bears a white cross, which represents Greek Orthodoxy. The Greek flag is widely used by the Greek Cypriots, although Cyprus has officially adopted a neutral flag to ease ethnic tensions with the Turkish Cypriot minority (see flag of Cyprus). The pre-1978 (and first) flag of Greece, which features a Greek cross (crux immissa quadrata) on a blue background, is widely used as an alternative to the official flag, and they are often flown together. The national emblem of Greece features a blue escutcheon with a white cross surrounded by two laurel branches. A common design involves the current flag of Greece and the pre-1978 flag of Greece with crossed flagpoles and the national emblem placed in front. Another highly recognizable and popular Greek symbol is the double-headed eagle, the imperial emblem of the last dynasty of the Eastern Roman Empire and a common symbol in Asia Minor and, later, Eastern Europe. It is not part of the modern Greek flag or coat-of-arms, although it is officially the insignia of the Greek Army and the flag of the Church of Greece. It had been incorporated in the Greek coat of arms between 1925 and 1926. Classical Athens is considered the birthplace of Democracy. The term appeared in the 5th century BC to denote the political systems then existing in Greek city-states, notably Athens, to mean "rule of the people", in contrast to aristocracy (ἀριστοκρατία, aristokratía), meaning "rule by an excellent elite", and to oligarchy. While theoretically these definitions are in opposition, in practice the distinction has been blurred historically. Led by Cleisthenes, Athenians established what is generally held as the first democracy in 508–507 BC, which took gradually the form of a direct democracy. The democratic form of government declined during the Hellenistic and Roman eras, only to be revived as an interest in Western Europe during the early modern period. The European enlightenment and the democratic, liberal and nationalistic ideas of the French Revolution was a crucial factor to the outbreak of the Greek War of Independence and the establishment of the modern Greek state. Notable modern Greek politicians include Ioannis Kapodistrias, founder of the First Hellenic Republic, reformist Charilaos Trikoupis, Eleftherios Venizelos, who marked the shape of modern Greece, social democrats Georgios Papandreou and Alexandros Papanastasiou, Konstantinos Karamanlis, founder of the Third Hellenic Republic, and socialist Andreas Papandreou. Greek surnames began to appear in the 9th and 10th century, at first among ruling families, eventually supplanting the ancient tradition of using the father's name as disambiguator. Nevertheless, Greek surnames are most commonly patronymics, such those ending in the suffix -opoulos or -ides, while others derive from trade professions, physical characteristics, or a location such as a town, village, or monastery. Commonly, Greek male surnames end in -s, which is the common ending for Greek masculine proper nouns in the nominative case. Occasionally (especially in Cyprus), some surnames end in -ou, indicating the genitive case of a patronymic name. Many surnames end in suffixes that are associated with a particular region, such as -akis (Crete), -eas or -akos (Mani Peninsula), -atos (island of Cephalonia), -ellis (island of Lesbos) and so forth. In addition to a Greek origin, some surnames have Turkish or Latin/Italian origin, especially among Greeks from Asia Minor and the Ionian Islands, respectively. Female surnames end in a vowel and are usually the genitive form of the corresponding males surname, although this usage is not followed in the diaspora, where the male version of the surname is generally used. With respect to personal names, the two main influences are Christianity and classical Hellenism; ancient Greek nomenclatures were never forgotten but have become more widely bestowed from the 18th century onwards. As in antiquity, children are customarily named after their grandparents, with the first born male child named after the paternal grandfather, the second male child after the maternal grandfather, and similarly for female children. Personal names are often familiarized by a diminutive suffix, such as -akis for male names and -itsa or -oula for female names. Greeks generally do not use middle names, instead using the genitive of the father's first name as a middle name. This usage has been passed on to the Russians and other East Slavs (otchestvo). The traditional Greek homelands have been the Greek peninsula and the Aegean Sea, Southern Italy (the so called "Magna Graecia"), the Black Sea, the Ionian coasts of Asia Minor and the islands of Cyprus and Sicily. In Plato's Phaidon, Socrates remarks, "we (Greeks) live around a sea like frogs around a pond" when describing to his friends the Greek cities of the Aegean. This image is attested by the map of the Old Greek Diaspora, which corresponded to the Greek world until the creation of the Greek state in 1832. The sea and trade were natural outlets for Greeks since the Greek peninsula is mostly rocky and does not offer good prospects for agriculture. Notable Greek seafarers include people such as Pytheas of Massalia who sailed to Great Britain, Euthymenes who sailed to Africa, Scylax of Caryanda who sailed to India, the navarch of Alexander the Great Nearchus, Megasthenes, explorer of India, later the 6th century merchant and monk Cosmas Indicopleustes (Cosmas who sailed to India), and the explorer of the Northwestern Passage Ioannis Fokas also known as Juan de Fuca. In later times, the Byzantine Greeks plied the sea-lanes of the Mediterranean and controlled trade until an embargo imposed by the Byzantine emperor on trade with the Caliphate opened the door for the later Italian pre-eminence in trade. Panayotis Potagos was another explorer of modern times who was the first to reach Mbomu and Uele River from the north. The Greek shipping tradition recovered during the late Ottoman rule (especially after the Treaty of Küçük Kaynarca and during the Napoleonic Wars), when a substantial merchant middle class developed, which played an important part in the Greek War of Independence. Today, Greek shipping continues to prosper to the extent that Greece has one of the largest merchant fleets in the world, while many more ships under Greek ownership fly flags of convenience. The most notable shipping magnate of the 20th century was Aristotle Onassis, others being Yiannis Latsis, Stavros G. Livanos, and Stavros Niarchos. Genetics In their archaeogenetic study, Lazaridis et al. (2017) found that Minoans and Mycenaean Greeks were genetically highly similar, but not identical; modern Greeks resembled the Mycenaeans, but with some additional dilution of the early Neolithic ancestry. The results of the study support the idea of genetic continuity between these civilizations and modern Greeks, but not isolation in the history of populations of the Aegean, before and after the time of its earliest civilizations. Furthermore, proposed migrations by Egyptian or Phoenician colonists was not discernible in their data, thus "rejecting the hypothesis that the cultures of the Aegean were seeded by migrants from the old civilizations of these regions." The FST between the sampled Bronze Age populations and present-day West Eurasians was estimated, finding that Mycenaean Greeks and Minoans were least differentiated from the populations of modern Greece, Cyprus, Albania, and Italy. In a subsequent study, Lazaridis et al. (2022) concluded that around ~58.4–65.8% of the ancestry of the Mycenaeans came from Anatolian Neolithic Farmers (ANF), while the remainder mainly came from ancient populations related to the Caucasus Hunter-Gatherers (CHG) (~20.1–22.7%) and the Pre-Pottery Neolithic (PPN) culture in the Levant (~7–14%). The Mycenaeans had also inherited ~3.3–5.5% ancestry from a source related to the Eastern European Hunter-Gatherers (EHG), introduced via a proximal source related to the inhabitants of the Eurasian steppe who are hypothesized to be the Proto-Indo-Europeans, and ~0.9–2.3% from the Iron Gates Hunter-Gatherers in the Balkans. Mycenaean elites were genetically the same as Mycenaean commoners in terms of their steppe ancestry, while some Mycenaeans lacked it altogether. A genetic study by Clemente et al. (2021) found that in the Early Bronze Age, the populations of the Minoan, Helladic, and Cycladic civilizations in the Aegean, were genetically homogeneous. In contrast, the Aegean population during the Middle Bronze Age was more differentiated; probably due to gene flow from a Yamnaya-related population from the Pontic–Caspian steppe. This is corroborated by sequenced genomes of Middle Bronze Age individuals from northern Greece, who had a much higher proportion of steppe-related ancestry; the timing of this gene flow was estimated at ~2,300 BCE, and is consistent with the dominant linguistic theories explaining the emergence of the Proto-Greek language. Present-day Greeks share ~90% of their ancestry with them, suggesting continuity between the two time periods. In the case of Mycenaean Greeks however, their steppe-related ancestry was diluted. The ancestry of the Mycenaeans could be explained via a 2-way admixture model of such MBA individuals in northern Greece, and either an EBA Aegean or MBA Minoan population; the difference between the two time periods could be explained by the general decline of the Mycenaean civilization. Genetic studies using multiple autosomal, Y-DNA, and mtDNA markers, show that Greeks share similar backgrounds as the rest of the Europeans and especially Southern Europeans (Italians and Balkan populations such as Albanians, Slavic Macedonians and Romanians). A study in 2008 showed that Greeks are genetically closest to Italians and Romanians and another 2008 study showed that they are close to Italians, Albanians, Romanians and southern Balkan Slavs such as Slavic Macedonians and Bulgarians. A 2003 study showed that Greeks cluster with other South European (mainly Italians) and North-European populations and are close to the Basques, and FST distances showed that they group with other European and Mediterranean populations, especially with Italians (−0.0001) and Tuscans (0.0005). A study in 2008 showed that Greek regional samples from the mainland cluster with those from the Balkans, principally Albanians while Cretan Greeks cluster with the central Mediterranean and Eastern Mediterranean samples. Studies using mitochondrial DNA gene markers (mtDNA) showed that Greeks group with other Mediterranean European populations and principal component analysis (PCA) confirmed the low genetic distance between Greeks and Italians and also revealed a cline of genes with highest frequencies in the Balkans and Southern Italy, spreading to lowest levels in Britain and the Basque country, which Cavalli-Sforza (1993) associates with "the Greek expansion, which reached its peak in historical times around 1000 and 500 BC but which certainly began earlier". Greeks also have a degree of Eastern-European-related ancestry which is observed in all Balkan peoples; it was acquired after 700 CE, coinciding with the arrival of Slavic-speaking peoples in the Balkans, but the proportion of this ancestry varies considerably between different studies and subregions. A 2019 study showed that Cretans share high IBD with Western (CEU), Central (German and Polish), Northern (CEU, Scandinavian) and Eastern Europeans (Ukrainian, Russian), similar to mainland Greeks who share high IBD with Eastern Europeans. This reflects settlement patterns in Crete, driven by Myceneans and Dorians, Goths and Slavs. Peoples like Andalusians, Near Eastern Arabs and Venetians left a minimal genetic impact on Cretans. But a PCA analysis shows that Cretans overlap with Peloponneseans, Sicilians and Ashkenazi Jews. A 2022 study discovered high genetic affinities between present-day southeastern Peloponnesian populations and Apulians, Calabrians and southeastern Sicilians, which are "all characterised by a cluster composition different from those displayed by other Greek groups", due to low influence from inland populations such as Slavic-related people and/or genetic drift in Tsakones and Maniots. Individuals from western Sicily additionally show similarities with peoples from the western part of the Peloponnese. A 2023 study states that early Cretan farmers shared the same ancestry as other Neolithic Aegeans but received 'eastern' gene flow of Anatolian origin at the end of the Neolithic Age. From the 17th to 12th centuries BCE, genetic signatures of Central and East European ancestry gradually increased in Crete, indicative of mainland Greek influence. Physical appearance A study from 2013 for prediction of hair and eye colour from DNA of the Greek people showed that the self-reported phenotype frequencies according to hair and eye colour categories was as follows: 119 individuals – hair colour, 11 blond, 45 dark blond/light brown, 49 dark brown, 3 brown red/auburn and 11 had black hair; eye colour, 13 with blue, 15 with intermediate (green, heterochromia) and 91 had brown eye colour. Another study from 2012 included 150 dental school students from the University of Athens, and the results of the study showed that light hair colour (blonde/light ash brown) was predominant in 10.7% of the students. 36% had medium hair colour (light brown/medium darkest brown), 32% had darkest brown and 21% black (15.3 off black, 6% midnight black). In conclusion, the hair colour of young Greeks are mostly brown, ranging from light to dark brown with significant minorities having black and blonde hair. The same study also showed that the eye colour of the students was 14.6% blue/green, 28% medium (light brown) and 57.4% dark brown. A 2017 study found that Bronze Age Aegean populations had mostly dark hair (brown to black) and eyes. The genetic phenotype predictions matched the visual representations made by the Greeks of themselves, suggesting that art of this period reproduced phenotypes naturalistically. Timeline The history of the Greek people is closely associated with the history of Greece, Cyprus, Southern Italy, Constantinople, Asia Minor and the Black Sea. During the Ottoman rule of Greece, a number of Greek enclaves around the Mediterranean were cut off from the core, notably in Southern Italy, the Caucasus, Syria and Egypt. By the early 20th century, over half of the overall Greek-speaking population was settled in Asia Minor (now Turkey), while later that century a huge wave of migration to the United States, Australia, Canada and elsewhere created the modern Greek diaspora. See also Notes Citations References Further reading External links Diaspora Religious Academic Trade organizations Charitable organizations
========================================
[SOURCE: https://en.wikipedia.org/wiki/BSD] | [TOKENS: 2832]
Contents Berkeley Software Distribution The Berkeley Software Distribution[a] (BSD), also known as Berkeley Unix, is a discontinued Unix operating system developed and distributed by the Computer Systems Research Group (CSRG) at the University of California, Berkeley. First released in 1978, it began as an improved derivative of AT&T's original Unix developed at Bell Labs, based on the source code. Over time, BSD evolved into a distinct operating system and played a significant role in computing and the development and dissemination of Unix-like systems. BSD development was initially led by Bill Joy, who added virtual memory capability to Unix running on a VAX-11 computer. During the 1980s, BSD gained widespread adoption by workstation vendors in the form of proprietary Unix distributions—such as DEC with Ultrix and Sun Microsystems with SunOS—due to its permissive licensing and familiarity among engineers. BSD also became the most widely used Unix variant in academic institutions, where it was used for the study of operating systems. The BSD project received funding from DARPA until 1988, during which time BSD incorporated ARPANET support and later implemented the TCP/IP protocol suite, released as part of BSD NET/1 in 1988. By that time, the codebase had diverged significantly from the original AT&T Unix, with estimates suggesting that less than 5% of the code remained from AT&T. As a result, NET/1 was distributed without requiring an AT&T source license. Berkeley ended its Unix research in 1992, following reduced funding and complications arising from the Unix copyright lawsuit. As the original BSD became obsolete, the term "BSD" came to refer primarily to its open-source descendants, including FreeBSD, OpenBSD, NetBSD, and DragonFly BSD, and derivatives of those projects, such as TrueOS. BSD-derived code, along with Mach code, also formed the basis for Darwin; that, in turn, has been incorporated into Apple's proprietary operating systems, such as macOS and iOS. Windows NT 3.1's networking stack used a BSD-derived TCP/IP implementation, and some BSD-based networking utilities for that stack are also provided with Windows NT. Code from BSD's open descendants have themselves also been integrated into various modern platforms, including the system software for the PlayStation 5 and other embedded or commercial devices. History The earliest distributions of Unix from Bell Labs in the 1970s included the source code to the operating system, allowing researchers at universities to modify and extend Unix. The operating system arrived at Berkeley in 1974, at the request of computer science professor Bob Fabry who had been on the program committee for the Symposium on Operating Systems Principles where Unix was first presented. A PDP-11/45 was bought to run the system, but for budgetary reasons, this machine was shared with the mathematics and statistics groups at Berkeley, who used RSTS, so that Unix only ran on the machine eight hours per day (sometimes during the day, sometimes during the night). A larger PDP-11/70 was installed at Berkeley the following year, using money from the Ingres database project. BSD began life as a variant of Unix that programmers at the University of California at Berkeley, initially led by Bill Joy, began developing in the late 1970s. It included extra features, which were intertwined with code owned by AT&T. In 1975, Ken Thompson took a sabbatical from Bell Labs and came to Berkeley as a visiting professor. He helped to install Version 6 Unix and started working on a Pascal implementation for the system. Graduate students Chuck Haley and Bill Joy improved Thompson's Pascal and implemented an improved text editor, ex. Other universities became interested in the software at Berkeley, and so in 1977 Joy started compiling the first Berkeley Software Distribution (1BSD), which was released on March 9, 1978. 1BSD was an add-on to Version 6 Unix rather than a complete operating system in its own right. Some thirty copies were sent out. The second Berkeley Software Distribution (2BSD), released in May 1979, included updated versions of the 1BSD software as well as two new programs by Joy that persist on Unix systems to this day: the vi text editor (a visual version of ex) and the C shell. Some 75 copies of 2BSD were sent out by Bill Joy. A VAX computer was installed at Berkeley in 1978, but the port of Unix to the VAX architecture, UNIX/32V, did not take advantage of the VAX's virtual memory capabilities. The kernel of 32V was largely rewritten to include Berkeley graduate student Özalp Babaoğlu's virtual memory implementation, and a complete operating system including the new kernel, ports of the 2BSD utilities to the VAX, and the utilities from 32V was released as 3BSD at the end of 1979. 3BSD was also alternatively called Virtual VAX/UNIX or VMUNIX (for Virtual Memory Unix), and BSD kernel images were normally called /vmunix until 4.4BSD. After 4.3BSD was released in June 1986, it was determined that BSD would move away from the aging VAX platform. The Power 6/32 platform (codenamed "Tahoe") developed by Computer Consoles Inc. seemed promising at the time, but was abandoned by its developers shortly thereafter. Nonetheless, the 4.3BSD-Tahoe port (June 1988) proved valuable, as it led to a separation of machine-dependent and machine-independent code in BSD which would improve the system's future portability. In addition to portability, the CSRG worked on an implementation of the OSI network protocol stack, improvements to the kernel virtual memory system and (with Van Jacobson of LBL) new TCP/IP algorithms to accommodate the growth of the Internet. Until then, all versions of BSD used proprietary AT&T Unix code, and were therefore subject to an AT&T software license. Source code licenses had become very expensive and several outside parties had expressed interest in a separate release of the networking code, which had been developed entirely outside AT&T and would not be subject to the licensing requirement. This led to Networking Release 1 (Net/1), which was made available to non-licensees of AT&T code and was freely redistributable under the terms of the BSD license. It was released in June 1989. After Net/1, BSD developer Keith Bostic proposed that more non-AT&T sections of the BSD system be released under the same license as Net/1. To this end, he started a project to reimplement most of the standard Unix utilities without using the AT&T code. Within eighteen months, all of the AT&T utilities had been replaced, and it was determined that only a few AT&T files remained in the kernel. These files were removed, and the result was the June 1991 release of Networking Release 2 (Net/2), a nearly complete operating system that was freely distributable. Net/2 was the basis for two separate ports of BSD to the Intel 80386 architecture: the free 386BSD by William and Lynne Jolitz, and the proprietary BSD/386 (later renamed BSD/OS) by Berkeley Software Design (BSDi). 386BSD itself was short-lived, but became the initial code base of the NetBSD and FreeBSD projects that were started shortly thereafter. BSDi soon found itself in legal trouble with AT&T's Unix System Laboratories (USL) subsidiary, then the owners of the System V copyright and the Unix trademark. The USL v. BSDi lawsuit was filed in 1992 and led to an injunction on the distribution of Net/2 until the validity of USL's copyright claims on the source could be determined. The lawsuit slowed development of the free-software descendants of BSD for nearly two years while their legal status was in question, and as a result systems based on the Linux kernel, which did not have such legal ambiguity, gained greater support. The lawsuit was settled in January 1994, largely in Berkeley's favor. Of the 18,000 files in the Berkeley distribution, only three had to be removed and 70 modified to show USL copyright notices. A further condition of the settlement was that USL would not file further lawsuits against users and distributors of the Berkeley-owned code in the upcoming 4.4BSD release. The final release from Berkeley was 1995's 4.4BSD-Lite Release 2, after which the CSRG was dissolved and development of BSD at Berkeley ceased. Since then, several variants based directly or indirectly on 4.4BSD-Lite (such as FreeBSD, NetBSD, OpenBSD and DragonFly BSD) have been maintained. The permissive nature of the BSD license has allowed many other operating systems, both open-source and proprietary, to incorporate BSD source code. For example, Windows NT 3.1 used BSD code in its implementation of TCP/IP and bundles recompiled versions of BSD's command-line networking tools since Windows 2000. Darwin, the basis for Apple's macOS and iOS, is based on 4.4BSD-Lite2 and FreeBSD. Various commercial Unix operating systems, such as Solaris, also incorporate BSD code. Starting with the 8th Edition, versions of Research Unix at Bell Labs had a close relationship to BSD. This began when 4.1cBSD for the VAX was used as the basis for Research Unix 8th Edition. This continued in subsequent versions, such as the 9th Edition, which incorporated source code and improvements from 4.3BSD. The result was that these later versions of Research Unix were closer to BSD than they were to System V. In a Usenet posting from 2000, Dennis Ritchie described this relationship between BSD and Research Unix:[better source needed] Research Unix 8th Edition started from (I think) BSD 4.1c, but with enormous amounts scooped out and replaced by our own stuff. This continued with 9th and 10th. The ordinary user command-set was, I guess, a bit more BSD-flavored than SysVish, but it was pretty eclectic. Eric S. Raymond summarizes the longstanding relationship between System V and BSD, stating, "The divide was roughly between longhairs and shorthairs; programmers and technical people tended to line up with Berkeley and BSD, more business-oriented types with AT&T and System V." In 1989, David A. Curry wrote about the differences between BSD and System V. He characterized System V as being often regarded as the "standard Unix." However, he described BSD as more popular among university and government computer centers, due to its advanced features and performance: Most university and government computer centers that use UNIX use Berkeley UNIX, rather than System V. There are several reasons for this, but perhaps the two most significant are that Berkeley UNIX provides networking capabilities that until recently (Release 3.0) were completely unavailable in System V, and that Berkeley UNIX is much more suited to a research environment, which requires a faster file system, better virtual memory handling, and a larger variety of programming languages. Technology Berkeley's Unix was the first Unix to include libraries supporting the Internet Protocol stacks: Berkeley sockets. A Unix implementation of IP's predecessor, the ARPAnet's NCP, with FTP and Telnet clients, had been produced at the University of Illinois in 1975, and was available at Berkeley. However, the memory scarcity on the PDP-11 forced a complicated design and performance problems. By integrating sockets with the Unix operating system's file descriptors, it became almost as easy to read and write data across a network as it was to access a disk. The AT&T laboratory eventually released their own STREAMS library, which incorporated much of the same functionality in a software stack with a different architecture, but the wide distribution of the existing sockets library reduced the impact of the new API. Early versions of BSD were used to form Sun Microsystems' SunOS, founding the first wave of popular Unix workstations. Some BSD operating systems can run native software of several other operating systems on the same architecture, using a binary compatibility layer. This is much simpler and faster than emulation; for example, it allows applications intended for Linux to be run at effectively full speed. This makes BSDs not only suitable for server environments, but also for workstation ones, given the increasing availability of commercial or closed-source software for Linux only. This also allows administrators to migrate legacy commercial applications, which may have only supported commercial Unix variants, to a more modern operating system, retaining the functionality of such applications until they can be replaced by a better alternative. Current BSD operating system variants support many of the common IEEE, ANSI, ISO, and POSIX standards, while retaining most of the traditional BSD behavior. Like AT&T Unix, the BSD kernel is monolithic, meaning that device drivers in the kernel run in privileged mode, as part of the core of the operating system. BSD descendants Several operating systems are based on BSD, including FreeBSD, OpenBSD, NetBSD, MidnightBSD, MirOS BSD, GhostBSD, Darwin and DragonFly BSD. Both NetBSD and FreeBSD were created in 1993. They were initially derived from 386BSD (also known as "Jolix"), and merged the 4.4BSD-Lite source code in 1994. OpenBSD was forked from NetBSD in 1995, and DragonFly BSD was forked from FreeBSD in 2003. BSD was also used as the basis for several proprietary versions of Unix, such as Sun's SunOS, Sequent's DYNIX, NeXT's NeXTSTEP, DEC's Ultrix and OSF/1 AXP (now Tru64 UNIX). NeXTSTEP later became the foundation for Apple Inc.'s macOS. See also Notes References Bibliography External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Delimiter] | [TOKENS: 1629]
Contents Delimiter In computing, a delimiter is a character or a sequence of characters for specifying the boundary between separate, independent regions in data such as a text file or data stream. For context, data boundaries can be indicated via other means. For example, declarative notation indicates the length of a field at the start of the field instead of relying on delimiters. In mathematics, delimiters are often used to specify the scope of an operation in an expression, and can occur both as isolated symbols (e.g., colon in " 1 : 4 {\displaystyle 1:4} ") and as a pair of opposing-looking symbols (e.g., angled brackets in ⟨ a , b ⟩ {\displaystyle \langle a,b\rangle } ). Examples Delimiters are used for a wide range of purposes. The following examples demonstrate a small fraction of their applicability. Tabular data, organized as rows and columns, is often delimited. A field delimiter separates the columns of a row, with each column corresponding to a field in hat row, and a record delimiter separates the rows, with each row corresponding to a record. The commonly used comma-separated values (CSV) format uses a comma to delimit fields, and an newline to delimit records. The following CSV data represents three records each with four fields. The first line is metadata that names the fields. CSV data is an example of flat-file database. Bracket delimiters, also called block delimiters, region delimiters, or balanced delimiters, mark the start and end of a region of text. Commonly used bracket delimiters include: Delimiter collision Delimiter collision describes a limitation of using delimiters. When content information contains a delimiter, then the processing of the data will fail since the embedded delimiter will be incorrectly interpreted as a data boundary unless provisions are made to prevent the collision. In XML, for example, collision can occur when content contains an angle bracket (< or >). Each delimiter in a format can result in collision. In CSV, for example, field collision can occur when a field contains a comma (e.g., salary = "$30,000"), and record delimiter collision can occur when a field contains a newline. Both record and field delimiter collision occur frequently in CSV data. A malicious user may seek to exploit collision. Consequently, delimiter collision can be the source of security vulnerability and exploit. Well-known examples include SQL injection and cross-site scripting in the context of SQL and HTML, respectively. Multiple methods for avoiding collision have been devised. Using a delimiter that is unlikely to appear in the content is an ad hoc approach that leads to limited success. It requires knowledge of expected content, guessing what won't appear in the content, and offers little security against malicious collisions. If content is restricted from containing control characters (which is typical), then using control characters for delimiters prevents delimiter collision that otherwise can occur when using non-control character delimiters. The ASCII character set was designed with this in mind by providing non-printing characters that can be used as delimiters in the range 28 to 31. Later, Unicode adopted the same code points. A commonly used method for avoiding delimiter collision is to use escape sequence. A specific printable character or sequence of characters before a character that otherwise would indicate a boundary, indicates that the delimiter character is not to be treated as a boundary. Although effective, this technique has drawbacks including: Some systems allow any character to be represented as a sequence of characters. This allows text that otherwise is a delimiter to be encoded in the content indirectly and thus prevent delimiter collision. A drawback of this method is that character codes are relatively hard to read, understand and memorize. For example, Perl allows a character to be encoded as the sequence \x## where ## is the numeric value of the character code. The following shows how the sequence for double-quote (\x22) can be used to prevent collision with the delimiter that marks the begin and end of a string literal. produces the same output as: In contrast to escape sequences and escape characters, dual delimiters provide yet another way to avoid delimiter collision. Some languages, for example, allow the use of either a single quote (') or a double quote (") to specify a string literal. For example, in Perl: produces the desired output without requiring escapes. This approach, however, only works when the string does not contain both types of quotation marks. In contrast to escape sequences and escape characters, padding delimiters provide yet another way to avoid delimiter collision. Visual Basic, for example, uses double quotes as delimiters. This is similar to escaping the delimiter. produces the desired output without requiring escapes. Like regular escaping it can, however, become confusing when many quotes are used. The code to print the above source code would look more confusing: In contrast to dual delimiters, multiple delimiters are even more flexible for avoiding delimiter collision.: 63 For example, in Perl: all produce the desired output through use of quote operators, which allow any convenient character to act as a delimiter. Although this method is more flexible, few languages support it. Perl and Ruby are two that do.: 62 A content boundary is a special type of delimiter that is specifically designed to resist delimiter collision. It works by allowing the author to specify a sequence of characters that is guaranteed to always indicate a boundary between parts in a multi-part message, with no other possible interpretation. The delimiter is frequently generated from a random sequence of characters that is statistically improbable to occur in the content. This may be followed by an identifying mark such as a UUID, a timestamp, or some other distinguishing mark. Alternatively, the content may be scanned to guarantee that a delimiter does not appear in the text. This may allow the delimiter to be shorter or simpler, and increase the human readability of the document. (See e.g., MIME, Here documents). Some programming and computer languages allow the use of whitespace delimiters or indentation as a means of specifying boundaries between independent regions in text. In specifying a regular expression, alternate delimiters may also be used to simplify the syntax for match and substitution operations in Perl. For example, a simple match operation may be specified in Perl with the following syntax: The syntax is flexible enough to specify match operations with alternate delimiters, making it easy to avoid delimiter collision: A here document allows the inclusion of arbitrary content by specifying a special end sequence. Many languages support this including PHP, bash scripts, ruby and perl. A here document starts by describing what the end sequence is and continues until that sequence occurs at the start of a new line. If the content is known, this technique avoids delimiter collision since an end sequence can be chosen that does not exist in the content. An example in perl: This code prints: Although principally used as a mechanism for text encoding of binary data, ASCII armoring is a programming and systems administration technique that also helps avoid delimiter collision in some circumstances. This technique is more complicated than many other collision avoidance techniques, and therefore is less suitable for small applications and simple data formats. The technique employs a special encoding scheme, such as base64, to ensure that delimiter or other significant characters do not appear in transmitted data. It prevents multilayered escaping, i.e. for double-quotes. This technique is used, for example, in ASP.NET, and is closely associated with the VIEWSTATE component of that system. This prevents delimiter collision and ensures that incompatible characters will not appear inside the HTML code, regardless of what characters appear in the original (decoded) text. The following example demonstrates how this technique works. The following code fragment shows an HTML tag in which the VIEWSTATE value contains double-quotes – characters that are incompatible with the delimiters of the HTML tag. The code is not valid and would fail. To store arbitrary text in an HTML attribute, HTML entities can be used. In this case &quot; stands for double-quote. Alternatively, any encoding could be used that doesn't include characters that have special meaning in the context, such as base64: Or percent-encoding: See also References External links
========================================
[SOURCE: https://en.wikipedia.org/wiki/Armenian_people] | [TOKENS: 7978]
Contents Armenians Armenians (Armenian: հայեր, romanized: hayer, [hɑˈjɛɾ]) are an ethnic group indigenous to the Armenian highlands of West Asia. Armenians constitute the main demographic group in Armenia and constituted the main population of the breakaway Republic of Artsakh until their subsequent flight due to the 2023 Azerbaijani offensive. There is a large diaspora of around five million people of Armenian ancestry living outside the Republic of Armenia. The largest Armenian populations exist in Russia, the United States, France, Georgia, Iran, Germany, Ukraine, Lebanon, Brazil, Argentina, Syria, and Turkey. The present-day Armenian diaspora was formed mainly as a result of the Armenian genocide with the exceptions of Iran, former Soviet states, and parts of the Levant. Armenian is an Indo-European language. It has two mutually intelligible spoken and written forms: Eastern Armenian, today spoken mainly in Armenia, Artsakh, Iran, and the former Soviet republics; and Western Armenian, used in the historical Western Armenia and, after the Armenian genocide, primarily in the Armenian diasporan communities. The unique Armenian alphabet was invented in 405 AD by Mesrop Mashtots. Most Armenians adhere to the Armenian Apostolic Church, a non-Chalcedonian Christian church, which is also the world's oldest national church. Christianity began to spread in Armenia soon after Jesus' death, due to the efforts of two of his apostles, St. Thaddeus and St. Bartholomew. In the early 4th century, the Kingdom of Armenia became the first state to adopt Christianity as a state religion, followed by the first pilgrimages to the Holy Land where a community established the Armenian Quarter of Old Jerusalem. Etymology The earliest attestations of the exonym Armenia date around the 6th century BC. In his trilingual Behistun Inscription dated to 517 BC, Darius I the Great of Persia refers to Urashtu (in Babylonian) as Armina (Old Persian: 𐎠𐎼𐎷𐎡𐎴) and Harminuya (in Elamite). In Greek, Armenios (Αρμένιοι) is attested from about the same time, perhaps the earliest reference being a fragment attributed to Hecataeus of Miletus (476 BC). Xenophon, a Greek general serving in some of the Persian expeditions, describes many aspects of Armenian village life and hospitality in around 401 BC. Some have linked the name Armenia with the Early Bronze Age state of Armani (Armanum, Armi) or the Late Bronze Age state of Arme (Shupria). Armini, Urartian for "inhabitant of Arme" or "Armean country", referring to the region of Shupria, to the immediate west of Lake Van. The Arme tribe of Urartian texts may have been the Urumu, who in the 12th century BC attempted to invade Assyria from the north with their allies the Mushki and the Kaskians. The Urumu apparently settled in the vicinity of Sason, lending their name to the regions of Arme and the nearby lands of Urme and Inner Urumu. The location of the older site of Armani is a matter of debate. Some modern researchers have placed it in the same general area as Arme, near modern Samsat, and have suggested it was populated, at least partially, by an early Indo-European-speaking people. The relationship between Armani and the later Arme-Shupria, if any, is undetermined. Additionally, their connections to Armenians is inconclusive as it is not known what languages were spoken in these regions. It has also been speculated that the land of Ermenen (located in or near Minni), mentioned by the Egyptian pharaoh Thutmose III in 1446 BCE, could be a reference to Armenia. Armenians call themselves Hay (Armenian: հայ, pronounced [ˈhaj]; plural: հայեր, [haˈjɛɾ]). The name has traditionally been derived from Hayk (Armenian: Հայկ), the legendary patriarch of the Armenians and a great-great-grandson of Noah, who, according to Movses Khorenatsi (Moses of Khorene), defeated the Babylonian king Bel in 2492 BC and established his nation in the Ararat region. It is also further postulated that the name Hay comes from, or is related to, one of the two confederated, Hittite vassal states—Hayasa-Azzi (1600–1200 BC). Ultimately, Hay may derive from the Proto Indo-European words póti (meaning "lord" or "master") or *h₂éyos/*áyos (meaning "metal"). Khorenatsi wrote that the word Armenian originated from the name Armenak or Aram (the descendant of Hayk). Khorenatsi refers to both Armenia and Armenians as Hayk‘ (Armenian: Հայք) (not to be confused with the aforementioned patriarch, Hayk).[citation needed] History Extant Extinct Reconstructed Hypothetical Grammar Other Mainstream Alternative and fringe Pontic Steppe Caucasus East Asia Eastern Europe Northern Europe Bronze Age Pontic Steppe Northern/Eastern Steppe Europe South Asia Iron Age Steppe Europe Caucasus Central Asia India Iron Age Indo-Aryans Iranians Nuristanis East Asia Europe Middle Ages East Asia Europe Indo-Aryan Iranian Historical Indo-Aryan Iranian Others European Practices Institutes Publications While the Armenian language is classified as an Indo-European language, its placement within the broader Indo-European language family is a matter of debate. Until fairly recently, scholars believed Armenian to be most closely related to Greek and Ancient Macedonian. Eric P. Hamp placed Armenian in the "Pontic Indo-European" (also called Graeco-Armenian or Helleno-Armenian) subgroup of Indo-European languages in his 2012 Indo-European family tree. There are two possible explanations, not mutually exclusive, for a common origin of the Armenian and Greek languages. Some linguists tentatively conclude that Armenian, Greek (and Phrygian) and Indo-Iranian were dialectally close to each other; within this hypothetical dialect group, Proto-Armenian was situated between Proto-Greek (centum subgroup) and Proto-Indo-Iranian (satem subgroup). This has led some scholars to propose a hypothetical Graeco-Armenian-Aryan clade within the Indo-European language family from which the Armenian, Greek, Indo-Iranian, and possibly Phrygian languages all descend. According to Kim (2018), however, there is insufficient evidence for a cladistic connection between Armenian and Greek, and common features between these two languages can be explained as a result of contact. Contact is also the most likely explanation for morphological features shared by Armenian with Indo-Iranian and Balto-Slavic languages. It has been suggested that the Bronze Age Trialeti-Vanadzor culture and sites such as the burial complexes at Verin and Nerkin Naver are indicative of an Indo-European presence in Armenia by the end of the 3rd millennium BCE. The controversial Armenian hypothesis, put forward by some scholars, such as Thomas Gamkrelidze and Vyacheslav V. Ivanov, proposes that the Indo-European homeland was around the Armenian Highland. This theory was partially confirmed by the research of geneticist David Reich (et al. 2018), among others. Similarly Grolle (et al. 2018) supports not only a homeland for Armenians on the Armenian highlands, but also that the Armenian highlands are the homeland for the "pre-proto-Indo-Europeans". A large genetic study in 2022 showed that many Armenians are "direct patrilineal descendants of the Yamnaya". Genetic studies explain Armenian diversity by several mixtures of Eurasian populations that occurred between 3000 and 2000 BCE. But genetic signals of population mixture cease after 1200 BCE when Bronze Age civilizations in the Eastern Mediterranean world suddenly and violently collapsed. Armenians have since remained isolated and genetic structure within the population developed ~500 years ago when Armenia was divided between the Ottomans and the Safavid Empire in Iran. A genetic study (Wang et al. 2018) supports the indigenous origin for Armenians in a region south of the Caucasus which he calls "Greater Caucasus". In the Bronze Age, several states flourished in the area of Greater Armenia, including the Hittite Empire (at the height of its power in the 14th century BCE), (Mitanni (South-Western historical Armenia, 1500–1300 BCE), and Hayasa-Azzi (1500–1200 BCE). Soon after Hayasa-Azzi came Arme-Shupria (1300s–1190 BCE), the Nairi Confederation (1200–900 BCE), and the Kingdom of Urartu (860–590 BCE), who successively established their sovereignty over the Armenian Highland. Each of the aforementioned nations and tribes participated in the ethnogenesis of the Armenian people. Under Ashurbanipal (669–627 BCE), the Assyrian empire reached the Caucasus Mountains (modern Armenia, Georgia and Azerbaijan). Luwianologist John D. Hawkins proposed that "Hai" people were possibly mentioned in the 10th century BCE Hieroglyphic Luwian inscriptions from Carchemish. A.E. Redgate later clarified that these "Hai" people may have been Armenians. The first geographical entity that was called Armenia by neighboring peoples (such as by Hecataeus of Miletus and on the Achaemenid Behistun Inscription) was the Satrapy of Armenia, established in the late 6th century BCE under the Orontid (Yervanduni) dynasty within the Achaemenid Persian Empire. The Orontids later ruled the independent Kingdom of Armenia. At its zenith (95–65 BCE), under the imperial reign of Tigran the Great, a member of the Artaxiad (Artashesian) dynasty, the Kingdom of Armenia extended from the Caucasus all the way to what is now central Turkey, Lebanon, and northern Iran. The Arsacid Kingdom of Armenia, itself a branch of the Arsacid dynasty of Parthia, was the first state to adopt Christianity as its religion (it had formerly been adherent to Armenian paganism, which was influenced by Zoroastrianism, while later on adopting a few elements regarding identification of its pantheon with Greco-Roman deities). In the early years of the 4th century, likely 301 CE, partly in defiance of the Sassanids it seems. In the late Parthian period, Armenia was a predominantly Zoroastrian-adhering land, but by the Christianisation, previously predominant Zoroastrianism and paganism in Armenia gradually declined. This is the period that an Armenian community was established in Judea (modern-day Palestine-Israel), leading to the Armenian Quarter of Jerusalem. Later on, to further strengthen Armenian national identity, Mesrop Mashtots invented the Armenian alphabet, in 405 CE. This event ushered the Golden Age of Armenia, during which many foreign books and manuscripts were translated to Armenian by Mesrop's pupils. Armenia lost its sovereignty again in 428 CE to the rivaling Byzantine and Sassanid Persian empires, until the Muslim conquest of Persia overran also the regions in which Armenians lived. In 885 CE the Armenians reestablished themselves as a sovereign kingdom under the leadership of Ashot I of the Bagratid Dynasty. A considerable portion of the Armenian nobility and peasantry fled the Byzantine occupation of Bagratid Armenia in 1045, and the subsequent invasion of the region by Seljuk Turks in 1064. They settled in large numbers in Cilicia, an Anatolian region where Armenians were already established as a minority since Roman times. In 1080, they founded an independent Armenian Principality then Kingdom of Cilicia, which became the focus of Armenian nationalism. The Armenians developed close social, cultural, military, and religious ties with nearby Crusader States, but eventually succumbed to Mamluk invasions. In the next few centuries, Djenghis Khan, Timurids, and the tribal Turkic federations of the Ak Koyunlu and the Kara Koyunlu ruled over the Armenians. From the early 16th century, both Western Armenia and Eastern Armenia fell under Iranian Safavid rule. Owing to the century long Turco-Iranian geo-political rivalry that would last in Western Asia, significant parts of the region were frequently fought over between the two rivalling empires. From the mid 16th century with the Peace of Amasya, and decisively from the first half of the 17th century with the Treaty of Zuhab until the first half of the 19th century, Eastern Armenia was ruled by the successive Iranian Safavid, Afsharid and Qajar empires, while Western Armenia remained under Ottoman rule. In the late 1820s, the parts of historic Armenia under Iranian control centering on Yerevan and Lake Sevan (all of Eastern Armenia) were incorporated into the Russian Empire following Iran's forced ceding of the territories after its loss in the Russo-Persian War (1826-1828) and the outcoming Treaty of Turkmenchay. Western Armenia however, remained in Ottoman hands. The ethnic cleansing of Armenians during the final years of the Ottoman Empire is widely considered a genocide, resulting in an estimated 1.2 million victims. The first wave of persecution was in the years 1894 to 1896, the second one culminating in the events of the Armenian genocide in 1915 and 1916. With World War I in progress, the Ottoman Empire accused the (Christian) Armenians as liable to ally with Imperial Russia, and used it as a pretext to deal with the entire Armenian population as an enemy within their empire. Governments of the Republic of Turkey since that time have consistently rejected charges of genocide, typically arguing either that those Armenians who died were simply in the way of a war, or that killings of Armenians were justified by their individual or collective support for the enemies of the Ottoman Empire. Passage of legislation in various foreign countries, condemning the persecution of the Armenians as genocide, has often provoked diplomatic conflict. (See recognition of the Armenian genocide) Following the breakup of the Russian Empire in the aftermath of World War I for a brief period, from 1918 to 1920, Armenia was an independent republic plagued by socio-economic crises such as large-scale Muslim uprisings. In late 1920, the communists came to power following an invasion of Armenia by the Red Army; in 1922, Armenia became part of the Transcaucasian SFSR of the Soviet Union, later on forming the Armenian Soviet Socialist Republic (1936 to 21 September 1991). In 1991, Armenia regained its independence from the USSR. Also in 1991, the ethnic Armenian-majority Nagorno-Karabakh Republic (later the Republic of Artsakh), declared independence from Azerbaijan which lasted until 2023. Geographic distribution Armenians are indigenous to the Armenian Highlands and their presence in this region dates back 4,000 years. According to legend, Hayk, the patriarch and founder of the Armenian nation, led Armenians to victory over Bel of Babylon and settled in the Armenian Highland. Today, with a population of 3.5 million (although more recent estimates place the population closer to 2.9 million), they constitute an overwhelming majority in Armenia, Armenians in the diaspora informally refer to them as Hayastantsis (Armenian: հայաստանցի), meaning those that are from Armenia (that is, those born and raised in Armenia). They, as well as the Armenians of Iran and Russia, speak the Eastern dialect of the Armenian language. The country itself is secular as a result of Soviet domination, but most of its citizens identify themselves as Apostolic Armenian Christian. While the largest Armenian diaspora populations reside in Russia, the United States, France, and other countries, small Armenian trading and religious communities have existed outside Armenia for centuries. A prominent community has continued since the 4th century in the Holy Land, and one of the quarters of the walled Old City of Jerusalem is called the Armenian Quarter. An Armenian Catholic monastic community of 35 founded in 1717 exists on an island near Venice, Italy. The region of Western Armenia was an influential part of the Eastern Roman Empire, which was absorbed by the Ottoman Empire in the 16th century. The Armenian population of the Ottoman Empire is estimated to have been between 1.5 and 2.5 million in the early 20th century. Most of the modern Armenian diaspora consists of Armenians scattered throughout the world as a direct consequence of massacres and genocide in the Ottoman Empire. However, Armenian communities in Iran, Georgia (Tbilisi), and Syria existed since antiquity. During the Middle Ages and the centuries prior to the genocide, additional communities were formed in Greece, Bulgaria, Hungary, Kievan Rus' and the territories of Russia, Poland, Austria, and Lebanon. There are also remnants of historic communities in Turkey (Istanbul), India, Myanmar, Thailand, Belgium, the Netherlands, Portugal, Italy, Israel-Palestine, Iraq, Romania, Serbia, Ethiopia, Sudan and Egypt. The Nagorno-Karabakh region in Azerbaijan had an overwhelming Armenian majority until 2023. From 1991 to 2023, the region was governed by the Armenia-backed Republic of Artsakh, a largely unrecognized breakway state. After Azerbaijan defeated Artsakh in 2023 after decades of conflict, nearly the entire population fled into Armenia. Within the diasporan Armenian community, there is an unofficial classification of the different kinds of Armenians. For example, Armenians who originate from Iran are referred to as Parskahay (Armenian: պարսկահայ), while Armenians from Lebanon are usually referred to as Lipananahay (Armenian: լիբանանահայ). Armenians of the Diaspora are the primary speakers of the Western dialect of the Armenian language. This dialect has considerable differences with Eastern Armenian, but speakers of either of the two variations can usually understand each other. Eastern Armenian in the diaspora is primarily spoken in Iran and European countries such as Ukraine, Russia, and Georgia (where they form a majority in the Samtskhe-Javakheti province). In diverse communities (such as in the United States and Canada) where many different kinds of Armenians live together, there is a tendency for the different groups to cluster together. Culture Before Christianity, Armenians adhered to Armenian Indo-European native religion: a type of indigenous polytheism that pre-dated the Urartu period but which subsequently adopted several Greco-Roman and Iranian religious characteristics. In 301 AD, Armenia adopted Christianity as a state religion, becoming the first state to do so. The claim is primarily based on the fifth-century work of Agathangelos titled "The History of the Armenians." Agathangelos witnessed at first hand the baptism of the Armenian King Trdat III (c. 301/314 A.D.) by St. Gregory the Illuminator. Trdat III decreed Christianity was the state religion. Armenia established a Church that still exists independently of both the Catholic and the Eastern Orthodox churches, having become so in 451 AD as a result of its stance regarding the Council of Chalcedon. Today this church is known as the Armenian Apostolic Church, which is a part of the Oriental Orthodox communion, not to be confused with the Eastern Orthodox communion. During its later political eclipses, Armenia depended on the church to preserve and protect its unique identity. The original location of the Armenian Catholicosate is Echmiadzin. However, the continuous upheavals, which characterized the political scenes of Armenia, made the political power move to safer places. The Church center moved as well to different locations together with the political authority. Therefore, it eventually moved to Cilicia as the Holy See of Cilicia. Armenia has, at times, constituted a Christian "island" in a mostly Muslim region. There are, however, a minority of ethnic Armenian Muslims, known as Hamshenis and Crypto-Armenians, although the former are often regarded as a distinct group or subgroup. In the late tsarist Caucasus, individual conversions of Muslims, Yazidis, Jews, and Assyrians into Armenian Christianity have been documented. The history of the Jews in Armenia dates back over 2,000 years. The Armenian Kingdom of Cilicia had close ties to European Crusader States. Later on, the deteriorating situation in the region led the bishops of Armenia to elect a Catholicos in Etchmiadzin, the original seat of the Catholicosate. In 1441, a new Catholicos was elected in Etchmiadzin in the person of Kirakos Virapetsi, while Krikor Moussapegiants preserved his title as Catholicos of Cilicia. Therefore, since 1441, there have been two Catholicosates in the Armenian Church with equal rights and privileges, and with their respective jurisdictions. The primacy of honor of the Catholicosate of Etchmiadzin has always been recognized by the Catholicosate of Cilicia. While the Armenian Apostolic Church remains the most prominent church in the Armenian community throughout the world, Armenians (especially in the diaspora) subscribe to any number of other Christian denominations. These include the Armenian Catholic Church (which follows its own liturgy but recognizes the Roman Catholic Pope), the Armenian Evangelical Church, which started as a reformation in the Mother church but later broke away, and the Armenian Brotherhood Church, which was born in the Armenian Evangelical Church, but later broke apart from it. There are other numerous Armenian churches belonging to Protestant denominations of all kinds. Through the ages many Armenians have collectively belonged to other faiths or Christian movements, including the Paulicians which is a form of Gnostic and Manichaean Christianity. Paulicians sought to restore the pure Christianity of Paul and in c.660 founded the first congregation in Kibossa, Armenia. Another example is the Tondrakians, who flourished in medieval Armenia between the early 9th century and 11th century. Tondrakians advocated the abolishment of the church, denied the immortality of the soul, did not believe in an afterlife, supported property rights for peasants, and equality between men and women. The Orthodox Armenians or the Chalcedonian Armenians in the Byzantine Empire were called Iberians ("Georgians") or "Greeks". A notable Orthodox "Iberian" Armenian was the Byzantine General Gregory Pakourianos. The descendants of these Orthodox and Chalcedonic Armenians are the Hayhurum of Greece and Catholic Armenians of Georgia. Armenian is a sub-branch of the Indo-European family, and with some 8 million speakers one of the smallest surviving branches, comparable to Albanian or the somewhat more widely spoken Greek, with which it may be connected (see Graeco-Armenian). Today, that branch has just one language – Armenian. Five million Eastern Armenian speakers live in the Caucasus, Russia, and Iran, and approximately two to three million people in the rest of the Armenian diaspora speak Western Armenian. According to US Census figures, there are 300,000 Americans who speak Armenian at home. It is in fact the twentieth most commonly spoken language in the United States, having slightly fewer speakers than Haitian Creole, and slightly more than Navajo. Armenian literature dates back to 400 AD, when Mesrop Mashtots first invented the Armenian alphabet. This period of time is often viewed as the Golden Age of Armenian literature. Early Armenian literature was written by the "father of Armenian history", Moses of Chorene, who authored The History of Armenia. The book covers the time-frame from the formation of the Armenian people to the fifth century AD. The nineteenth century beheld a great literary movement that was to give rise to modern Armenian literature. This period of time, during which Armenian culture flourished, is known as the Revival period (Zartonki sherchan). The Revivalist authors of Constantinople and Tiflis, almost identical to the Romanticists of Europe, were interested in encouraging Armenian nationalism. Most of them adopted the newly created Eastern or Western variants of the Armenian language depending on the targeted audience, and preferred them over classical Armenian (grabar). This period ended after the Hamidian massacres, when Armenians experienced turbulent times. As Armenian history of the 1920s and of the Genocide came to be more openly discussed, writers like Paruyr Sevak, Gevork Emin, Silva Kaputikyan and Hovhannes Shiraz began a new era of literature. The first Armenian churches were built on the orders of St. Gregory the Illuminator, and were often built on top of pagan temples, and imitated some aspects of Armenian pre-Christian architecture. Classical and Medieval Armenian Architecture is divided into four separate periods. The first Armenian churches were built between the 4th and 7th century, beginning when Armenia converted to Christianity, and ending with the Arab invasion of Armenia. The early churches were mostly simple basilicas, but some with side apses. By the fifth century the typical cupola cone in the center had become widely used. By the seventh century, centrally planned churches had been built and a more complicated niched buttress and radiating Hrip'simé style had formed. By the time of the Arab invasion, most of what we now know as classical Armenian architecture had formed. From the 9th to 11th century, Armenian architecture underwent a revival under the patronage of the Bagratid Dynasty with a great deal of building done in the area of Lake Van, this included both traditional styles and new innovations. Ornately carved Armenian Khachkars were developed during this time. Many new cities and churches were built during this time, including a new capital at Lake Van and a new Cathedral on Akdamar Island to match. The Cathedral of Ani was also completed during this dynasty. It was during this time that the first major monasteries, such as Haghpat and Haritchavank were built. This period was ended by the Seljuk invasion. Armenian art is the unique form of art developed over the last five millennia in which the Armenian people lived on the Armenian Highland. Armenian architecture and miniature painting have dominated Armenian art and have shown consistent development over the centuries. Other forms of Armenian art include sculpture, fresco, mosaic, ceramic, metalwork, engraving, and textiles, especially Armenian carpets. Prehistoric Armenia was home to the Urartu culture in the Iron Age, notable for its early metal sculptures, often of animals. The region was, as later, often contested by the large empires holding the nearby regions of Persia, Mesopotamia and Anatolia. The Armenians adopted Christianity very early, and developed their own version of Eastern Christian art, with much use of icons, Armenian miniatures in books, and the very original architecture of their churches and monasteries. A distinctive Armenian feature, which may have influenced the Medieval art of Europe, was the popularity from early on of figurative relief carvings on the outside of churches, unknown in Byzantium. Armenians specialized in arts and crafts such as carpet-weaving. The Armenian Taraz (Armenian: տարազ, taraz;[c]), also known as Armenian traditional clothing, reflects a rich cultural tradition. Wool and fur were used by the Armenians along with the cotton that was grown in the fertile valleys. In Urartu, silk imported from China was used by royalty. Later, Armenians cultivated silkworms and produced their own silk. Armenian theatre (Armenian: Հայկական թատրոն, romanized: Haykakan t’atron) dates to before Roman times and is one of the oldest Eurasian theatrical traditions. Alongside Greek and Roman theatres, it stands as one of the world's most ancient theatres. The ancient and beloved form of theatrical art is lyrical (profound) drama, which exerted its influence on the folklore of the Near East, Balkan, and Apennine peoples. Within this cultural context, Armenian folk and mystical drama, characterized by its dance elements, also took shape. Although the ancient theatre system has not been preserved, it has left its linguistic marks. Many types of sports are played in Armenia, among the most popular being football, chess, boxing, basketball, ice hockey, sambo, wrestling, weightlifting, and volleyball. Since independence, the Armenian government has been actively rebuilding its sports program in the country. During Soviet rule, Armenian athletes rose to prominence winning plenty of medals and helping the USSR win the medal standings at the Olympics on numerous occasions. The first medal won by an Armenian in modern Olympic history was by Hrant Shahinyan, who won two golds and two silvers in gymnastics at the 1952 Summer Olympics in Helsinki. To highlight the level of success of Armenians in the Olympics, Shahinyan was quoted as saying: "Armenian sportsmen had to outdo their opponents by several notches for the shot at being accepted into any Soviet team. But those difficulties notwithstanding, 90 percent of Armenian athletes on Soviet Olympic teams came back with medals." In football, their most successful team was Yerevan's FC Ararat, which had claimed most of the Soviet championships in the 70s and had also gone to post victories against professional clubs like FC Bayern Munich in the Euro cup. Notable players include Henrikh Mkhitaryan, Youri Djorkaeff, Alain Boghossian, Andranik Eskandarian, Andranik Teymourian, Edgar Manucharyan, Khoren Oganesian and Nikita Simonyan. Armenians have also been successful in chess, which is the most popular mind sport in Armenia. Some of the most prominent chess players in the world are Armenian such as Tigran Petrosian and Levon Aronian. Garry Kasparov is half-Armenian through his mother. As a nation, Armenia won the World Champion in 2011 and the World Chess Olympiad on three occasions. Armenians have also been successful in weightlifting and wrestling, the latter having been a successful sport in the Olympics for Armenia. At the 1996 Summer Olympics in Atlanta, Armen Nazaryan won the gold in the Men's Greco-Roman Flyweight (52 kg) category and Armen Mkrtchyan won the silver in Men's Freestyle Paperweight (48 kg) category, securing Armenia's first two medals in its Olympic history. There are also successful Armenians in boxing: Arthur Abraham and Vic Darchinyan. Armenian music is a mix of indigenous folk music, perhaps best-represented by Djivan Gasparyan's well-known duduk music, as well as light pop, and extensive Christian music. Instruments like the duduk, the dhol, the zurna and the kanun are commonly found in Armenian folk music. Artists such as Sayat Nova are famous due to their influence in the development of Armenian folk music. One of the oldest types of Armenian music is the Armenian chant which is the most common kind of religious music in Armenia. Many of these chants are ancient in origin, extending to pre-Christian times, while others are relatively modern, including several composed by Saint Mesrop Mashtots, the inventor of the Armenian alphabet. While under Soviet rule, Armenian classical music composer Aram Khatchaturian became internationally well known for his music, for various ballets and the Sabre Dance from his composition for the ballet Gayane. The Armenian genocide caused widespread emigration that led to the settlement of Armenians in various countries in the world. Armenians kept to their traditions and certain diasporans rose to fame with their music. In the post-Genocide Armenian community of the United States, the so-called "kef" style Armenian dance music, using Armenian and Middle Eastern folk instruments (often electrified/amplified) and some western instruments, was popular. This style preserved the folk songs and dances of Western Armenia, and many artists also played the contemporary popular songs of Turkey and other Middle Eastern countries from which the Armenians emigrated. Richard Hagopian is perhaps the most famous artist of the traditional "kef" style and the Vosbikian Band was notable in the 40s and 50s for developing their own style of "kef music" heavily influenced by the popular American Big Band Jazz of the time. Later, stemming from the Middle Eastern Armenian diaspora and influenced by Continental European (especially French) pop music, the Armenian pop music genre grew to fame in the 60s and 70s with artists such as Adiss Harmandian and Harout Pamboukjian performing to the Armenian diaspora and Armenia. Also with artists such as Sirusho, performing pop music combined with Armenian folk music in today's entertainment industry. Other Armenian diasporans that rose to fame in classical or international music circles are world-renowned French-Armenian singer and composer Charles Aznavour, pianist Sahan Arzruni, prominent opera sopranos such as Hasmik Papian and more recently Isabel Bayrakdarian and Anna Kasyan. Certain Armenians settled to sing non-Armenian tunes such as the heavy metal band System of a Down (which nonetheless often incorporates traditional Armenian instrumentals and styling into their songs) or pop star Cher (whose father was Armenian). Ruben Hakobyan (Ruben Sasuntsi) is a well recognized Armenian ethnographic and patriotic folk singer who has achieved widespread national recognition due to his devotion to Armenian folk music and exceptional talent. In the Armenian diaspora, Armenian Revolutionary Songs are popular with the youth.[citation needed] These songs encourage Armenian patriotism and are generally about Armenian history and national heroes. Carpet-weaving is historically a major traditional profession for the majority of Armenian women, including many Armenian families. Prominent Karabakh carpet weavers there were men too. The oldest extant Armenian carpet from the region, referred to as Artsakh (see also Karabakh carpet) during the medieval era, is from the village of Banants (near Gandzak) and dates to the early 13th century. The first time that the Armenian word for carpet, kork, was used in historical sources was in a 1242–1243 Armenian inscription on the wall of the Kaptavan Church in Artsakh. Common themes and patterns found on Armenian carpets were the depiction of dragons and eagles. They were diverse in style, rich in color and ornamental motifs, and were even separated in categories depending on what sort of animals were depicted on them, such as artsvagorgs (eagle-carpets), vishapagorgs (dragon-carpets) and otsagorgs (serpent-carpets). The rug mentioned in the Kaptavan inscriptions is composed of three arches, "covered with vegatative ornaments", and bears an artistic resemblance to the illuminated manuscripts produced in Artsakh. The art of carpet weaving was in addition intimately connected to the making of curtains as evidenced in a passage by Kirakos Gandzaketsi, a 13th-century Armenian historian from Artsakh, who praised Arzu-Khatun, the wife of regional prince Vakhtang Khachenatsi, and her daughters for their expertise and skill in weaving. Armenian carpets were also renowned by foreigners who traveled to Artsakh; the Arab geographer and historian Al-Masudi noted that, among other works of art, he had never seen such carpets elsewhere in his life. Khorovats, an Armenian-styled barbecue, is arguably the favorite Armenian dish. Lavash is a very popular Armenian flat bread, and Armenian paklava is a popular dessert made from filo dough. Other famous Armenian foods include the kabob (a skewer of marinated roasted meat and vegetables), various dolmas (minced lamb, or beef meat and rice wrapped in grape leaves, cabbage leaves, or stuffed into hollowed vegetables), and pilaf, a rice dish. Also, ghapama, a rice-stuffed pumpkin dish, and many different salads are popular in Armenian culture. Fruits play a large part in the Armenian diet. Apricots (Prunus armeniaca, also known as Armenian Plum) have been grown in Armenia for centuries and have a reputation for having an especially good flavor. Peaches are popular as well, as are grapes, figs, pomegranates, and melons. Preserves are made from many fruits, including cornelian cherries, young walnuts, sea buckthorn, mulberries, sour cherries, and many others. Institutions Genetics A 2012 study found that haplogroups R1b, J2, and T were the most notable haplogroups among Armenians. Most notable mtDNA haplogroups among the Armenian samples are H, U, T, J, K and X while the rest of remaining Mtdna of the Armenians are HV, I, X, W, R0 and N. Notable people Note See also References Notes Citations General Further reading The UCLA conference series titled "Historic Armenian Cities and Provinces" is organized by the Holder of the Armenian Educational Foundation Chair in Modern Armenian History. The conference proceedings are edited by Richard G. Hovannisian. Published in Costa Mesa, CA, by Mazda Publishers, they are:
========================================