Description
What Are Tortoise Pads? Click Here To Find Out
Multiple Layers of Protection
Our T2 impact protection shorts contain a uniquely engineered quadruple-density high impact EVA foam configuration which gives greater protection while minimizing foam thickness. The denser layers of foam dissipate and absorb more of the impact’s energy. The softer layers provide cushioning as well as additional protection between you and the ground. The combination of the two results in a pad that will take a bigger impact and will help reduce the number of injuries you might get from falling.
Foam colors may vary from picture
Customizable Pad Thickness
Take control of your pad thickness and hardness. With four different layers of foam there are many combinations possible. Customize your pad to suit your personal needs by varying the layer configuration. Keep more pad where you need it and take away from where you don’t.
WARNING: The coccyx pad set should not be reduced to a total thickness of less than 1/2” (12.7 mm), and all other pad sets should not be reduced to a total thickness of less than 3/8” (9.5 mm).
Need More Protection? Get our 1/4″ (6.3 mm) T2 Add-On Pads
Flexible Multi-Layer Design
Our multiple layer design and durable spandex pockets allow our foam to constantly reshape, creating pads that move the way you do.
T2 Impact Protection Shorts – Ergonomic Mobility and Comfort
We have engineered and crafted our impact protection shorts with the perfect spacing to allow for a complete range of motion. The design minimizes the gaps between pads while providing maximum coverage. All seven pads are made with flexible independent layers. This produces a contoured fit that keeps the pads right where you need them to be, while maintaining the cushioning you need to protect yourself.
Articulated Hip Protection System
The combined hip pad and upper leg pad allows total leg movement while covering a large area around the hip joint and the upper leg. The two pads interlock when falling with a straight leg to create one long pad. If you fall with a bent leg the lower pad wraps around the front of the hip pad creating an “L” shaped pad. Both configurations provide maximum coverage of the hip and upper leg area.
Credits
New World Encyclopedia writers and editors rewrote and completed the Wikipedia article
in accordance with New World Encyclopedia standards. This article abides by terms of the Creative Commons CC-by-sa 3.0 License (CC-by-sa), which may be used and disseminated with proper attribution. Credit is due under the terms of this license that can reference both the New World Encyclopedia contributors and the selfless volunteer contributors of the Wikimedia Foundation. To cite this article click here for a list of acceptable citing formats.The history of earlier contributions by wikipedians is accessible to researchers here:
- Tortoise history
- Galapagos_tortoise history
The history of this article since it was imported to New World Encyclopedia:
History of “Tortoise”
Note: Some restrictions may apply to use of individual images which are separately licensed.
Design features
A39 Tortoise restored into running condition
Since the Tortoise had a fixed casemate superstructure instead of a turret, it can be classified as a self-propelled gun or an assault gun and not a tank. The crew included a commander, driver, and gunner, with two loaders for the 32-pounder gun and two machine gunners. Internally it was split into three compartments, the transmission to the front, the crew in the center and the Rolls-Royce Meteor engine at the rear. The suspension consisted of four bogies on each side each of the hull. Each bogie had two pairs of wheels, with each pair linked to a transverse torsion bar. The Merritt-Brown transmission was fitted with an all speed reverse, giving approximately the same speed backwards as forwards.
The Ordnance QF 32 pounder gun design was adapted from the British 3.7 inch anti-aircraft gun. The ammunition used a separate charge and shell, the latter a 32 pound (14.5 kg) armour piercing shot (APCBC). In tests the gun was successful against a German Panther tank at nearly 1,000 yards. The 32-pdr gun was mounted in a power-assisted limited traverse mounting; rather than being mounted on the more traditional trunnions, it protruded through a large ball mount in the front of the hull, protected by 225 mm armour. To the left of it was a Besa machine gun in an armoured ball mount. A further two Besa machine guns were mounted in a turret on the top of the hull to the right.
Modules
Guns
Gun | Penetration(mm) | Damage(HP) | Rate of fire(rounds/minute) | Dispersion(m/100m) | Aiming time(s) | Weight(kg) |
Price( ) |
||
---|---|---|---|---|---|---|---|---|---|
VIII | OQF 32-pdr AT Gun | 220/252/47 | 280/280/370 | 10.71 | 0.33 | 1.7 | 2972 | 105000 | |
IX | OQF 20-pdr AT Gun Type B Barrel | 226/258/42 | 230/230/280 | 13.95 | 0.3 | 1.5 | 1282 | 180000 | |
X | 120 mm AT Gun L1A1 | 259/326/120 | 400/400/515 | 8.45 | 0.31 | 1.7 | 2850 | 320000 |
Engines
Engine | Engine Power(hp) | Chance of Fire on Impact(%) | Weight(kg) |
Price( ) |
||
---|---|---|---|---|---|---|
VIII | Rolls-Royce Meteor Mk. V | 650 | 20 | 744 | 44000 | |
IX | Rolls-Royce Meteor M120 | 810 | 20 | 744 | 92000 |
Suspensions
Suspension | Load Limit(т) | Traverse Speed(gr/sec) | min | Weight(kg) |
Price( ) |
||
---|---|---|---|---|---|---|---|
VIII | Tortoise | 77 | 20 | 20000 | 32234 | ||
Tortoise Mk. 2 | 63000 |
Radios
Radio | Signal Range(m) | Weight(kg) |
Price( ) |
||
---|---|---|---|---|---|
VIII | WS No. 22 | 700 | 40 | 25000 | |
VIII | WS No. 19 Mk. III | 550 | 40 | 22000 | |
X | SR C42 | 750 | 40 | 54000 |
Getting Started
Installation
First you have to install tortoise like this:
pip install tortoise-orm
You can also install with your db driver (aiosqlite is builtin):
pip install tortoise-orm
Or MySQL:
pip install tortoise-orm
Quick Tutorial
Primary entity of tortoise is .
You can start writing models like this:
from tortoise.models import Model from tortoise import fields class Tournament(Model): id = fields.IntField(pk=True) name = fields.TextField() def __str__(self): return self.name class Event(Model): id = fields.IntField(pk=True) name = fields.TextField() tournament = fields.ForeignKeyField('models.Tournament', related_name='events') participants = fields.ManyToManyField('models.Team', related_name='events', through='event_team') def __str__(self): return self.name class Team(Model): id = fields.IntField(pk=True) name = fields.TextField() def __str__(self): return self.name
After you defined all your models, tortoise needs you to init them, in order to create backward relations between models and match your db client with appropriate models.
You can do it like this:
from tortoise import Tortoise async def init(): # Here we connect to a SQLite DB file. # also specify the app name of "models" # which contain models from "app.models" await Tortoise.init( db_url='sqlite://db.sqlite3', modules={'models': } ) # Generate the schema await Tortoise.generate_schemas()
Here we create connection to SQLite database in the local directory called , and then we discover & initialise models.
Tortoise ORM currently supports the following databases:
- SQLite (requires )
- PostgreSQL (requires )
- MySQL (requires )
generates the schema on an empty database. Tortoise generates schemas in safe mode by default which
includes the clause, so you may include it in your main code.
After that you can start using your models:
# Create instance by save tournament = Tournament(name='New Tournament') await tournament.save() # Or by .create() await Event.create(name='Without participants', tournament=tournament) event = await Event.create(name='Test', tournament=tournament) participants = [] for i in range(2): team = await Team.create(name='Team {}'.format(i + 1)) participants.append(team) # M2M Relationship management is quite straightforward # (also look for methods .remove(...) and .clear()) await event.participants.add(*participants) # You can query related entity just with async for async for team in event.participants: pass # After making related query you can iterate with regular for, # which can be extremely convenient for using with other packages, # for example some kind of serializers with nested support for team in event.participants: pass # Or you can make preemptive call to fetch related objects selected_events = await Event.filter( participants=participants[].id ).prefetch_related('participants', 'tournament') # Tortoise supports variable depth of prefetching related entities # This will fetch all events for team and in those events tournaments will be prefetched await Team.all().prefetch_related('events__tournament') # You can filter and order by related models too await Tournament.filter( events__name__in= ).order_by('-events__participants__name').distinct()
Quick Start
> aerich -h Usage: aerich COMMAND ... Options: -c, --config TEXT Config file. --app TEXT Tortoise-ORM app name. -n, --name TEXT Name of section in .ini file to use for aerich config. -h, --help Show this message and exit. Commands: downgrade Downgrade to specified version. heads Show current available heads in migrate location. history List all migrate items. init Init config file and generate root migrate location. init-db Generate schema and generate app migrate location. inspectdb Introspects the database tables to standard output as... migrate Generate migrate changes file. upgrade Upgrade to latest version.
Turtle vs Tortoise
What’s the difference between a turtle and a tortoise then? Using the American Society of Ichthyologists and Herpetologists definition, a turtle is a reptile with a hard, bony shell belonging to the order of Testudines which includes all sea, land, and other aquatic turtles. The term tortoise is used to describe most land-dwelling turtles. With this definition, we can highlight their general differences.
A turtle is a reptile with a hard, bony shell belonging to the order of Testudines. The tortoise belongs to the same order but is under a different classification. Most turtles live as sea-dwellers, while some are amphibious, meaning they can live on both land and sea. There are freshwater turtles and other species that live in estuaries where freshwater meets seawater. A tortoise is another species that mostly live on land.
Most aquatic turtles have developed flippers, along with lighter and flatter shells that allow them to swim more efficiently in the water. Other turtles have webbed feet with claws to climbing up logs and muddy riverbanks. Tortoises have short but strong limbs that give them mobility on land.
Turtles have been known to swim in the sea in groups (called a bale), while tortoises are recognized as solitary animals. Most turtles are omnivores feeding on aquatic plants, snails, worms, and even dead marine animals while tortoises are usually herbivores that like eating grasses, weeds, and flowers.
Description
Four tortoises in the genus Testudo. Clockwise from left, Testudo graeca ibera, Testudo hermanni boettgeri, Testudo hermanni hermanni, and Testudo marginata sarda.
Tortoise is used in this article as the common name for members of the family Testudinidae.
Like their marine cousins, the sea turtles, members of Testudinidae are shielded from predators by a shell. The top part of the shell is the carapace, the underside is the plastron, and the two are connected by the bridge. The tortoise has both an endoskeleton and an exoskeleton.
Tortoises can vary in size from a few centimeters to two meters in length. The well-known giant tortoises of the Galapagos islands (Geochelone nigra), known as the Galápagos tortoise or Galápagos giant tortoise, is the largest living tortoise, endemic to nine islands of the Galápagos archipelago. Adults can weigh over 300 kilograms (660lb) and measure 1.3 meters (4.3 ft) long. Although the maximum life expectancy of a wild tortoise is unknown, the average life expectancy is estimated to be 200 years.
Tortoises tend to be diurnal animals with tendencies to be crepuscular depending on the ambient temperatures. They are generally reclusive and shy.
Giant tortoises of the genera Geochelone, Meiolania, and others were relatively widely distributed around the world into prehistoric times, and are known to have existed in North and South America, Australia, and Africa. They became extinct at the same time as the appearance of humans, and it is assumed that humans hunted them for food. The only surviving giant tortoises are on the Seychelles and Galápagos Islands.
Sexual dimorphism
Many, though not all, species of tortoises are sexually dimorphic, though the differences between males and females vary from species to species. In some species, males have a longer, more protruding neck plate than their female counterparts, while in others the claws are longer on the females.
In most tortoise species the female tends to be larger than the male. Some believe that males grow quicker, while the female grows slower but larger. The male also has a plastron that is curved inwards to aid reproduction. The easiest way to determine the sex of a tortoise is to look at the tail. The females, as a general rule have a smaller tail which is dropped down whereas the males have a much longer tail which is usually pulled up and to the side of the rear shell.
Diet
A baby tortoise feeding on lettuce.
Most land-based tortoises are herbivore, grazing on grasses, leaves, flowers, cacti, and certain fruits. For some, their main diet consists of alfalfa, clover, dandelions, and leafy weeds, although they will also eat various insects. For the Galapagos tortoise, fresh young grass is a particular favorite food, and others include the poison apple (Hippomane mancinella), which is highly poisonous to humans, the endemic guava (Psidium galapageium), the water fern (Azolla microphylla), and the bromeliad (Tillandsia insularis).
Description
The A39 Tortoise is a rank IV British tank destroyer
with a battle rating of 6.7 (AB/RB) and 6.3 (SB). It was introduced in Update 1.55 “Royal Armour” along with the initial British ground tree. A huge casemate structure made as an assault vehicle akin to the American’s T95, the Tortoise presents thick raw sloped armour with a unique heavy punching 94 mm cannon.
The Tortoise, as its name suggests, sacrifices speed to survivability.
Armour
With its cast 152 mm sloped armour, the Tortoise can survive most head on encounters. The area around the gun mantlet is 215 mm thick with a flat surface under the gunner’s optics. It has a 55 mm plate (75°) under the gun and a 170 mm semi-rounded LFP. Sides are 152 mm thick. The engine deck’s side armour is 101.6 mm thick with an asymmetry on the left. Rear armour is 100-110 mm thick flat plates. At this BR, there are not many tanks that can penetrate such thick material from the front. If used correctly, this vehicle should only get out of battles with a few 75, 88 and 122 mm scratches.
If, by any chance, an enemy gets through this massive steel casing, there is no less than 7 spaced out crew members to soak up damage. Most of the time, the AA gunner’s cupola gets penetrated, since it is only 100 mm flat armour. AP (and APDS) shells will only disable the AA defences while any APHE shell may incapacitate the driver and 1 or 2 loaders. If unlucky, it will detonate the massive ammo rack lying on the floor. Another common angle of attack is the machine gunner’s port. Once again, AP shots will knock-out 2-3 non-essential crew members (machine gunner, commander, loader) and APHE shells may even eliminate the gunner. Sometimes, when getting too exposed, the 170 mm almost flat LFP gets shot at. This will usually disable the gunner, transmission and even ignite an ammo rack if there’s enough explosive. A few highly penetrating tanks may shoot through the flat 215 mm surface underneath the gunner’s optics. This usually means an instant knock-out for the Tortoise if it happens to be an IS-2, Tiger II (H) since there are ammo racks all around the gunner. Any penetrating hit to the side usually means an instant elimination (if not immediate, the following shot should be the last). The cannon barrel is often targeted by players: its large and thin muzzle brake tends to be damaged easily. Note that some large HE shells may tear through the top armour, wrecking havoc in the crew compartment.
Mobility
Such a great armour plays heavily on mobility. With a max speed of 20 km/h in both directions, neutral steering and wide tracks, this tank has good enough mobility to get into position and fire on the enemy. It is not advised to travel up to the frontlines since it will only expose weak spots, make flanking easier, and take a really long time due to poor max speed.
Firepower
Unlike other British Rank IV tanks, the Tortoise does not fire APDS or HESH ammunition, it relies on pure AP shells. Fortunately, these large calibre rounds are roughly similar to 20-pounder cannon’s APDS, meaning the learning curve from the Charioteer Mk VII is not too steep. Plus, these 94 mm shells are stock rounds in the A39 meaning they’re free to use.
The secondary armament on this tank is an AA turret with twin-mounted BESA MG, good for dealing with low-flying planes and even some bombers, although these MGs lack the power of cannons for aircraft encountered in mixed battles at this BR. Since this turret is the main weak spot on this tank’s frontal armour, it is often disabled in the first few shots.
Development history
In the early part of 1943 the Allied forces anticipated considerable resistance in the projected future invasion of Europe, with the enemy fighting from heavily fortified positions such as the Siegfried Line. As a result, a new class of vehicles emerged, in the shape of Assault tanks, which placed maximum armour protection at a higher priority than mobility. Initially, work was concentrated on the Excelsior tank (A33), based on the Cromwell tank. There was also a program to upgrade the armour of the Churchill tank. For similar work in the Far East, the Valiant tank (A38), based on the Valentine tank was considered although weight was specified to be as low as possible.
The Secretary of State for War and the Minister of Supply issued a Joint Memorandum in April 1943 which gave a vague specification for an Assault tank, classing it as a special purpose vehicle to operate in heavily defended areas as part of the specialist 79th Armoured Division. The Nuffield Organisation responded with 18 separate designs (AT-1 through AT-18) drafted between May 1943 and February 1944, each design larger and heavier than the last. By February 1944 design AT-16 was complete and was approved by the Tank Board who proposed that month that 25 be produced directly from the mock up stage without bothering with a prototype, to be available for operational service in September 1945. An order for 25 was placed by the War Office and work was begun. Following the end of the war the order was reduced and only 6 vehicles were built. One example was sent to Germany for trials where it was found to be mechanically reliable and a powerful and accurate gun platform, however at a weight of 80 tons and a height of 10 feet (3.0 m) it was extremely slow and proved difficult to transport.
Overview
Tortoises are a type of turtle. A turtle is any aquatic or terrestrial reptile of the order Testudines (or Chelonia), characterized by toothless jaws with horny beaks and generally having a body shielded by a special bony or cartilagenous shell. Reptiles and turtles are tetrapods (four-legged vertebrates) and amniotes (animals whose embryos are surrounded by an amniotic membrane that encases it in amniotic fluid.
Tortoise and terrapin are the names for two sub-groups commonly recognized within Testudines. Tortoise is the common name for any land-dwelling turtle, especially those belonging to the family Testudinidae. Terrapin is the common name for large freshwater or brackish water turtles belonging to the family Emydidae, especially the genus Malaclemys, and sometimes the genus Pseudemys (or Chrysemys).
Turtle, tortoise, or terrapin?
The word “turtle” is widely used to describe all members of the order Testudines. However, it is also common to see certain members described as terrapins, tortoises, or sea turtles as well. Precisely how these alternative names are used, if at all, depends on the type of English being used.
- British English normally describes these reptiles as turtles if they live in the sea; terrapins if they live in fresh or brackish water; or tortoises if they live on land. However, there are exceptions to this where American or Australian common names are in wide use, as with the Fly River turtle.
- American English tends to use the word turtle for all species of the order Testudines regardless of habitat, although tortoise may be used as a more precise term for any land-dwelling species. Oceanic species may be more specifically referred to as sea turtles. The name “terrapin” is strictly reserved for the brackish water diamondback terrapin, Malaclemys terrapin; the word terrapin in this case being derived from the Algonquian word for this animal.
- Australian English uses turtle for both the marine and freshwater species, but tortoise for the terrestrial species.
To avoid confusion, the word “chelonian” is popular among veterinarians, scientists, and conservationists working with these animals as a catch-all name for any member of the order Testudines. It is based on the Ancient Greek word χελώνη (chelone, modern Greek χελώνα), meaning tortoise.
Interesting Facts About the Tortoise
These slow moving creatures are actually quite interesting. Because there are over 300 known tortoise species, there are virtually endless traits and adaptations!
- Long Lived– Tortoises can live a long time – longer than humans in some cases! On average, tortoises live between 80 and 100 years. Some species (Galapagos tortoises) regularly live to 150 years and older. In fact, the oldest living tortoise (an Albrada giant tortoise) was estimated to be 255 years old!
- The Turtle, the Tortoise, and the Terrapin – No, it isn’t a nursery rhyme! These are the different terms used to describe animals in the turtle family. The term turtle is commonly used when discussing any animal in the turtle family. Tortoise is used to describe slow-moving land reptiles in the turtle family. Terrapin generally describes aquatic turtles that live in fresh or brackish water, but not in the ocean.
- Slow Moving – Everyone knows tortoises are slow moving creatures. In fact, it has even influenced the term for a group of tortoises! When tortoises are in a group, it is called a creep.
- Shell-ful of Scutes – The large scales on a tortoise’s shell are called scutes. These scutes are made up of keratin, which is the same substance that your hair and fingernails are made out of. Though it isn’t an exact science, the rings on a tortoise’s scutes can be used to estimate age, just like the rings of a tree!
Descriptions
A loggerhead sea turtle
The definition of the word “turtle” varies depending on where you are in the world. In North America, it is a blanket term that includes tortoises and terrapins. The British use the word turtle to refer to the sea-dwelling species. Other species of turtles include tortoises and terrapins. Tortoises generally live on land, while terrapins normally inhabit brackish waters such as in estuaries where freshwater mixes with seawater. In Spain, tortuga is used to refer to turtles, terrapins, and dolphins.
The largest living turtle is the leatherback sea turtle. Its shell can grow up to 6.6 feet or 200 centimeters and can be as heavy as 900 kilograms or 2,000 lbs. The smallest turtle, just 3.1 inches or 8 centimeters in length, is the speckled padloper tortoise found in South Africa.
Turtles have lighter shells than land-dwelling tortoises. Flatter, lighter shells allow aquatic turtles to swim better and faster. Large spaces in the shell called fontanelles make the shells lighter. Most turtles are omnivores feeding on aquatic plants, snails, worms, and insects. Certain species are known to feed on dead marine animals, small fish, and other marine animals. Sea turtles eat jellyfish and other smaller marine creatures.
Turtles have webbed feet for swimming and long, strong claws for climbing up riverbanks or logs. Some turtle species have developed flippers with shorter claws rather than webbed feet. Some aquatic turtles have their eyes near the top of their head, allowing them a better view above the water.
A desert tortoise
The tortoise is a land-dwelling reptile that belongs to the Testudinidae family. It is under the order Testudines, along with sea-dwelling and aquatic turtles. Tortoises usually have heavier shells than their close relatives and are generally known to be more solitary.
As mentioned earlier, the words tortoise, turtle, and terrapin are used interchangeably depending on the region you’re in. However, according to the American Society of Ichthyologists and Herpetologists, the term “turtle” covers all land and sea turtles under the order Testudines. They use the term tortoise to point specifically to the slow-moving land species.
Found usually in Africa and Asia, tortoises are generally plant-eaters feeding on weeds, grasses, green leaves, and even flowers. Some tortoise species are omnivores that feed on insects and worms.
One of the more distinct characteristics of tortoises as land-dwellers are their short and sturdy feet. They are extremely slow, walking at 0.27 kilometers per hour or 0.17 miles per hour.
References
- Associated Press (AP). 2006. Tortoise believed to have been owned by Darwin dies at 176. Fox News June 26, 2006. Retrieved December 15, 2007.
- Chambers, P. 2004. A Sheltered Life: The Unexpected History of the Giant Tortoise. London: John Murray (Publishers). ISBN 0719565286.
- Ernst, C. H., and R. W. Barbour. 1989. Turtles of the World’. Washington, D. C.: Smithsonian Institution Press. ISBN 0874744148.
- Gerlach, J. 2004. Giant Tortoises of the Indian Ocean. Frankfurt: Chimiara publishers. ISBN 3930612631.
- Kuyl, A. C. van der, et al. 2002. Phylogenetic relationships among the species of the genus Testudo (Testudines: Testudinidae) inferred from mitochondrial 12S rRNA gene sequences. Molecular Phylogenetics and Evolution 22: 174-183.
ТТХ
Ознакомимся подробнее с характеристиками новой ПТ-САУ сравнив ее с другими премиум одноклассниками 8 уровня.
Огневая мощь
Turtle Mk. I оснащена 108 мм орудием с разовым уроном 330 единиц, что является одним из минимальных значений среди одноуровневых прем ПТ-САУ. Бронепробитие и вовсе не радует:
- базовым (бронебойным) снарядом 224 мм — самое низкое значение среди остальных прем ПТ (исключение составляет только JgTig.8,8 cm с 217 мм, но у него льготный уровень боев);
- специальным (подкалиберным) снарядом 253 мм — очень мало для техники, воющей с «девятками» и «десятками». При этом у подкалиберов с расстоянием снижается бронепробитие, поэтому на дистанции свыше 300 метров толку от них будет немного, разве что высокая скорость полета.
Характеристика боекомплекта:
В глаза сразу бросается очень низкая скорость полета снарядов, в том числе голдовых. Данная ПТ-САУ больше подходит для средних и ближних дистанций, на большом расстоянии будет сложно попасть по движущейся мишени.
Реализовать урон ей комфортнее за счет отличных углов наведения:
- УГН 20…20°;
- УВН -10…+20°.
Время сведения 1,83 секунды а, точность 0,35. Компенсация за небольшой альфа-страйк —высокая скорострельность. Перезарядка занимает 6,52 секунды, что позволяет произвести в минуту 9,2 выстрела с потенциальным уроном 3037 единиц, что является наибольшим значением среди премиумных ПТ-САУ.
Живучесть
Запас прочности 1400 единиц, что значительно выше, чем у большинства кустовых ПТ-САУ, но все же уступает другим представителям штурмовых JgTig.8,8 cm и TS-5. Лобовое бронирование 226 мм (т.е. при встрече с такой же Turtle Mk. I вы не сможете 100% пробить друг друга в лоб без использования голдовых снарядов или везения с ВБР). При этом бронелисты расположены под прямым углом, поэтому приведенка будет только в области ВЛД. Борта 101 мм, а корма 76 мм, поэтому если ее объехать, то пробивать сможет абсолютно каждый.
Стоит отметить, что в отличие от прокачиваемой АТ 15, у этой прем машины «спилили ведро», поэтому выцеливать командирскую башенку будет сложно, если у противника нет преимущества в высоте позиции.
Остальные показатели
Масса машины 60 тонн, но за счет неплохого двигателя удельная мощность составила 13,33 л.с./т. Оправдывая свое название Turtle получил черепашью скорость 20 км/ч вперед и 10 км/ч заднего хода. Скорость поворота шасси одна из самых низких 23,99°. Коэффициент незаметность у «мини-черепашки» один из самых низкий 13,28% в неподвижном состоянии. Обзор нормальный для 8 уровня 370 метров, а вот дальность связи очень низкая 595 метров.