text stringlengths 1 1.04M | language stringclasses 25 values |
|---|---|
Union Labour Minister Santosh Kumar Gangwar said that centre has no data about the deaths of migrants during the lockdown that began in March.
After the government told the parliament in a written reply on Monday that it has no data available on deaths and job losses of migrant labourers during the coronavirus lockdown, Congress leader Rahul Gandhi took a jibe on the government in a tweet.
On the first day of the monsoon session in parliament, answering a written question whether thousands of migrants died during the lockdown, Union Labour Minister Santosh Kumar Gangwar said that centre has no data about the death of migrants during the lockdown that began in March.
“The Modi government does not know how many migrants died during lockdown… how many lost jobs. If you didn’t count… did nobody die? The sad part is that the government does not care about the loss of lives. The world saw them dying… Modi government was unaware,” Rahul Gandhi tweeted in Hindi.
मोदी सरकार नहीं जानती कि लॉकडाउन में कितने प्रवासी मज़दूर मरे और कितनी नौकरियाँ गयीं।
तुमने ना गिना तो क्या मौत ना हुई?
हाँ मगर दुख है सरकार पे असर ना हुई,
उनका मरना देखा ज़माने ने,
एक मोदी सरकार है जिसे ख़बर ना हुई।
Rahul Gandhi is constantly raising different issues against the Modi government in his series of interactive videos. He’s also attacking the centre on issues such as economy, Chinese incursions, GST compensation etc.
Earlier, Gandhi, taking a dig at the government, said its “well-planned fight” against coronavirus has allegedly put India in an “abyss” of GDP reduction of 24 per cent, 12 crore job losses, 15. 5 lakh crore additional stressed loans, and globally highest daily COVID-19 cases and deaths.
Rahul Gandhi accused the Modi government of not handling the COVID-19 pandemic effectively.
“Modi Govt’s well-planned fight’ against Covid has put India in an abyss of: 1. Historic GDP reduction of 24% 2. 12 crore jobs lost 3. 15. 5 lac crores additional stressed loans 4. Globally highest daily Covid cases & deaths,” Gandhi said in a tweet.
As an independent media platform, we do not take advertisements from governments and corporate houses. It is you, our readers, who have supported us on our journey to do honest and unbiased journalism. Please contribute, so that we can continue to do the same in future. | english |
<gh_stars>1-10
const { knuthShuffle } = require('knuth-shuffle');
const isString = require('./is-string');
const chars = require('./chars');
module.exports = function shuffle(input) {
if (!isString(input)) {
throw new TypeError('Input is not a string!');
}
return knuthShuffle(chars(input)).join('');
};
| javascript |
// Copyright (c) The dgc.network
// SPDX-License-Identifier: Apache-2.0
use dgc_contract_sdk::protocol::payload::{Action, SmartPayload};
use dgc_contract_sdk::protos::FromBytes;
use sawtooth_sdk::processor::handler::ApplyError;
pub struct SmartRequestPayload {
action: Action,
}
impl SmartRequestPayload {
pub fn new(payload: &[u8]) -> Result<Option<SmartRequestPayload>, ApplyError> {
let payload = match SmartPayload::from_bytes(payload) {
Ok(payload) => payload,
Err(_) => {
return Err(ApplyError::InvalidTransaction(String::from(
"Cannot deserialize payload",
)));
}
};
let smart_action = payload.action();
match smart_action {
Action::CreateContract(create_contract) => {
if create_contract.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract name cannot be an empty string",
)));
}
if create_contract.get_version().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract version cannot be an empty string",
)));
}
if create_contract.get_inputs().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract inputs cannot be an empty",
)));
}
if create_contract.get_outputs().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract outputs cannot be an empty",
)));
}
if create_contract.get_contract().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract bytes cannot be an empty",
)));
}
}
Action::DeleteContract(delete_contract) => {
if delete_contract.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract name cannot be an empty string",
)));
}
if delete_contract.get_version().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract version cannot be an empty string",
)));
}
}
Action::ExecuteContract(execute_contract) => {
if execute_contract.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract name cannot be an empty string",
)));
}
if execute_contract.get_version().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract version cannot be an empty string",
)));
}
if execute_contract.get_inputs().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract inputs cannot be an empty",
)));
}
if execute_contract.get_outputs().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract outputs cannot be an empty",
)));
}
if execute_contract.get_payload().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract payload cannot be an empty",
)));
}
}
Action::CreateContractRegistry(create_contract_registry) => {
if create_contract_registry.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract Registry name cannot be an empty string",
)));
}
if create_contract_registry.get_owners().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract Registry owners cannot be an empty",
)));
}
}
Action::DeleteContractRegistry(delete_contract_registry) => {
if delete_contract_registry.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract Registry name cannot be an empty string",
)));
};
}
Action::UpdateContractRegistryOwners(update_contract_registry_owners) => {
if update_contract_registry_owners.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract Registry name cannot be an empty string",
)));
}
if update_contract_registry_owners.get_owners().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Contract Registry owners cannot be an empty",
)));
}
}
Action::CreateNamespaceRegistry(create_namespace_registry) => {
if create_namespace_registry.get_namespace().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace Registry namespace cannot be an empty string",
)));
}
if create_namespace_registry.get_owners().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace owners cannot be an empty",
)));
}
}
Action::DeleteNamespaceRegistry(delete_namespace_registry) => {
if delete_namespace_registry.get_namespace().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace Registry namespace cannot be an empty string",
)));
}
}
Action::UpdateNamespaceRegistryOwners(update_namespace_registry_owners) => {
if update_namespace_registry_owners.get_namespace().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace Registry namespace cannot be an empty string",
)));
}
if update_namespace_registry_owners.get_owners().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace owners cannot be an empty",
)));
}
}
Action::CreateNamespaceRegistryPermission(create_namespace_registry_permission) => {
if create_namespace_registry_permission.get_namespace().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace Registry namespace cannot be an empty string",
)));
}
if create_namespace_registry_permission
.get_contract_name()
.is_empty()
{
return Err(ApplyError::InvalidTransaction(String::from(
"Contract name cannot be an empty string",
)));
}
}
Action::DeleteNamespaceRegistryPermission(delete_namespace_registry_permission) => {
if delete_namespace_registry_permission.get_namespace().is_empty() {
return Err(ApplyError::InvalidTransaction(String::from(
"Namespace Registry namespace cannot be an empty string",
)));
}
if delete_namespace_registry_permission
.get_contract_name()
.is_empty()
{
return Err(ApplyError::InvalidTransaction(String::from(
"Contract name cannot be an empty string",
)));
}
}
Action::CreateSmartPermission(create_smart_permission) => {
if create_smart_permission.get_org_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if create_smart_permission.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Smart permission name required".into(),
));
}
if create_smart_permission.get_function().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Function body required".into(),
));
}
}
Action::UpdateSmartPermission(update_smart_permission) => {
if update_smart_permission.get_org_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if update_smart_permission.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Smart permission name required".into(),
));
}
if update_smart_permission.get_function().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Function body required".into(),
));
}
}
Action::DeleteSmartPermission(delete_smart_permission) => {
if delete_smart_permission.get_org_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if delete_smart_permission.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Smart permission name required".into(),
));
}
}
Action::CreateAccount(create_account) => {
if create_account.get_org_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if create_account.get_public_key().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Account public_key required".into(),
));
}
}
Action::UpdateAccount(update_account) => {
if update_account.get_org_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if update_account.get_public_key().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Account public_key required".into(),
));
}
}
Action::CreateOrganization(create_organization) => {
if create_organization.get_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if create_organization.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization name required".into(),
));
}
if create_organization.get_address().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization address required".into(),
));
}
}
Action::UpdateOrganization(update_organization) => {
if update_organization.get_id().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization ID required".into(),
));
}
if update_organization.get_name().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization name required".into(),
));
}
if update_organization.get_address().is_empty() {
return Err(ApplyError::InvalidTransaction(
"Organization address required".into(),
));
}
}
};
Ok(Some(SmartRequestPayload {
action: smart_action.clone(),
}))
}
pub fn get_action(&self) -> Action {
self.action.clone()
}
}
| rust |
The Meltdown and Spectre flaws were just the beginning, researchers say.
Intel chips have another flaw that could let skilled hackers pull sensitive information from microprocessors, Intel and independent security researchers said Tuesday.
The researchers say a flaw in the microprocessors is vulnerable to four new attacks, each of which could capture information like encryption keys and passwords -- the building blocks of security for the rest of your computer. The research was reported earlier by Wired, which said the flaw affects millions of PCs.
Multiple researchers spread across more than a dozen different organizations released their findings about the flaw on Tuesday. The flaw is in the same family as the the Meltdown and Spectre flaws announced in 2018, and it has some similarities. First, it affects data stored on your chip that the hardware keeps around to perform tasks more quickly. What's more, the new flaw requires hackers to get malicious software to run on your device before they can steal information from the chip.
The announcement indicates that this type of flaw, which was novel when reports of Meltdown and Spectre were first announced, is an area of intense research, and experts might continue to find serious chip flaws down the road. Intel and other chip makers face the challenge of addressing flaws that allow these kinds of attacks without sacrificing the performance of their microprocessors.
Intel said in a statement that the best way to protect yourself from attacks targeting this flaw is to keep your system software updated. The flaw has been fixed on Intel Core processors from the 8th and 9th generation, as well as the Intel Xeon Scalable processor family's 2nd generation. Other chips can be fixed with updates to software called microcode, which solve the problem without having to rewrite the hard coded features of a microprocessor.
The company also released data on how its fixes to the flaw are affecting different processors' performance.
| english |
from b_rabbit import BRabbit
def event_listener(msg):
print('Event received')
print("Message body is: " + msg.body)
print("Message properties are: " + str(msg.properties))
rabbit = BRabbit(host='localhost', port=5672)
subscriber = rabbit.EventSubscriber(
b_rabbit=rabbit,
routing_key='publisher.pub',
publisher_name='publisher',
external=False,
event_listener=event_listener)
subscriber.subscribe_on_thread()
| python |
{
"name": "phonedotcom/mason-laravel",
"description": "Laravel and Lumen toolkit for building a Mason hypermedia API",
"license": "MIT",
"keywords": ["mason", "hypermedia", "rest", "laravel", "lumen"],
"support": {
"issues": "https://github.com/phonedotcom/mason-laravel/issues",
"source": "https://github.com/phonedotcom/mason-laravel"
},
"authors": [
{
"name": "<NAME>",
"email": "<EMAIL>"
}
],
"require": {
"php": ">=5.5",
"phonedotcom/mason-php": "1.*",
"illuminate/support": ">=5.2",
"illuminate/http": ">=5.2",
"illuminate/database": ">=5.2"
},
"require-dev": {
"phpunit/phpunit": "4.*",
"squizlabs/php_codesniffer": "2.*"
},
"autoload": {
"psr-4": {
"Phonedotcom\\Mason\\": "src"
}
}
}
| json |
New Delhi: The gender orientation debate in India gained momentum after the Supreme Court decriminalised Section 377. The country was painted with colours of the rainbow after the apex court made the landmark decision. The first step towards a more tolerant society, the decision was a positive amendment made in the Constitution.
To recognise the rights of people with varied sexual orientations, International Day against Homophobia, Transphobia and Biphobia (IDAHOT) is celebrated in 132 countries across the globe.
Every year, this day is celebrated on May 17 is celebrated to commemorated the decision of removing homosexuality from International Classification of diseases of the World Health Organisation (WHO). This decision was made in the year 1990. Often considered a taboo, sexual orientation has a lot of stigma gathered around it in India, especially.
Bisexuals and transgenders have often been treated as different from the others. While some believe that it is an illness, the others call it a sin. The process of acknowledging their sexuality becomes all the more difficult for people who identify as gay, lesbian, bisexual or transgender (LGBTQ2).
The people who have a negative approach to transgender or transsexual people are called 'transphobic'. As a result of transphobia, people have been subjected to prejudice, discrimination and extreme indifference. Victims of transphobia have to struggle for getting employed at firms of their choice and have to settle for employment opportunities that fall below their calibre.
Similarly, biphobia is the prejudice towards bisexual people. People who have romantic or sexual attraction towards both males and females identify as bisexuals. Apart from battling their own conscience to understand their orientation, people who identify as bisexual also have to fight off the social stigma associated with them.
Homophobia is the bias against people who identify as homosexual. Homophobic people often tamper the mental health of homosexuals. Homophobia has proved to be the reason behind numerous hate crimes and suicides.
While the decriminalisation of Section 377 was a step towards a better future, the country is yet to identify homosexuality as a part of human sexuality. This day is celebrated to treat people with varied sexualities to be treated the same and as absolute equals. | english |
This year’s French Open has seen a lot of upsets in both the men’s as well as the women’s draw. Title favourites Li Na and Serena Williams were shown the door early in the first week. On the men’s draw, Australian Open champion Stanislas Wawrinka couldn’t handle the pressure as he lost in the first round. Roger Federer lost in the fourth round to Ernests Gulbis.
Despite all these results, two men have made it to the semifinals with relative ease. Rafael Nadal and Novak Djokovic, seeded No. 1 and No. 2 respectively have lost just one set so far.
Rafael Nadal faces No. 7 seed Andy Murray while Novak Djokovic takes on No. 18 seed Latvian Ernests Gulbis.
Nadal has a 14-5 win-loss record against Murray coming into this match, with the Spaniard winning all 5 matches on clay. Murray managed to take a set off Nadal when they last met in the quarterfinals of the Rome Masters recently. Murray will have to play aggressive tennis right from the start and hope for errors from Nadal, to have any chance of progressing to his first French Open final. Nadal has an impressive 63-1 record at Roland Garros and is looking to reach his 5th consecutive final here.
Murray is one of the best returners in the game and Nadal will have to serve extremely well to keep Murray at bay. Murray will not look to extend rallies as Nadal is strong from the baseline, and the Spaniard will start to dictate the point. Nadal’s forehand has been lethal as always and Murray would be ill advised to drop anything short to Rafa’s forehand.
Murray will have to capitalise on Rafa’s second serve which has lost its venom this season & create break point chances. It will be an uphill task for the brit to overhaul Rafa on his favourite hunting ground.
The other semifinal will be an interesting one. Ernests Gulbis has taken out 2 top ten players in a row. He beat No. 4 seed Roger Federer in the fourth round and accounted for No. 6 seed Tomas Berdych in the quarterfinals. Can he defeat No. 2 seed Novak Djokovic and advance to his first ever Grand Slam final?
If the Latvian can make fewer errors and serve really well, he has a slight chance. Novak has improved his clay court tennis tremendously over the last few years. This is his 4th consecutive French Open semifinal and 16th consecutive Grand Slam semifinal. Only Roger Federer is ahead of him with 23 consecutive Grand Slam semifinal appearances.
The Serb has lost just one set so far and will to attack Gulbis’s serve right from the start. Novak played splendid tennis against big serving Canadian Milos Raonic and the Latvian knows that he should play extraordinary tennis to prevent Novak from reaching his second French Open final.
What makes it even more difficult for Gulbis is the fact that, Novak has not lost to a player outside the top 10 in a Grand Slam since the 2010 French Open, where he lost to No. 22 Austrian Jurgen Melzer after having a 2 set lead. Novak has a 4-1 win-loss record against the Latvian, with Gulbis’s only victory coming on the hard courts in Brisbane in 2009.
Will it be a No. 1 Vs No. 2 final this year?
An exciting day in store for all the fans as the dust starts to settle on semifinals day. | english |
Are you floundering with daily skin cleansing? Confused about deciding what's best for your skin? If so, then you my friend, have surely come to the right place! Undeniably, in recent times, the sudden weather changes alongside the extra busy schedule most women follow, have directly impacted the quality of your skin.
Harmful sunrays, dirt, pollution, rain, exhaust fumes, chemical residue and usage of the wrong skin care products can wreak havoc on your skin making it dull, dry, lustreless, and old! To combat their detrimental impacts on your skin, you must cleanse and purify your face routinely, but of course, use a suitable face wash!
The most vital step of CTM, Cleansing is a great way to pamper your skin while also eliminating dirt, excess sebum, and make-up residue to leave your skin feeling refreshed and looking luminous all the time. The right face wash suitable for your skin type can not only help diminish the appearance of blemishes but also help combat acne, lessen tan and arrest the various signs of ageing.
As we are already into 2023, face washes are being formulated innovatively with AHA, BHA, LHA or be it some herbal extracts and even in the form of gels, foams and simple liquids.
The most vital step of CTM, Cleansing is a great way to pamper your skin while also eliminating dirt, excess sebum, and make-up residue to leave your skin feeling refreshed and looking luminous all the time.
So without further ado, let us get onto the bandwagon of best face washes. We bring you a list of 5 specially curated face washes to meet various skin concerns.
For outdoorsy women, tanning is no longer an issue, with the new Jovees Herbal De-Tan face wash. Formulated with intensive care so that the benefit of the ingredients used remain intact, this gentle face wash is incredible in fading dark spots and tanning due to environmental factors. The exfoliating particles help remove grime, blackheads and dead skin cells while leaving behind a smooth, soft, visibly fairer skin in its wake. Boosted with antioxidants, the face wash safeguards the skin from free radical damage, prevents sun tan and arrests the various signs of ageing.
Have acne-prone skin? Purify and cleanse your skin naturally with Garnier Pure Active Neem Face Wash. This neem-based face wash is specially formulated with potent antibacterial properties to expel excess oil and impurities, unclog pores and draw out dirt and pollution. The goodness of neem extracts is extremely beneficial in furnishing thorough cleansing that helps in treating acne, blemishes and dark spots to bestow a more radiant and flawless complexion. The face wash is suitable for all skin types and extremely effective in combatting microbes, thus preventing numerous skin infections as well.
VLCC Mulberry & Rose Face Wash 150 ml (Buy 1 Get 1)
The Mulberry & Rose Face Wash from the labs of VLCC brings the best of nature in the form of a gentle and effective cleanser. Powered with strong fairness & anti-pigmentation formula, this face wash suits most skin types. While the astringent trait of Rose helps vanish pigmentation marks, the arbutin content in Mulberry deters melanin synthesis thus inhibiting pigmentation. In addition, the antioxidant properties of Lemon and Orange extract in this face wash bestow you with a radiant glowing and brighter complexion on successive face washes.
With the Garnier Duo Action Face Wash, bequeath your face with an instant boost of freshness and radiance. Infused with the brightening traits of lemon and purifying qualities of white clay, the Garnier face wash is incredibly effective in diminishing dullness, and cleansing and purifying the skin to bring back the lost lustre and glow. While, the abundance of vitamin C in lemons fades dark spots and revives dull, tired skin, white clay on the other hand gently removes impurities to reveal bright and glowing skin from deep within.
| english |
{
"Name": "Ampoule",
"ShortName": "Ampoule",
"Description": "Lampe à incandescence classique. Fragile, le filament rompt souvent, produit une lumière tamisée et consomme beaucoup d'électricité."
} | json |
Nokia 8 Sirocco is receiving the Android 9 Pie update, announced the HMD Global's Chief Product Officer Juho Sarvikas in tweet on earlier today. The update is rolling out now over-the-air (OTA) and will be reaching all Nokia 8 Sirocco consumers over the next few days. As per a schedule revealed by HMD Global, the Nokia brand licensee, in October last year, the Nokia 8 Sirocco was supposed to get the Android 9 Pie in November 2018, but it was delayed for unknown reasons. Nokia 8, which too was promised to get the Pie update in November, start receiving it last month.
As per user reports on XDA Developers, the Nokia 8 Sirocco Android 9 Pie update is 1379.5MB in size and carries the build number V4.1.20. The official changelog revealed that the software update includes new system navigation, updated settings menu as well as refreshed notifications. Additionally, the consumers can expect to see Adaptive Battery, Adaptive Brightness, and predictive application actions. The company has also included Google Android Security Patch for December 2018. Other core Android 9 Pie features will also be available to the users. As we mentioned, Sarvikas announced the Nokia 8 Sirocco Android Pie update via a tweet on Thursday, India time.
Among other Nokia smartphones, the Nokia 5.1, Nokia 8 (in some regions), Nokia 7.1, and Nokia 6.1 Plus have already received the Android 9 Pie update.
The Nokia 8 Sirocco was originally unveiled at the Mobile World Congress in February 2018 and made its way to India in April of last year. The smartphone sports a 5.5-inch QHD (1440x2560p) pOLED display with 3D Corning Gorilla Glass 5. It is powered by an octa-core Qualcomm Snapdragon 835 SoC and packs 6GB of RAM. Additionally, the Nokia 8 Sirocco brings 128GB of inbuilt storage and 3,260mAh battery.
The phone also includes a dual-camera setup with 12-megapixel wide-angle lens and 13-megapixel telephoto lens.
| english |
const emoji = require("remark-emoji");
const withTM = require("next-transpile-modules");
const withOrg = require("next-orga")({
extension: /\.org?$/,
options: {
remarkPlugins: [emoji]
}
});
module.exports = withTM(
withOrg({
pageExtensions: ["js", "jsx", "md", "org"],
transpileModules: ["@k2052/example-article"]
})
);
| javascript |
Chennai Super Kings (CSK) have registered a much-needed victory in IPL 2020 as they strangled the Sunrisers Hyderabad (SRH) batting to win by 20 runs.
CSK's new approach was marked by Sam Curran's promotion to the top of the order. The canny English all-rounder set the tone for CSK with a dashing 31 off 21 balls. Faf du Plessis had to stroll back to the dug-out for a golden duck, though, as CSK accumulated 44 runs from the powerplay overs.
Shane Watson and Ambati Rayudu kept things dawdling along at a decent run-rate. When the two batsmen were dismissed in successive overs, MS Dhoni and Ravindra Jadeja provided the flourishing finish that CSK utterly needed. They ended up at a challenging total of 167 runs in their 20 overs.
When SRH's innings commenced, Deepak Chahar troubled SRH's opening pair with consistent swing. It was Sam Curran, however, who got the big scalp of David Warner. Manish Pandey was run-out courtesy a self-inflicted catastrophe and by the time SRH's innings reached its halfway mark, the men in black and orange were teetering at 60/3.
MS Dhoni utilized seven bowlers from his armoury as the spinners and pacemen combined to stifle the flow of runs and choke SRH into surrender. Although Kane Williamson stuck around and compiled an excellent half-century, the required run-rate kept escalating, and SRH batsmen just couldn't shift gears.
This is now the 3rd victory for the Yellow Army in 8 outings in IPL 2020. It's been a rarity seeing CSK play in this year's edition with any kind of attacking intent, and that seemed to be the biggest change in their game against SRH.
They are currently sixth in the IPL 2020 Points Table and will be looking to get more victories under their belt in the upcoming contests.
SRH, on the contrary, would have hoped to triumph tonight and break into the top four. It wasn't to be as a new-approach CSK comprehensively outclassed them. They remain on 5th with the same number of points in as many games as CSK.
It will be the Delhi Capitals (DC) taking on Rajasthan Royals (RR) in IPL 2020's 30th game tomorrow. DC will once again be eyeing that top-spot and they will displace Mumbai Indians (MI) should they triumph tomorrow. RR, on the other hand, are currently stationed at the second-lowest place in the table and would be itching to clamber up the ladder.
| english |
Former Australian fast bowler Glenn McGrath heaped praise on India's stand-in skipper Ajinkya Rahane, who brought up his 12th Test hundred on Day 2 of the Boxing Day Test at the Melbourne Cricket Ground (MCG). The 50-year-old believes Rahane has thrived in his role as a captain, and it has helped him focus on his batting.
Ajinkya Rahane had missed out on playing an impactful innings in his team's horrific defeat at the Adelaide Oval. However, he was determined to make a difference with the bat and led by example at the MCG. After displaying his excellent captaincy skills in the field, the 32-year-old backed it up with a stellar 104* and put Team India in a dominant position at the end of Day 2.
In a talk show on Sony Six after the end of the day's play, McGrath explained how captaincy brought out the best of Ajinkya Rahane as a batsman.
“Rahane has looked good. He is enjoying being captain, I think. Rahane, the way he has batted today, he has just looked solid. He is focussed even more than what he was in Adelaide. I guess being captain, it just helps you do that," McGrath said.
At 64/3, Team India were in a precarious position. A couple of more wickets could have triggered another batting collapse. However, Ajinkya Rahane made sure that was not the case, as he built an important 52-run partnership with Hanuma Vihari and then a 57-run stand with Rishabh Pant to ensure his team was within touching distance of Australia's first innings total.
Former Indian fast bowler Ajit Agarkar also was satisfied with Ajinkya Rahane's performance and credited his resolve to dig deep and play a marathon innings. He believes Rahane played a type of innings that generally Cheteshwar Pujara plays, wearing down the Australian fast bowlers by batting for long periods of time.
“Very determined. Again, the bowling has been really good. They perhaps had a little bit of luck which they didn’t have at all in Adelaide. Rahane, in those two partnerships, with Vihari and Pant has put India in a really good position. But still a lot of work to be done,” Ajit Agarkar said.
“The bowling has been good as well; you have to respect that too. The bowling has been relentless, and you have got to work hard. Maybe being captain, that added responsibility, sometimes people just thrive under it and he seems to be one of them. He has been very determined, almost a Pujara role. But at the moment, it is working for him,” he further added.
The visitors have ended Day 2 on the score of 277-5 and now lead by 82 runs, thanks to an unbeaten century-stand between Ajinkya Rahane and Ravindra Jadeja. If the duo stick around for a bit longer, Team India could be in for a huge first innings lead. | english |
<reponame>jeasonstudio/wasmer-cri
package wasmercri
import (
"context"
log "github.com/sirupsen/logrus"
pb "k8s.io/cri-api/pkg/apis/runtime/v1alpha2"
)
// ListPodSandbox pod
func (s *RuntimeServer) ListPodSandbox(ctx context.Context, in *pb.ListPodSandboxRequest) (_ *pb.ListPodSandboxResponse, _ error) {
logger := log.WithContext((ctx))
logger.WithFields(log.Fields{
"podId": in.Filter.Id,
"podState": in.Filter.State,
"podLabel": in.Filter.LabelSelector,
}).Debug("ListPodSandbox")
sandboxesInStore := s.sanboxStore.List()
var sandboxes []*pb.PodSandbox
for _, sb := range sandboxesInStore {
// TODO: needs to filter sandboxes
sandboxes = append(sandboxes, &pb.PodSandbox{
Id: sb.GetId(),
Metadata: sb.GetMetadata(),
State: sb.GetState(),
CreatedAt: sb.GetCreatedAt(),
Labels: sb.GetLabels(),
Annotations: sb.GetAnnotations(),
RuntimeHandler: sb.GetRuntimeHandler(),
})
}
return &pb.ListPodSandboxResponse{Items: sandboxes}, nil
}
| go |
Dipika Kakar strongly slams netizens trolling her pregnancy as 'fake'; says, 'Kitna negativity phelaaoge'
Dipika Kakar, who announced her first pregnancy news just a few months ago with hubby and television actor Sohaib Ibrahim, is facing a lot of trolling due to the same reason. Dipika Sohaib Ibrahim has always been a soft target by the trolls ever since her marriage due to intercaste marriage. And now Dipika Kakar is extremely tired and is strongly slamming the trolls as they have crossed the limit by calling her pregnancy fake. Dipika is extremely active on her vlogs, and in her latest video, she lashed out at the trolls and asked how much negativity they would spread.
Lashing out at the trolls, Dipika said in her video, "How much negativity will you spread? Be it pregnancy, or celebrations or profession, or a relationship between husband and wife, you have to spread negativity. And, then you go ahead and blame us for being fake? We are nautanki baaz?". There are lots of fans who sent her love and dropped all the positive comments. One user commented, " Stay Strong and stay Calm. Breathe in and breathe out. Do whatever makes you happy. Gussa mat karo khus raho so that baby v khush rahega ya rahegi. Take Care.". Another user said, " Dont react on negative comment .dipi di ur pure soul u always spread postive vibes .Allah give u more success and good health .....ameen".
Dipika Kakar Ibrahim and many other actresses who got married to Muslim men time and again faced criticism for their choices, but one needs to understand where to draw the line, and surely trolls don't know what limit means. Dipika and Sohaib have been happily married, and the couple cannot wait for the arrival of their little one.
Stay tuned to BollywoodLife for the latest scoops and updates from Bollywood, Hollywood, South, TV and Web-Series.
Click to join us on Facebook, Twitter, Youtube and Instagram.
Also follow us on Facebook Messenger for latest updates.
| english |
[{"__symbolic":"module","version":4,"metadata":{"NgbTimepickerModule":{"__symbolic":"class","decorators":[{"__symbolic":"call","expression":{"__symbolic":"reference","module":"@angular/core","name":"NgModule","line":10,"character":1},"arguments":[{"declarations":[{"__symbolic":"reference","module":"./timepicker","name":"NgbTimepicker","line":10,"character":26}],"exports":[{"__symbolic":"reference","module":"./timepicker","name":"NgbTimepicker","line":10,"character":52}],"imports":[{"__symbolic":"reference","module":"@angular/common","name":"CommonModule","line":10,"character":78}]}]}],"statics":{"forRoot":{"__symbolic":"function","parameters":[],"value":{"ngModule":{"__symbolic":"reference","name":"NgbTimepickerModule"}}}}}},"exports":[{"from":"./timepicker","export":["NgbTimepicker"]},{"from":"./timepicker-config","export":["NgbTimepickerConfig"]},{"from":"./ngb-time-struct","export":["NgbTimeStruct"]},{"from":"./ngb-time-adapter","export":["NgbTimeAdapter"]}]}] | json |
If you’re chasing a new job (or better yet, a new career), we feel for you...because especially in 2018, that isn’t easy. But while the entire resume-slash-application-slash-interview process can be exhausting, Chris Haroun says it’s not only survivable — it’s actually winnable.
Haroun is an award-winning business school professor, venture capitalist, and all-around entrepreneur who’s crafted an acclaimed A-to-Z guide to take you from unemployed to your dream gig. He’s outlined his entire approach in the Complete Job, Interview, Resume/LinkedIn and Networking Guide, on sale now for only $9.99 (over 90 percent off) from TNW Deals.
This course, which includes 250 lectures, 67 exercises, and 29 other templates and downloads over 12 hours of instruction, outlines all the steps you need to take to find and land the career opportunity you’ve always wanted.
Haroun shows you how to craft a bullet-proof resume, build a LinkedIn profile to attract recruiters, and network at an elite level to scout out the perfect situation for you.
Once you’ve got your sights set, this course also dives deep into the most crucial step in the process: your interview. This guide helps craft your entire presentation to an interviewer, from your appearance and demeanor; to highlighting your strengths; to even successfully tackling the questions you never saw coming.
Follow the guide that got Haroun where he is today — and just remember: it probably cost him a lot more than $9.99 to do it. His hard-earned knowledge is your gain.
Get the most important tech news in your inbox each week.
| english |
import Ember from 'ember';
import component from 'ember-bootstrap/components/bs-form-element';
export default component;
| javascript |
<gh_stars>1-10
{
"name": "indiehackers2epub",
"version": "1.0.0",
"description": "NodeJS project that converts automatically each IndieHackers.com interview to Epub for offline reading",
"main": "src/main.ts",
"scripts": {
"clean": "rimraf ./ebooks/*.epub",
"prestart": "npm run clean",
"start": "tsc && node dist/main.js",
"test": "echo \"Error: no test specified\" && exit 1"
},
"repository": {
"type": "git",
"url": "git+https://github.com/sortegam/indiehackers2epub.git"
},
"author": "@sortegam",
"license": "MIT",
"bugs": {
"url": "https://github.com/sortegam/indiehackers2epub/issues"
},
"homepage": "https://github.com/sortegam/indiehackers2epub#readme",
"dependencies": {
"apify": "^0.20.3",
"axios": "^0.19.2",
"chalk": "^4.0.0",
"epub-press-js": "^0.5.3",
"mv": "^2.1.1",
"rimraf": "^3.0.2"
},
"devDependencies": {
"@types/mv": "^2.1.0"
}
}
| json |
<reponame>ToshUxanoff/omim
#pragma once
#include "geometry/point2d.hpp"
#include "base/buffer_vector.hpp"
#include "base/geo_object_id.hpp"
#include <cstdint>
#include <vector>
namespace indexer
{
// Class for intermediate objects used to build LocalityIndex.
class LocalityObject
{
public:
// Decodes id stored in LocalityIndex. See GetStoredId().
static base::GeoObjectId FromStoredId(uint64_t storedId)
{
return base::GeoObjectId(storedId >> 2 | storedId << 62);
}
// We need LocalityIndex object id to be at most numeric_limits<int64_t>::max().
// We use incremental encoding for ids and need to keep ids of close object close if it is possible.
// To ensure it we move two leading bits which encodes object type to the end of id.
uint64_t GetStoredId() const { return m_id << 2 | m_id >> 62; }
void Deserialize(char const * data);
template <typename ToDo>
void ForEachPoint(ToDo && toDo) const
{
for (auto const & p : m_points)
toDo(p);
}
template <typename ToDo>
void ForEachTriangle(ToDo && toDo) const
{
for (size_t i = 2; i < m_triangles.size(); i += 3)
toDo(m_triangles[i - 2], m_triangles[i - 1], m_triangles[i]);
}
void SetForTests(uint64_t id, m2::PointD point)
{
m_id = id;
m_points.clear();
m_points.push_back(point);
}
private:
uint64_t m_id = 0;
std::vector<m2::PointD> m_points;
// m_triangles[3 * i], m_triangles[3 * i + 1], m_triangles[3 * i + 2] form the i-th triangle.
buffer_vector<m2::PointD, 32> m_triangles;
};
} // namespace indexer
| cpp |
use crate::consts::*;
use std::path::PathBuf;
pub fn setup_logger(stdout: bool, verbosity: u64) -> Result<(), fern::InitError> {
let mut base_config = fern::Dispatch::new();
base_config = match verbosity {
0 => base_config.level(log::LevelFilter::Info),
1 => base_config.level(log::LevelFilter::Debug),
_ => base_config.level(log::LevelFilter::Trace),
};
base_config = base_config.chain(file_logger()?);
if stdout {
base_config = base_config.chain(stdout_logger()?);
}
base_config.apply()?;
Ok(())
}
fn file_logger() -> Result<fern::Dispatch, fern::InitError> {
let log_path: PathBuf = [
dirs::home_dir().expect("Failed to get home_directory"),
HERMOD_BASE_DIR.into(),
HERMOD_LOG_FILE.into(),
]
.iter()
.collect();
let cfg = fern::Dispatch::new()
.format(|out, message, record| {
out.finish(format_args!(
"{}[{}][{}] {}",
chrono::Local::now().format("[%y-%m-%d][%H:%M:%S]"),
record.target(),
record.level(),
message
))
})
.chain(fern::log_file(log_path)?);
Ok(cfg)
}
fn stdout_logger() -> Result<fern::Dispatch, fern::InitError> {
let cfg = fern::Dispatch::new()
.format(|out, message, record| {
if record.level() > log::LevelFilter::Info {
out.finish(format_args!(
"---\nDebug: {}: {}\n---",
chrono::Local::now().format("%H%M%s"),
message
))
} else {
out.finish(format_args!(
"{}[{}][{}] {}",
chrono::Local::now().format("[%y-%m-%d][%H:%M:%S]"),
record.target(),
record.level(),
message
))
}
})
.chain(std::io::stdout());
Ok(cfg)
}
| rust |
RB Leipzig scored twice in the opening 13 minutes but had to survive a late comeback from Manchester United to cling on to a 3-2 win on Tuesday that sent them into the Champions League knockout stage and eliminated the English side.
The Germans, semi-finalists last season, were totally dominant in the early stages and raced into a 2-0 lead with goals from Angelino and Amadou Haidara, before a third in the second half from Justin Kluivert appeared to be the final nail in the United coffin.
A Bruno Fernandes penalty, however, sparked the visitors into life in the 80th minute and a Paul Pogba header soon after set up a tense finale, but it all came too late for United who were left to rue a sloppy start and will now drop into the Europa League.
“It was really intense at the end but we played a good game for long spells,” Leipzig coach Julian Nagelsmann said. “The players implemented our plan well, especially in the first half.
Leipzig are top of Group H on 12 points but will have to wait to see if they stay there, while United are out having finished third with nine points.
Second-placed Paris St Germain, also on nine but with a better head-to-head record against United and Leipzig, are through to the last 16 and can still finish top.
They will line up again against Istanbul Basaksehir on Wednesday after their game was suspended due to an incident involving the fourth official.
Leipzig, beaten 5-0 by United in Manchester, got off to a sensational start, stunning the visitors in the second minute with Angelino’s powerful shot from a Marcel Sabitzer cross.
The Spaniard, on loan from Manchester City, ran United ragged down the left wing and was again left with far too much space in the 12th minute when he floated the ball across for Haidara to volley in.
United’s Aaron Wan-Bissaka was completely overwhelmed on their right flank and the Germans deserved a third goal.
They thought they had got it when Willi Orban put the ball in the net only for it to be ruled offside.
United, despite the return of Luke Shaw and keeper David De Gea, were vulnerable at the back and had to change their system several times in a desperate effort to stop the onslaught.
Leipzig added a third goal through substitute Kluivert in the 69th minute.
Yet Fernandes, who had earlier hit the bar with a free kick, scored with an 80th-minute penalty to spark some urgency into United’s game.
Substitute Pogba’s header bounced off Maguire and into the net to make it 3-2 in the 82nd but United, who needed at least a point to advance, could not get the equaliser.
“There are 11 bodies out there who have got to go out there and be aggressive,” United defender Harry Maguire said.
Chelsea’s Jorginho converted a penalty as a much-changed side were held to a 1-1 draw by Russians Krasnodar at Stamford Bridge on Tuesday in their final Champions League Group E game with nothing at stake.
Frank Lampard’s side had already secured top spot and Krasnodar the Europa League qualifying place by finishing third, but the match was still played at a breezy tempo in front of 2,000 fans as the hosts made 10 changes to their lineup.
Krasnodar took the lead when midfielder Remy Cabella finished a fine move by firing low into the bottom corner in the 24th minute, only the second goal conceded by Chelsea in the competition this season, but the lead lasted just four minutes.
Chelsea forward Tammy Abraham was upended in the box and Jorginho, who missed a spot kick in the corresponding fixture in Russia in October, made no mistake this time.
Abraham forced an excellent save from Krasnodar goalkeeper Evgeni Gorodov in the second half and might have done better with a header when teed-up by N’Golo Kante on what was ultimately a frustrating night for the England striker.
In the other Group E match, Jules Kounde’s excellent volley from the edge of the box and Youssef En Nesyri’s double sealed a 3-1 win for section runners-up Sevilla at Stade Rennes, who grabbed a consolation through Georginio Rutter’s late penalty.
Lazio enjoyed the luckiest of escapes as they sneaked into the Champions League last 16 for the first time in more than 20 years on Tuesday after being held to a 2-2 draw at home by Club Brugge who played the entire second half with 10 men.
Needing at least a draw to qualify, Lazio appeared totally in control as they took a 2-1 lead in less than half an hour while the visitors had Eduard Sobol sent off in the 39th minute.
However, Hans Vanaken headed Brugge level in the 76th minute and, in an incredible finish, the Belgian outsiders hit the bar in stoppage time.
Amid huge relief at a soggy Stadio Olimpico, the Italians -- who previously went beyond the group stage only in 1999-2000 -- held on to finish second in Group F on 10 points, with Brugge third on eight. Borussia Dortmund topped the section with 13 points.
"After the first match I said that it would be decided in the last match but I didn’t think of the last seconds," said Brugge goalkeeper Simon Mignolet.
"It’s a great experience for the young guys. They will learn a lot from it and become better in the future."
Sobol was booked in the second minute for a foul on Manuel Lazzari, which he would later regret, and Lazio took a 12th-minute lead through Joaquin Correa who snapped up the rebound after Luis Alberto’s shot had been saved by Mignolet.
The Belgians levelled with a similar goal three minutes later, Ruud Vormer scoring after Pepe Reine parried Noa Lang’s shot.
Ciro Immobile won and converted a penalty to put Lazio back in front after 27 minutes, scoring for the ninth successive game in all competitions.
As the rain turned to a downpour, Sobol was let off unpunished for another foul on Lazzari but then pushed his luck with a third tackle on the same player and was dismissed.
Instead of cruising through the second half, however, Lazio suffered an outbreak of jitters.
Immobile squandered a chance for the third goal by firing over the top after being released by Luis Alberto, and coach Simone Inzaghi then replaced Immobile, Luis Alberto and Lucas Leiva -- all key players -- at the same time.
Immediately, Vanaken headed home from Vormer’s cross, Lazio’s nerves became even more frayed and a spell of intense Brugge pressure ended with Charles De Ketelaere rifling a shot against the bar deep into stoppage time.
Borussia Dortmund struck twice in the space of 11 second-half minutes to seal a 2-1 victory at Zenit St Petersburg in the Champions League on Tuesday and clinch top spot in Group F.
The victory took Dortmund to 13 points from their six games, with Lazio taking second spot on 10 after a 2-2 draw with 10-man Club Brugge, who finished third.
Dortmund signalled their intent early on with a sustained spell of pressure but the hosts drew first blood when Argentine winger Sebastian Driussi’s deflected shot ended up in the back of the net after wrongfooting keeper Marwin Hitz.
Zenit looked to have doubled their lead 17 minutes later but Sardar Azmoun’s effort was ruled out for offside. Dortmund nearly found the equaliser on the stroke of halftime through Marco Reus but the German’s curling effort cannoned off the crossbar.
Full back Lukasz Piszczek drew Dortmund level in the 68th minute after a goalmouth scramble before Axel Witsel’s powerful left-footed strike from the edge of the penalty area put Lucien Favre’s men in the lead.
The Russian side threw bodies forward in search of a late equaliser but Dortmund held firm to seal the victory.
The game also witnessed a slice of history, with Dortmund’s 16-year-old striker Youssoufa Moukoko becoming the youngest-ever player to feature in a Champions League match when he replaced Felix Passlack in the second half.
| english |
'use strict';
angular.module('myApp.post', [])
.controller('PostCtrl', ['$scope', function($scope) {
var images = [
'images/postimg1.jpg',
'images/postimg2.jpg',
'images/postimg3.jpg'
];
var currentImageId = 0;
$scope.currentImage = images[currentImageId];
$scope.nextImage = function() {
// At end of array
if (currentImageId == images.length - 1) {
currentImageId = 0;
}
// Increment
else {
currentImageId ++;
}
$scope.currentImage = images[currentImageId];
};
}]); | javascript |
{
"pci_database_acl_title": "ACL",
"pci_databases_acl_tab_title": "ACL",
"pci_databases_acl_tab_username": "User",
"pci_databases_acl_tab_topic": "Topic",
"pci_databases_acl_tab_permission": "Permission",
"pci_databases_acl_tab_add": "Add a new entry",
"pci_databases_acl_tab_delete": "Delete",
"pci_databases_acl_tab_delete_success": "Your {{acl}} ACL user has been deleted.",
"pci_databases_acl_tab_delete_error": "An error has occurred deleting the ACL user: {{message}}"
}
| json |
The promotional proposition of ayurvedic food businesses relies on traditional beliefs.
In India, you can buy saffron that is “useful in asthma, indigestion, body pain, fever, dry skin diseases and pregnancy”, ghee that increases “memory power”, intellect and digestion, and lemon pickle that “improves your immunity level and helps the human body develop resistance against infectious agents”.
Such claims rely not on the credulity of Indian consumers but on deep and widespread convictions about the power of foods to promote well-being. A predisposition to seek extraordinary qualities from foods provides an irresistible promotional proposition for food businesses. However, the sale and promotion of foods in India based on traditional beliefs about their health and nutritional properties presents a tricky regulatory challenge.
In modern India, consumers expect higher standards in consumer products and stronger consumer protection, including specific regulation of food standards and nutrition and health claims. To meet this expectation, the Indian government established the Food Safety and Standards Authority and passed the Food Safety and Standards Act (FSSA) 2006 to provide a comprehensive regulatory framework for the sale of food.
The FSSA shares many similarities with the European Union Regulation (EC) 1924/2006 on nutrition and health claims for foods. In both cases, the aim of the legislation is to provide reliable information for consumers to be able to make informed food choices.
The legislation provides that nutrition and health claims for foods, for example, may only be made if there is scientific evidence to support them. The European Food Safety Authority in the EU and the Scientific Committee Panel of the Food Safety and Standards Authority of India provide advice to their respective legislators as to whether they are satisfied that there is sufficient evidence in support of a link between the consumption of a food and the nutrition or health claim made for it.
In contrast to many Europeans, many Indian consumers are influenced by traditional beliefs about the nutrition and health benefits of foods and in particular, by ayurveda. In ayurveda, certain foods are “hot” (onions, ginger, peppers). Other foods are “cold” (coconut, melons, cauliflower). Each has particular health benefits. Such diets promote the consumption of pulses and vegetables and the avoidance of meat. There is a strong belief in the functional properties of foods in nutrition and health.
However, the practice of ayurveda exists outside ordinary regulatory structures and its commercialisation raises difficult legal and ethical issues in India. Indeed, it would appear to be in contradiction to India’s own FSSA 2006 which it claims “lays down science-based standards for articles of food and regulates their manufacture, storage, distribution, sale and import to ensure availability of safe and wholesome food”.
In fact, traditional medicine and beliefs are afforded the protection of a government department. The Ministry of Ayush was formed in 2014 to “ensure the optimal development and propagation of ayush (alternative) systems of healthcare” because Indian traditional beliefs are still very deep rooted and valued.
Because of this, businesses such as Patanjali, an Indian company co-founded by Guru Baba Ramdev and which enjoys revenues of US$1 billion a year through selling such things as cooking oils that claim to “promote hair growth”, do not come under the same FSSA scrutiny that other food claims would do. Patanjali also sells honey with the claim that “regular use treats cough, cold and fever”, promotes “early healing of injuries” and that it might be used to “remain healthy forever”. The company was contacted to ask about the properties of their products, but it did not provide comment.
Claims such as these on a non-traditional product would contravene the (EC) 1924/2006 regulation which also requires health claims to be based on generally accepted scientific evidence. However, in India these products just aren’t put to the scientific test.
It’s time the FSSA countered the Ministry of Ayush and those businesses that are legally able to trade on traditional beliefs to sell food produce that promise scientifically unproven health benefits.
The author is a senior Lecturer in Food Law, Manchester Metropolitan University.
This article was originally published on The Conversation. Read the original article here. | english |
In what could be interpreted as a big blow to Karim Benzema’s hopes of being part of the 2016 EURO Championships to be held in France, French Prime Minister Manuel Valls has said that the striker has ‘no place in the France team’.
The Real Madrid striker is currently embroiled in an alleged blackmail attempt on French national teammate Mathieu Valbuena regarding a sex tape. Benzema has been placed under formal investigation and charged over the scandal.
The Prime Minister has cited that Benzema’s involvement in the scandal has sent a bad message to the countless youngsters that look up to great athletes for inspiration in testing moments, referring to the horrific terror attacks on Paris last month.
"A great athlete should be exemplary. If he is not, he has no place in the France team," Valls told a French radio.
"There are so many kids, so many youngsters in our suburbs that relate to great athletes. They wear the blue jersey, the colours of France, which are so important in these moments."
Benzema also attracted criticism on the social media for spitting on the pitch at the Santiago Bernabeu last month while the French national anthem was on as a tribute to the victims of the terror attacks on the French capital. His lawyers had to douse the situation by condemning the ‘scandolous interpretation of the harmless incident.
The 27-year-old striker, who has scored 27 goals in 81 appearances for Les Bleus, had been considered as a crucial part of the national football setup as France prepare for the Euros to be held next summer in the country. But his chances of taking part at Europe’s premier national level event now appears to be hanging by a thread.
Real Madrid manager Rafael Benitez has come out in support of the beleaguered striker and has said that Benzema remained an integral part of the squad at the Bernabeu.
"I consider him a fundamental player for us. On a personal level I have said before that he is a great guy and he has our support," said Benitez.
"He is a key player for us because he is a reference up front and makes those around him play even better."
Former France striker Djibril Cisse, who was himself interviewed by the authorities as a part of the investigation into the alleged blackmail scandal, has refused to draw conclusions on Benzema and has said that he was willing to wait for the investigations to unravel the truth behind the incident.
"For the moment he's being investigated but he hasn't been judged and hasn't been found guilty," said Cisse.
| english |
Strontium Technology has announced a new JET USB flash drive which is based on the USB 3.0 standard. The company says the new flash drive is shock resistant and features a textured metal casing with LED backlight.
Strontium’s new JET USB flash drive, weighing nearly 11.3g, is apparently ideal for desktops and notebooks with USB 3.0 ports and is also compatible with USB 2.0. JET USB also supposedly features an improved cap design. Take a look at the features of the Jet USB flash drive below:
- Dimensions: 55.5 x 18.5 x 8.5 mm (L x W x H in millimetres)
- Support USB 3.0 (version 1.0) High speed to Super speed DTR, backwards compatible with USB 2.0.
- Device interoperates with USB 2.0 platforms -hosts support USB 2.0 legacy devices.
Strontium’s new JET USB flash drive has been priced at Rs. 650.
| english |
In addition to guest appearances in injustice 2, Hellboy has been absent from the video game scene for nearly two decades. This changed with the release of Upstream Arcade and Good Shepherd Entertainment Hellboy: Web of WiredA new roguelike game that allows players to once again step into the role of the world’s greatest paranormal investigator… who just happens to be a demon from Hell.
Previous Hellboy video games for consoles, 2008 Hellboy: The Science of Evil2004 was based more closely on bad boy Film by director Guillermo del Toro. but of upstream arcade wired network It is the first Hellboy game that actually attempts to recreate the look and feel of the comic book series. This was no easy feat, given that Hellboy creator Mike Mignola has a very unique art style, and Hellboy is an unconventional hero.
Ahead of the game’s launch, spoke with Upstream Arcade co-founders Adam Langridge and Patrick Martin (who also worked on the game). Wired’s Hellboy WebTogether, they told us about the game’s story, characters, and music, as well as the challenges they faced when adapting the visual aspects of the comic.
Although there have been Hellboy stories by Mignola and his colleagues for decades, Upstream Arcade was given the freedom to craft an original story during a rarely explored period in Hellboy’s past: the early 1980s.
“The game is set in Hellboy’s timeline, around 1982,” Martin told . “A series of paranormal events are occurring around the world, and through further investigation, it appears that they are providing a set of coordinates that point Hellboy and his team towards South America and Argentina. When they reach this location, they find an abandoned mansion called the Butterfly House. Upon digging deeper into the Butterfly House, they discover that it is actually a drain or passageway in The Wired. Hellboy is a guy who goes into The Wired and discovers that it’s an ever-changing place based on humanity’s stories and folklore of the past. It’s a really cool opportunity to tell some lovely stories there and create some amazing worlds that you haven’t seen in the world of Hellboy.
Unfortunately, Hellboy’s amphibious friend, Abe Sapien, does not join him on this adventure. Instead, the game introduces several new members of the BPRD who will support Hellboy during this investigation.
One of the major changes the developers took to this game was to adapt Mignola’s unique comic book style and fully integrate it into the game’s visual design. The team didn’t have a lot of other examples to rely on, as they were pioneers when it came to adapting comics rather than their film adaptations.
How did they figure out the game scenes? Langridge joked that it requires “love and code”. But Martin offered a more detailed account.
We also had a completely simulated entire lighting pattern.
Langridge adds, “Then, of course, there’s also rendering.” “The rendering of the game is not an out-of-the-box rendering of a normal game engine. We had to largely rewrite how lighting works to get dark shadows, get edge clarity, and how outlines work. We also had a completely simulated entire lighting pattern. Lights are not implemented as generically as they do in other game engines. In terms of form and function, we just had to pay attention to the overall art style, absorb it, and then try to reproduce it. Or rather, then trying to get the computer to reproduce it 60 times a second from any angle. So, that was a really fun challenge.
Getting the art right was a feat in itself, but the real challenge would come from adapting the flat panels to interactive gameplay. How does Hellboy play? What does the world of comics feel like? And most importantly, who was the right person to voice the devil? To fully understand the character of Hellboy, the team turned to john wick actor and fringes Star Lance Reddick. The decision would prove to be an unexpectedly heavy hit, as the actor passed away earlier this year after he had finished recording his lines for Hellboy. This would be one of his last roles.
“It was very sad,” says Langridge. “The team had difficulty locating it. We really enjoyed him and what he brought to the role. Basically he was a happy person. ..Very happy to see him working.
With an ideal voice actor in the lead role, the gameplay will present the team’s next challenge. The goal was to bring the static action of the comic book page into a fully animated game. It will start with the monster’s move set. The largest and most obvious weapon in Hellboy’s arsenal is his indestructible hand, known as the Right Hand of Doom. Hellboy is also equipped with some BPRD-issued firearms as well as a collection of mystical items that prove to be even more powerful in the Wired than in the outside world. But according to the developers, one of the early challenges was determining how Hellboy fights.
We just realized that Hellboy is the bass guitar.
Finally, there was the question of music – something that would require a lot of creative thinking. Phil French and Tom Puttick of Cedar Studios handled the music. wired networkHaving previously worked with Upstream Arcade west of the dead, When developing the game’s soundtrack, wired network The team came to a surprising decision as to which device best represented Hellboy in the game.
Langridge explained, “We now realize that Hellboy is the bass guitar.” “You end up with motifs and things like that, which were coming up with the bass. He tried to inspire a lot of thematic emotion in how the war music builds through the bass to a crescendo. There are some cool experiments that I really enjoyed hearing about and their perspective on what they were doing… They were really interesting… somewhat of a jazzy noir-ish type of vibe as well as a little When more metal came along it really started. ,
Each of those pieces come together to create a first-of-its-kind comic book adaptation that sets the stage for new studios to tackle the IP. if nothing else, wired network There’s a road map for what Hellboy could look and feel like in a video game world. It may not be the biggest or boldest comic book video game released this month, but it’s a distinct kind of accomplishment for a studio that wants to expand on which heroes players get to inhabit. After all, why should Spider-Man have all the fun?
Hellboy: Web of Wired Available now on PlayStation 4, PlayStation 5, Xbox One, Xbox Series X/S, Windows, and Nintendo Switch.
| english |
<filename>src/controllers/users.js
import bcrypt from 'bcrypt';
import async from 'async';
import validator from 'validator';
import jwt from 'jsonwebtoken';
import { generatePassword } from '../utils/random';
import Users from '../models/users';
import Auth from '../models/auth';
import { basic } from '../config';
// Register User
export const registerUser = (req, res) => {
const request = req.body;
const locals = {};
const errors = [];
// Triger user if level user = user Can insert only level administrator or
// manager
if (req.decoded.level === 'user') {
res.json({
valid: false,
messages: ['Anda tidak mempunyai izin akses untuk menambahkan pengguna'],
});
}
// Generate random password
const genPassword = generatePassword({
length: basic.apiServer.generatePasswordLength,
numbers: true,
uppercase: true,
symbols: false,
});
// User ID Validator (empty, numeric)
if (request.userid === undefined || validator.isEmpty(request.userid)) {
errors.push('User ID harus diisi');
}
if (!validator.isNumeric(request.userid)) {
errors.push('User ID harus berupa angka');
}
if (!validator.isLength(request.userid, { min: 16 })) {
errors.push('User ID minimal harus 16 digit');
}
// Fullname validator(empty)
if (request.fullname === undefined || validator.isEmpty(request.fullname)) {
errors.push('Nama lengkap harus diisi');
}
// Phone validator (empty, numeric)
if (request.phone === undefined || validator.isEmpty(request.phone)) {
errors.push('Nomor telepon harus diisi');
}
if (!validator.isNumeric(request.phone)) {
errors.push('Nomor telepon harus berupa angka');
}
// Email validator (empty, email format)
if (request.email === undefined || validator.isEmpty(request.email)) {
errors.push('Email harus diisi');
}
if (!validator.isEmail(request.email)) {
errors.push('Format email salah, contoh: <EMAIL>@domain.id');
}
// concatenate error validation
if (errors.length > 0) {
return res.json({
valid: false,
messages: errors,
});
}
async.series([
// Step 1 Save user account
(callback) => {
const user = new Users({
userid: request.userid,
fullname: request.fullname,
phone: request.phone,
email: request.email,
level: (req.decoded.level === 'administrator' && request.level !== undefined
? request.level
: 'user'),
});
return user.save((errUser) => {
if (errUser) {
if (errUser.code) {
// Error code if record is available
if (errUser.code === 11000) {
callback({
valid: false,
messages: ['Pengguna sudah terdaftar'],
});
}
} else {
callback({
valid: false,
messages: errUser,
});
}
} else {
locals.user = {
id: user._id,
userid: user.userid,
fullname: user.fullname,
phone: user.phone,
email: user.email,
};
callback();
}
});
},
// Step 2 Create Salt Password
(callback) => {
bcrypt.genSalt(basic.apiServer.saltRounds, (errSalt, salt) => {
if (errSalt) {
callback({
valid: false,
messages: ['Gagal generate salt'],
});
} else {
locals.salt = salt;
callback();
}
});
},
// Step 3 Bcrypt password with salt
(callback) => {
bcrypt.hash(genPassword, locals.salt, (errHash, hash) => {
if (errHash) {
callback({
valid: false,
messages: ['Gagal generate hash'],
});
} else {
locals.hash = hash;
callback();
}
});
},
// Step 4 Save auth user to database
(callback) => {
const auth = new Auth({
username: locals.user.userid,
password: <PASSWORD>,
plainPassword: <PASSWORD>,
user: locals.user.id,
});
return auth.save((errAuth) => {
if (errAuth) {
if (errAuth.code) {
// Error code if record is available
if (errAuth.code === 11000) {
callback({
valid: false,
messages: ['Pengguna sudah terdaftar dalam database'],
});
}
} else {
callback({
valid: false,
messages: errAuth,
});
}
} else {
callback({
valid: true,
messages: 'Data pengguna berhasil dibuat, mohon menunggu konfirmasi',
data: {
userid: locals.user.userid,
fullname: locals.user.fullname,
phone: locals.user.phone,
email: locals.user.email,
},
});
}
});
},
], (result) => {
res.json(result);
});
};
// User Authentication
export const userAuth = (req, res) => {
const user = req.body.username;
const { password } = req.body;
const locals = {};
const errors = [];
if (user === undefined || validator.isEmpty(user)) {
errors.push('Username tidak boleh kosong');
}
if (password === undefined || validator.isEmpty(password)) {
errors.push('Username tidak boleh kosong');
}
// concatenate error validation
if (errors.length > 0) {
res.json({
valid: false,
messages: errors,
});
}
async.series([
// Step 1 Find user by username
(callback) => {
Auth
.findOne({ username: user })
.populate('user')
.exec((err, doc) => {
if (err) {
callback({ valid: false, messages: err });
} else if (doc === null) {
callback({
valid: false,
messages: ['Nama pengguna belum terdaftar'],
});
} else if (doc.status === 'active') {
locals.doc = doc;
callback();
} else {
res.json({
valid: false,
messages: ['Akun belum di aktivasi, masih menunggu persetujuan admin'],
});
}
});
},
// Step 2 compare bcrypt
(callback) => {
try {
bcrypt.compare(password, locals.doc.password, (errBcrypt, resBcrypt) => {
if (errBcrypt) {
callback({
valid: false,
messages: errBcrypt,
});
} else if (resBcrypt === true) {
callback();
} else {
callback({
valid: false,
messages: ['User atau password tidak cocok'],
});
}
});
} catch (e) {
callback({
valid: false,
messages: ['User atau password tidak cocok'],
});
}
},
// Step 3 Generate token and fetch data
(callback) => {
jwt.sign(locals.doc.toObject(), basic.apiServer.jwtSecret, {
algorithm: 'HS512',
expiresIn: '1d',
}, (err, token) => {
if (err) {
callback({
valid: false,
messages: ['Gagal menggenerate token'],
});
} else {
callback({
valid: true,
messages: ['Data pengguna berhasil dimuat'],
data: {
fullname: locals.doc.user.fullname,
username: locals.doc.user.username,
phone: locals.doc.user.phone,
email: locals.doc.user.email,
accessToken: token,
},
});
}
});
},
], (result) => {
res.json(result);
});
};
// Updata Status
export const updateStatusByUsername = (req, res) => {
const request = req.body;
const errors = [];
const locals = {};
// Triger user if level user = user Can insert only level administrator or
// manager
if (req.decoded.level === 'user') {
res.json({
valid: false,
messages: ['Anda tidak mempunyai izin akses untuk menambahkan pengguna'],
});
}
if (request.username === undefined || validator.isEmpty(request.username)) {
errors.push('Username tidak boleh kosong');
}
if (request.status === undefined || validator.isEmpty(request.status)) {
errors.push('Status tidak boleh kosong');
}
// concatenate error validation
if (errors.length > 0) {
return res.json({
valid: false,
messages: errors,
});
}
async.series([
// Step 1 Find user by username
(callback) => {
Auth
.findOne({ username: request.username })
.populate('user')
.exec((err, doc) => {
if (err) {
callback({ valid: false, messages: err });
} else if (doc === null) {
callback({ valid: false, messages: ['Pengguna belum teregistrasi'] });
} else if (doc.status === 'approval' || doc.status === 'suspend') {
locals.doc = doc;
callback();
} else {
res.json({
valid: false,
messages: ['Akun sudah di aktifasi'],
});
}
});
},
// Step 2 Update status by username
(callback) => {
Auth.update({
username: locals.doc.username,
}, {
$set: {
status: request.status,
},
}, (err) => {
if (err) {
callback({ valid: false, messages: err });
} else {
callback({
valid: true,
messages: ['Data status pengguna berhasil di aktifasi'],
data: {
fullname: locals.doc.user.fullname,
username: locals.doc.username,
phone: locals.doc.user.phone,
email: locals.doc.user.email,
},
});
}
});
},
], (result) => {
res.json(result);
});
};
// Load data from session
export const me = (req, res) => {
res.json({
valid: true,
messages: ['Data pengguna berhasil dimuat'],
data: {
_id: req.decoded._id,
_userid: req.decoded.user._id,
userid: req.decoded.user.userid,
username: req.decoded.username,
fullname: req.decoded.user.fullname,
phone: req.decoded.user.phone,
email: req.decoded.user.email,
status: req.decoded.status,
iat: req.decoded.iat,
exp: req.decoded.exp,
},
});
};
| javascript |
<reponame>yifan-zhou922/azure-sdk-for-js
{
"recordings": [
{
"method": "POST",
"url": "https://endpoint/metricsadvisor/v1.0/credentials",
"query": {},
"requestBody": "{\"dataSourceCredentialType\":\"ServicePrincipal\",\"dataSourceCredentialName\":\"js-test-servicePrincipalCred-164264074606104719\",\"dataSourceCredentialDescription\":\"used for testing purposes only\",\"parameters\":{\"clientId\":\"client-id\",\"clientSecret\":\"client-secret\",\"tenantId\":\"tenant-id\"}}",
"status": 201,
"response": "",
"responseHeaders": {
"apim-request-id": "845bd562-2e90-44ef-8c4c-f24f57bb6f8f",
"content-length": "0",
"date": "Thu, 20 Jan 2022 01:05:48 GMT",
"location": "https://endpoint/metricsadvisor/v1.0/credentials/6acad2f5-52cd-41b8-9f1a-e4a835a592cc",
"strict-transport-security": "max-age=31536000; includeSubDomains; preload",
"x-content-type-options": "nosniff",
"x-envoy-upstream-service-time": "262",
"x-request-id": "845bd562-2e90-44ef-8c4c-f24f57bb6f8f"
}
},
{
"method": "GET",
"url": "https://endpoint/metricsadvisor/v1.0/credentials/6acad2f5-52cd-41b8-9f1a-e4a835a592cc",
"query": {},
"requestBody": null,
"status": 200,
"response": "{\"dataSourceCredentialId\":\"6acad2f5-52cd-41b8-9f1a-e4a835a592cc\",\"dataSourceCredentialName\":\"js-test-servicePrincipalCred-164264074606104719\",\"dataSourceCredentialDescription\":\"used for testing purposes only\",\"dataSourceCredentialType\":\"ServicePrincipal\",\"parameters\":{\"clientId\":\"client-id\",\"tenantId\":\"tenant-id\"}}",
"responseHeaders": {
"apim-request-id": "64234184-f18b-4ca4-89a4-1dc4c183be1d",
"content-length": "316",
"content-type": "application/json; charset=utf-8",
"date": "Thu, 20 Jan 2022 01:05:48 GMT",
"strict-transport-security": "max-age=31536000; includeSubDomains; preload",
"x-content-type-options": "nosniff",
"x-envoy-upstream-service-time": "98",
"x-request-id": "64234184-f18b-4ca4-89a4-1dc4c183be1d"
}
}
],
"uniqueTestInfo": {
"uniqueName": {},
"newDate": {}
},
"hash": "cab5fa3370a096eb8e7c0e541cb6e124"
} | json |
<filename>types/interface/IRequestFactory.d.ts<gh_stars>10-100
import { Request, RespondOptions } from 'puppeteer';
export interface IRequestFactory {
createRequest(request: Request): Promise<RespondOptions & {
body: string;
}>;
}
| typescript |
<reponame>jjatinggoyal/accessbility-indicators
{"html_attributions": [], "results": [{"business_status": "OPERATIONAL", "geometry": {"location": {"lat": 23.7881192, "lng": 86.4195554}, "viewport": {"northeast": {"lat": 23.7896021802915, "lng": 86.42084493029151}, "southwest": {"lat": 23.7869042197085, "lng": 86.41814696970849}}}, "icon": "https://maps.gstatic.com/mapfiles/place_api/icons/v1/png_71/civic_building-71.png", "icon_background_color": "#7B9EB0", "icon_mask_base_uri": "https://maps.gstatic.com/mapfiles/place_api/icons/v2/civic-bldg_pinlet", "name": "<NAME>", "opening_hours": {"open_now": true}, "photos": [{"height": 2464, "html_attributions": ["<a href=\"https://maps.google.com/maps/contrib/115258360700886141119\">\u2c63\u01a6i\u0365\u0438c\u0363e\u036b K\u0e19m\u0e04\u044f</a>"], "photo_reference": "<KEY>_UEcjvI", "width": 3280}], "place_id": "ChIJqzdFRcu89jkR_Jb0vuJ7usU", "plus_code": {"compound_code": "QCQ9+6R Dhanbad, Jharkhand, India", "global_code": "7MM8QCQ9+6R"}, "rating": 3.6, "reference": "ChIJqzdFRcu89jkR_Jb0vuJ7usU", "scope": "GOOGLE", "types": ["police", "point_of_interest", "establishment"], "user_ratings_total": 24, "vicinity": "National Highway 32, Bank More, Dhanbad"}, {"business_status": "OPERATIONAL", "geometry": {"location": {"lat": 23.78690210000001, "lng": 86.40321660000001}, "viewport": {"northeast": {"lat": 23.78828243029151, "lng": 86.4045554802915}, "southwest": {"lat": 23.7855844697085, "lng": 86.4018575197085}}}, "icon": "https://maps.gstatic.com/mapfiles/place_api/icons/v1/png_71/civic_building-71.png", "icon_background_color": "#7B9EB0", "icon_mask_base_uri": "https://maps.gstatic.com/mapfiles/place_api/icons/v2/civic-bldg_pinlet", "name": "<NAME>", "opening_hours": {"open_now": true}, "place_id": "ChIJayPHATyj9jkREZgt6SKoc-k", "plus_code": {"compound_code": "QCP3+Q7 Dhanbad, Jharkhand, India", "global_code": "7MM8QCP3+Q7"}, "rating": 3.7, "reference": "ChIJayPHATyj9jkREZgt6SKoc-k", "scope": "GOOGLE", "types": ["police", "point_of_interest", "establishment"], "user_ratings_total": 16, "vicinity": "National Highway 32, Sanjay Nagar, Dhanbad"}, {"business_status": "OPERATIONAL", "geometry": {"location": {"lat": 23.7881192, "lng": 86.4195554}, "viewport": {"northeast": {"lat": 23.7896021802915, "lng": 86.42084493029151}, "southwest": {"lat": 23.7869042197085, "lng": 86.41814696970849}}}, "icon": "https://maps.gstatic.com/mapfiles/place_api/icons/v1/png_71/civic_building-71.png", "icon_background_color": "#7B9EB0", "icon_mask_base_uri": "https://maps.gstatic.com/mapfiles/place_api/icons/v2/civic-bldg_pinlet", "name": "Dhanbad District Jail campus", "place_id": "ChIJj4vQ3aC99jkRrF7NtKzdgkw", "plus_code": {"compound_code": "QCQ9+6R Dhanbad, Jharkhand, India", "global_code": "7MM8QCQ9+6R"}, "reference": "ChIJj4vQ3aC99jkRrF7NtKzdgkw", "scope": "GOOGLE", "types": ["police", "point_of_interest", "establishment"], "vicinity": "Dhanbad district jail, Hirapur, Dhanbad"}], "status": "OK"} | json |
<filename>auth0/v3/test/management/test_stats.py
import unittest
import mock
from ...management.stats import Stats
class TestStats(unittest.TestCase):
def test_init_with_optionals(self):
t = Stats(domain='domain', token='<PASSWORD>', telemetry=False, timeout=(10, 2))
self.assertEqual(t.client.options.timeout, (10, 2))
telemetry_header = t.client.base_headers.get('Auth0-Client', None)
self.assertEqual(telemetry_header, None)
@mock.patch('auth0.v3.management.stats.RestClient')
def test_active_users(self, mock_rc):
mock_instance = mock_rc.return_value
s = Stats(domain='domain', token='<PASSWORD>')
s.active_users()
mock_instance.get.assert_called_with(
'https://domain/api/v2/stats/active-users',
)
@mock.patch('auth0.v3.management.stats.RestClient')
def test_daily_stats(self, mock_rc):
mock_instance = mock_rc.return_value
s = Stats(domain='domain', token='<PASSWORD>')
s.daily_stats()
mock_instance.get.assert_called_with(
'https://domain/api/v2/stats/daily',
params={'from': None, 'to': None},
)
s.daily_stats(from_date='12341212', to_date='56785656')
mock_instance.get.assert_called_with(
'https://domain/api/v2/stats/daily',
params={'from': '12341212', 'to': '56785656'},
)
| python |
<reponame>Julia20180707/Reading<filename>public/home/css/mine.css
.user_info {
background-color: #fff;
margin-top: 0.6rem;
color: #9a9a9a;
padding: 0.36rem 0.28rem;
border-radius: 0.15rem;
margin-bottom: 0.2rem;
box-shadow: 0rem 0.2rem 0.2rem #e6e6e6;
}
.user_info .def_img{
text-align: center;
}
.user_info .text_wrap{
text-align: center;
padding-top: 1rem;
}
.user_info .def_img img{
width: 2rem;
border-radius: 50%;
}
.user_info .user_info_top .icon img {
width: 100%;
margin-top: -40%;
border-radius: 50%;
}
.user_info .user_info_top .name .information h2 {
font-size: 0.37rem;
color: #686058;
line-height: 0.67rem;
}
.user_info .user_info_top .name .information p{
line-height: 0.55rem;
font-size: 0.26rem;
color: #9a9a9a;
}
.user_info .user_info_top .name button {
font-size: 0.22rem;
padding: 0.1rem 0.2rem;
background-color: #d4c0ab;
border: none;
border-radius: 0.03rem;
}
.user_info .user_info_top .name a{
color: #fff;
}
.user_info .user_info_mid{
padding: 0.4rem 0;
}
.user_info .user_info_mid .label_list li{
padding: 0.1rem;
border: 0.02rem solid #ebdccc;
border-radius: 0.05rem;
margin-right: 0.1rem;
margin-bottom: 0.15rem;
}
.user_info .user_info_bottom{
padding: 0.2rem 0.6rem 0.24rem 0.6rem;
}
.user_info .user_info_bottom div{
text-align: center;
padding: 0px;
}
.user_info .user_info_bottom img{
margin-bottom: 0.1rem;
width: 0.5rem;
}
.user_info .user_info_bottom a{
font-size: 0.22rem;
color: #777777;
}
.focus_updates{
padding: 0.38rem 0.3rem;
border-radius: 0.15rem;
background-color: #fff;
box-shadow: 0rem 0.2rem 0.2rem #e6e6e6;
}
.focus_updates h2{
text-align: center;
font-size: 0.34rem;
color: #686058;
margin-bottom: 0.3rem;
font-weight: normal;
padding-top: 0.3rem;
}
.focus_updates .book_info{
border-bottom: 0.02rem #f4f4f4 solid;
padding-bottom: 0.3rem;
margin-top: 0rem;
}
.focus_updates .book_info .info{
padding-right: 0px;
padding-left: 0.02rem;
margin-bottom: 0.5rem;
padding-top: 0.2rem;
}
.focus_updates .book_info img{
width: 100%;margin-right: 0.2rem;
}
.focus_updates .book_info h4,.focus_updates .book_info h3{
font-size: 0.14rem;
line-height: 0.4rem;
color: #6e675f;
font-weight: normal;
}
.focus_updates .book_info h3{
font-size: 0.18rem;
}
.focus_updates .book_info p{
font-size: 0.10rem;
color: #ff9292;
line-height: 0.43rem;
}
.book_info_wrap{
padding: 0px;
margin-bottom: 0.5rem;
}
.img_wrap{
}
@media all and (min-width: 768px) {
.user_info {
margin-top: 20px;
}
}
@media all and (min-width: 992px) {
.user_info {
margin-top: 40px;
}
}
@media all and (min-width: 1200px) {
.user_info {
margin-top: 60px;
}
}
| css |
{% extends "layout.html" %}
<!doctype html>
<html lang="pt-br">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no">
<link rel="stylesheet" href="style.css">
<link href="https://fonts.googleapis.com/css?family=Montserrat:300,400,700,900&display=swap" rel="stylesheet">
</head>
{% block title %}
<title>novas ideias</title>
{% endblock title %}
{% set bodyId = "page-ideas" %}
{% block content %}
<header>
<a href="/"></a>
<img src="/logo.png" alt="logo">
<nav>
<li><a href="/">inicio</a></li>
<li><a class="button" href="#" onclick="onOff()">Nova Ideias</a></li>
</nav>
</header>
<section id="title">
<p>em exibição</p>
<h1>ideias</h1>
</section>
<main>
<section id="ideas">
{% include "all_ideas.html" %}
</section>
</main>
<footer>
com ♥️ <a href="http://rocketseat.com.br" target="blanck"></a> Rocketseat
</footer>
</div>
{% include "modal.html" %}
<script src="script.js"></script>
</body>
</html>
{% endblock %} | html |
<reponame>peytondmurray/jdh2020
"""Generate the array of cones representing the magnetization at each simulation cell. Then, animate
the cones to orient in the direction of the magnetization; also animate the material color of each cone
to map the z-component of the orientation to colors using Matplotlib's RdBu_r colormap.
"""
import bpy
import mathutils
import numpy as np
import matplotlib.cm as cm
import tqdm
scale = 0.5 # Set the physical scale of the animation
step = 11 # Only show every 11th cone; this can be lowered depending on computer resources
time_dilation_factor = 10 # Set the number of animation frames between each keyframe
# Load the data and get the number of cones in each dimension
data = np.load('data.npy')
nz, ny, nx = data.shape[1:4]
# Get the current selected object. The user is expected to have generated this "master" cone with the
# desired geometry; this script only copies it to the locations given by the simulation data, and animates them.
master_cone = bpy.context.active_object
master_cone.rotation_mode = 'QUATERNION'
scene = bpy.context.scene
# Make a new cone object for each location. The name of the cones should include the indices, i.e., Cone(ix,iy,iz)
# Also generate a new material for each cone, since each cone needs to be independently colored at each keyframe
n_cones = 0
for iz in range(nz):
for iy in tqdm.trange(ny, desc='Adding cones'):
for ix in range(nx):
# Downsample the number of cones by the step size
if n_cones % step == 0:
object = master_cone.copy()
object.data = master_cone.data.copy()
object.location = (ix*scale, iy*scale, iz*scale)
object.name = f'Cone({ix},{iy},{iz})'
object.rotation_mode = 'QUATERNION'
new_mat = bpy.data.materials.new(name=f'Cone({ix},{iy},{iz})')
new_mat.use_nodes = True
object.data.materials.append(new_mat)
scene.collection.objects.link(object)
n_cones += 1
# Remove the original "master" cone which has been copied to each cell location from the simulation data
bpy.data.objects.remove(master_cone)
# For each data file generated by mumax, keyframe the orientation and material color of each cone.
for i in tqdm.tqdm(range(data.shape[0]), desc='Animating frame'):
n_cones = 0
for iz in range(nz):
for iy in range(ny):
for ix in range(nx):
if n_cones % step == 0:
color = cm.RdBu_r(data[i, iz, iy, ix, 2])
name = f'Cone({ix},{iy},{iz})'
object = bpy.data.objects[name]
material = bpy.data.materials[name]
m = mathutils.Vector(data[i, iz, iy, ix])
object.rotation_quaternion = m.to_track_quat('Z','Y')
material.node_tree.nodes[1].inputs[0].default_value = [color[0], color[1], color[2], 1]
material.node_tree.nodes[1].inputs[0].keyframe_insert(data_path='default_value', frame=i*time_dilation_factor)
object.keyframe_insert(data_path='rotation_quaternion', frame=i*time_dilation_factor)
n_cones += 1
| python |
Budget Session of Parliament Highlights: Both the houses of parliament have been adjourned for the day following ruckus over Congress leader Rahul Gandhi’s democracy remarks in UK. The proceedings in the Parliament today were marred by disruptions when the House met at 11 am, after which the houses were adjourned till 2 pm.
Back from his trip to the country, Gandhi had arrived at the Parliament House today. Speaking to reporters, Rahul said, “I didn’t speak anything anti-India. If they will allow I will speak inside Parliament. ” The Congress leader’s comments in London that India’s democracy is under attack, has caused a stir in India, with the ruling party accusing him of ‘discrediting’ the country.
The Opposition, meanwhile, has been protesting against the Government over the allegations against the Adani Group. With Opposition MPs alleging that their voices are being silenced in Parliament, Trinamool Congress MPs registered their protest by storming to the Well of the Rajya Sabha with cloths tied around their mouths. The Congress party has claimed that the Government is creating ruckus in the House, demanding an apology from Rahul, to divert attention from the Adani issue. “Whenever Congress raises the demand for JPC probe in Adani issue, to divert attention, they (BJP) won’t let the session continue. BJP is scared that somebody will raise Gautam Adani’s name in the Parliament,” Congress leader Pawan Khera told reporters.
The face-off between the Government and the Congress over Rahul Gandhi’s remarks in London continued to roil Rajya Sabha, disrupting its smooth functioning for the second day. Leader of the House Piyush Goyal raised the issue again on Tuesday even as the Congress gave a notice for raising a breach of privilege against him for attacking Rahul, who is not a member of the House.
The House functioned without much disturbance for an hour or so in the morning when members cutting across party lines lauded the Indian Oscar winners. But the calm did not last long as the Opposition soon demanded a discussion on the allegations against the Adani group even as Goyal raised the Rahul Gandhi matter without naming him. He insisted that the “senior MP” should apologise for his remarks on foreign soil “insulting” Indian Parliament.
As the government tried to corner the Congress in Parliament Monday by attacking Rahul Gandhi over his remarks in London on Indian democracy, Congress president Mallikarjun Kharge reminded the BJP about some remarks made by Prime Minister Narendra Modi during his visits abroad. He said it was strange that “those destroying democracy” were now talking of “saving” it.
While the Opposition remained united in attacking the government over its alleged “misuse” of Central agencies and the Adani Group affairs – the Opposition wanted discussions on both issues in Parliament – some of the parties spoke in support of Gandhi and his remarks, but some did not.
What’s the big political economy message from Nirmala Sitharaman’s latest Budget? The answer probably lies in five words: The Middle Class Finally Matters.
By freeing individuals with annual income up to Rs 7 lakh from paying any tax — and reducing the burden to Rs 1. 5 lakh (from Rs 1,87,500 now) for even those drawing Rs 15 lakh or Rs 1. 25 lakh/month — the Narendra Modi government has delivered some relief for a class that has long felt ignored.
The Modi government’s big initiatives during its almost nine years in power have been largely aimed at the very poor, the farming community and corporates. As cynics would say, the first and second have the votes, while the last bring in the notes. | english |
Its said that the three things that make a restaurant a success are location,location and location. In that case,Chowk Akbari in Noida should rake it in. Located in the heart of the commercial district of Sector-18,a stones throw from offices and BPOs,Chowk Akbari will have a steady stream of business during lunch and dinner hours. The Mughlai restaurant has a spartan set-up – a few simple wooden tables with stainless steel chairs,a laminated and limited menu and,finally,a distinct lack of a door between the restaurant and the kitchen.
We decided to start with the kebab platter two pieces each of shammi kebab,galouti kebab and paneer tikka; one seekh kebab; and one piece each of chicken tikka and kakori kebab. Due to the absence of the connecting door,and the fact that,at the time,we were the only clients in the establishment,we sat through the entire prognosis of our meal including the chefs lament about there being no kakoris and about our waiters general ineptitude.
Prepared for the worst,we were,however,pleasantly surprised. While the chicken and paneer tikkas were average,the mutton items were quite good. The seekh was well seasoned,and the galouti was decent if a trifle charred. What really shone was the shammi which had a very unusual and subtle flavour.
The next dish brought us down to earth. The chicken biryani was disappointing. Under-seasoned and not even warm,with chewy rice,this was a write off. Finally,we had mutton korma with roomali and tandoori rotis. The rotis were nice and soft,and the kormas gravy was excellent; it was,in fact,among the better curries in Noida. Sadly,the meat pieces,though well-butchered and meaty,were under-cooked and rather chewy.
Chowk Akbari has a dessert choice with three options so we decided to end our meal with jal jeera. After 15 minutes of waiting we were informed by the tandoor chef there was no jal jeera on the premises.
The service,though polite,is quite slow,which is surprising as,at least at the beginning of our meal,we were the only patrons. Gradually,the restaurant filled with young professionals looking to grab a bite. There was only one waiter who took our orders and served us our biryani and korma. The tandoor chef served the kebabs and the rotis a la gueridon ,though,instead of carving anything,he just dumped our dishes on the table. The cashier-manager served us our bill (Rs 530 inclusive of taxes). If the management gets its act together and puts a few essentials like a kitchen door in place,appoints more waiters and pays attention to the finer nuances of cooking,Chowk Akbari could become a prominent eatery in the area. | english |
The Perfect SUV amongst its Rivals.
The Perfect SUV amongst its Rivals.
It's a very nice car and fully loaded with features. It doesn't have any defect and its a perfect car. I am using this car for 10 months and I have no complaints about the car. And the main reason for choosing it over other rivals is that its drive, features, comfort, built Quality and its rugged look. A nice job is done by Ford.
- Mileage (20)
- Performance (30)
- Comfort (70)
- Engine (41)
- Interior (26)
The Best Car.
Nice Car.
Very good car and it is very stylish. Safety is very good. Also, the other features are good.
Best Car.
| english |
<filename>en/tirewoman.json<gh_stars>1-10
{"word":"tire-woman","definition":"1. A lady's maid. Fashionableness of the tire-woman's making. Locke. 2. A dresser in a theater. Simmonds."} | json |
As noted earlier, Brock Lesnar has been indefinitely suspended from the WWE by Stephanie McMahon on the Monday Night Raw episode of Wrestlemania fallout week.
Lesnar inflicted heavy damage in and around ringside when he was denied his WWE World Heavyweight title rematch by the new champion Seth Rollins who managed to escape a beating from the Beast. However, J&J security, Raw announcers team and one of the cameramen fell victim to Lesnar’s fury as he took his frustration out on all of them.
Regarding the rematch clause, Scott Stanford noted on this week’s Raw pre-show that despite his suspension, Brock Lesnar does still have his title rematch clause. He cannot invoke the clause while he is suspended, but whenever the suspension is lifted, he can use the rematch clause.
Immediately after getting suspended, it was noted that Lesnar directly flew back to his home in Minnesota. According to PWInsider reports, the plan is to keep Lesnar away from WWE TV until SummerSlam. They may start a new feud somewhere around that period which would mark the return of him along with Paul Heyman. However, those plans can change anytime considering the fact that these two are WWE’s biggest draws currently.
It was also reported that Michael Cole, who was F5ed by Lesnar as a part of his ongoing assault may be looking to take some legal action for physically attacking him. Cole was kept off TV to sell Lesnar’s angle and is expected to be back by next week. It will be interesting to see how things unfold if Cole does decide to sue The Beast and his advocate. | english |
import pandas as pd
import os
import sys
import datetime
utils_path = os.path.join(os.path.abspath(os.getenv('PROCESSING_DIR')),'utils')
if utils_path not in sys.path:
sys.path.append(utils_path)
import util_files
import util_cloud
import util_carto
import logging
from zipfile import ZipFile
import tabula
# Set up logging
# Get the top-level logger object
logger = logging.getLogger()
for handler in logger.handlers: logger.removeHandler(handler)
logger.setLevel(logging.INFO)
# make it print to the console.
console = logging.StreamHandler()
logger.addHandler(console)
logging.basicConfig(format='%(asctime)s - %(name)s - %(levelname)s - %(message)s')
# name of table on Carto where you want to upload data
# this should be a table name that is not currently in use
dataset_name = 'soc_067_rw1_climate_risk_index' #check
logger.info('Executing script for dataset: ' + dataset_name)
# create a new sub-directory within your specified dir called 'data'
# within this directory, create files to store raw and processed data
data_dir = util_files.prep_dirs(dataset_name)
'''
Download data and save to your data directory
'''
# insert the url used to download the pdf from the source website
url = 'https://germanwatch.org/sites/germanwatch.org/files/20-2-01e%20Global%20Climate%20Risk%20Index%202020_14.pdf'
# download the pdf from the url, scrape the tables that store the data,
# and combine them into a single pandas dataframe
df = pd.concat(tabula.read_pdf(url, pages=list(range(37, 41)), multiple_tables=True, lattice=True)[:-1])
# export the pandas dataframe to a csv file
raw_data_file = os.path.join(data_dir, 'data.csv')
df.to_csv(raw_data_file, index = False)
'''
Process data
'''
# rename the columns to get rid of spaces and special characters
# and convert them all to lowercase letters
df.rename(columns = {'CRI\rRank': 'cri_rank',
'Country': 'country',
'CRI\rscore': 'cri_score',
'Fatalities\rin 2018\r(Rank)': 'fatalities_2018_rank',
'Fatalities per\r100 000 inhab-\ritants (Rank)': 'fatalities_per_100k',
'Losses in mil-\rlion US$ (PPP)\r(Rank)': 'losses_usdm_ppp_rank',
'Losses per\runit GDP in\r% (Rank)': 'losses_per_gdp__rank'},
inplace = True)
# create a new column 'datetime' to store the time period of the data
# as the first date of the year
df['datetime'] = datetime.datetime(2018, 1, 1)
# save processed dataset to csv
processed_data_file = os.path.join(data_dir, dataset_name+'_edit.csv')
df.to_csv(processed_data_file, index=False)
'''
Upload processed data to Carto
'''
logger.info('Uploading processed data to Carto.')
util_carto.upload_to_carto(processed_data_file, 'LINK')
'''
Upload original data and processed data to Amazon S3 storage
'''
# initialize AWS variables
aws_bucket = 'wri-public-data'
s3_prefix = 'resourcewatch/'
logger.info('Uploading original data to S3.')
# Upload raw data file to S3
# Copy the raw data into a zipped file to upload to S3
raw_data_dir = os.path.join(data_dir, dataset_name+'.zip')
with ZipFile(raw_data_dir,'w') as zip:
zip.write(raw_data_file, os.path.basename(raw_data_file))
# Upload raw data file to S3
uploaded = util_cloud.aws_upload(raw_data_dir, aws_bucket, s3_prefix+os.path.basename(raw_data_dir))
logger.info('Uploading processed data to S3.')
# Copy the processed data into a zipped file to upload to S3
processed_data_dir = os.path.join(data_dir, dataset_name+'_edit.zip')
with ZipFile(processed_data_dir,'w') as zip:
zip.write(processed_data_file, os.path.basename(processed_data_file))
# Upload processed data file to S3
uploaded = util_cloud.aws_upload(processed_data_dir, aws_bucket, s3_prefix+os.path.basename(processed_data_dir)) | python |
import { CourseClassItem } from "../CourseClassItem";
import { Models } from "openfing-core";
import React from "react";
import { assign } from "openfing-core/lib/helpers";
import moment from "moment";
import { storiesOf } from "@storybook/react";
import styled from "styled-components";
const Container = styled.div`
margin: auto;
max-width: 400px;
width: 100%;
`;
const courseClass = new Models.CourseClass(1);
assign(courseClass, {
number: 1,
title: "Test",
createdAt: moment("2019-03-19"),
});
storiesOf("Course|CourseClassItem", module)
.addDecorator(story => <Container>{story()}</Container>)
.add("Default", () => <CourseClassItem courseClass={courseClass} isLast={false} />);
| typescript |
Canberra: Kevin Rudd returned as Australian prime minister on Wednesday, executing a stunning party room coup on Julia Gillard almost three years to the day after being ousted by his former deputy and less than three months out from a general election.
The reinstatement of Rudd was a last-ditch effort to shore up support by the governing Labor Party, which opinion polls show faces catastrophic defeat at a poll scheduled for September 14.
The Mandarin-speaking former diplomat draws strong popular support but has divided and destabilised his party after launching two failed leadership bids in the past 18 months.
Analysts said the leadership change could backfire.
"I don't think it will help Labor. I think they've dug themselves a deeper grave," said John Wanna, professor of politics at the Australian National University.
The return of Rudd could now see Australia go to an election in August in an effort to cash in on his greater popularity with voters and an expected honeymoon period with the electorate.
The leadership change followed a series of opinion polls showing Gillard's minority government could lose up to 35 seats, giving the conservative opposition a massive majority in the 150-member parliament.
Rudd, who was prime minister from late 2007 until June 2010, gave no indication of whether he would call an early election, or test his support on the floor of Australia's hung parliament.
He also made no comment on when he would visit the governor-general, Australia's head of state, who will appoint him prime minister if she is confident Rudd can control a majority in parliament.
"In 2007, the Australian people elected me to be their prime minister. This is a task I resume today with humility, with honour, and with an important sense of energy and purpose," he told reporters, adding he wanted to rebuild trust with voters.
"In recent years, politics has failed the Australian people. There has just been too much negativity all round. "
Gillard, Australia's first female prime minister, stuck to her promise to quit parliament if she lost the ballot.
"I am very proud of what this government has achieved which will endure for the long term," a gracious but business-like Gillard told reporters, congratulating Rudd on his victory.
Senior ministers including Treasurer and Deputy Prime Minister Wayne Swan, Education Minister Peter Garrett, Trade Minister Craig Emerson and Climate Minister Greg Combet announced their ministerial resignations in the wake of the coup. Transport Minister Anthony Albanese was named Rudd's deputy.
Gillard struggled to win public support despite economic growth, low unemployment and low interest rates at a time when other developed countries are struggling to keep out of recession.
Gillard has also pushed social reforms that pour money into schools and which help disabled people gain access to much-needed free care, but the changes have done little to shift her dwindling support in opinion polls.
Voters have also remained angry that her government, which holds a one-seat majority with support from the Greens and a clutch of independents, introduced a controversial carbon tax in a backflip from her 2010 election promise not to do so.
Two independent lawmakers and the Greens said they would continue to support a Rudd government in the hung parliament.
Nick Economou, from Melbourne's Monash University, said the only potential policy change would be on the carbon tax, and Rudd could move quickly to shift to a floating carbon price.
But the change won't help Labor survive the election.
"Australian voters don't like disunited parties, and these guys are nothing if not disunited," he said.
Financial markets were little moved by the ructions. The Australian dollar, which this week hit its lowest since Rudd was last in power on concerns about growth in China and a tapering of US bond purchases, recovered from early weakness to climb above 93 US cents.
Like Gillard, Rudd is a strong supporter of both Australia's military alliance with the United States and of growing ties with top trading partner China.
Opposition leader Tony Abbott, the favourite to win the coming elections, has promised to scrap the carbon tax and a 30 per cent tax on iron ore and coal mine profits if he wins power. Abbott has also promised tighter control of public spending, a speedier return to surplus budgets and stronger economic growth. (This story has not been edited by News18 staff and is published from a syndicated news agency feed - Reuters) | english |
<reponame>paullewallencom/spring-978-1-7891-3983-9<filename>_src/Section-6/Video6.3/SpringHibernate/src/main/java/com/demo/model/User.java
package com.demo.model;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.NamedNativeQuery;
import javax.persistence.NamedQueries;
import javax.persistence.NamedQuery;
import javax.persistence.UniqueConstraint;
import javax.persistence.Table;
import javax.validation.constraints.NotEmpty;
import javax.validation.constraints.Pattern;
import javax.validation.constraints.Size;
import org.springframework.stereotype.Component;
@Entity
@Table(name = "user",uniqueConstraints = @UniqueConstraint(columnNames = {"USER_NAME"}))
@Component
@NamedQueries({ //In case of multiple named queries
@NamedQuery(name="User.getUsersByName",query="SELECT u FROM User u where u.userName=:userName")
})
@NamedNativeQuery(
name = "User.findAll",query = "select * from user",resultClass=User.class
)
public class User {
@Column(name = "USER_NAME")
@Size(max = 20, min = 3, message = "Name length allowed: Max=20, Min=3")
@NotEmpty(message = "Please Enter your name")
String userName;
@Id
@GeneratedValue(strategy=GenerationType.IDENTITY)
@Column(name = "USER_ID")
int userId;
@Pattern(regexp="(^$|[0-9]{10})")
@NotEmpty(message = "Please number can't be empty.")
String phone;
public String getUserName() {
return userName;
}
public void setUserName(String userName) {
this.userName = userName;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getPhone() {
return phone;
}
public void setPhone(String phone) {
this.phone = phone;
}
}
| java |
{
"id": 82839,
"info": {
"name": "Nunnally in Wonderland dash icons (male version)",
"description": "The men of Nunnally in Wonderland!",
"additionalInfo": "Dash icons made by me for tumblr: http://roloko-karlstein.tumblr.com/\r\n\r\nupdate 1/24/2014 replaced code",
"format": "uso",
"category": "tumblr",
"createdAt": "2013-02-09T19:41:58.000Z",
"updatedAt": "2014-01-25T01:23:35.000Z",
"license": "NO-REDISTRIBUTION",
"author": {
"id": 171039,
"name": "Aria_Minase"
}
},
"stats": {
"installs": {
"total": 75,
"weekly": 0
}
},
"screenshots": {
"main": {
"name": "82839_after.jpeg",
"archived": false
}
},
"discussions": {
"stats": {
"discussionsCount": 0,
"commentsCount": 0
},
"data": []
},
"style": {
"css": "@-moz-document domain(\"tumblr.com\") {\r\n\r\n.new_post_label{ font-size: 0 !important }\r\n.new_post_label > I:before { content: none !important }\r\n#new_post{ background: url('http://i.imgur.com/JUAP8wG.jpg') center no-repeat white !important }\r\n}"
}
} | json |
$(document).ready(rodar)
function rodar(){ //Nao funciona com funcao arrow diretamente
$("#texto").text("CFB CURSOS")
}
| javascript |
<reponame>mstitt/reactjs_nesting
//------------------------------------------------------------
var MyList = React.createClass({displayName: "MyList",
propTypes: {
data: React.PropTypes.shape({
title: React.PropTypes.string,
recs: React.PropTypes.arrayOf(React.PropTypes.object).isRequired
}).isRequired,
},
render: function() {
return (
React.createElement("div", {className: "myList"},
React.createElement(ListTitle, {title: this.props.data.title}),
React.createElement(ListRows, {recs: this.props.data.recs})
)
);
}
});
//------------------------------------------------------------
var ListTitle = React.createClass({displayName: "ListTitle",
propTypes: {
title: React.PropTypes.string,
},
getDefaultProps: function() {return {title: null}},
render: function() {
if (this.props.title == null) {return false}
return (
React.createElement("div", {className: "myListTitle"}, "title: ", this.props.title)
)
}
});
//------------------------------------------------------------
var ListRows = React.createClass({displayName: "ListRows",
propTypes: {
recs: React.PropTypes.arrayOf(React.PropTypes.object).isRequired
},
render: function() {
return (
React.createElement("div", {className: "myListRows"},
this.props.recs.map(function(r) {
return React.createElement(ListRow, {key: r.key, rec: r})
})
)
);
}
});
//------------------------------------------------------------
var ListRow = React.createClass({displayName: "ListRow",
propTypes: {
rec: React.PropTypes.object.isRequired
},
render: function() {
return (
React.createElement("div", {className: "myListRow"}, "row: ", this.props.rec.label)
);
}
});
//------------------------------------------------------------
var someData = {
"recs":[
{
"key":"k1",
"label":"label1",
},
{
"key":"k2",
"label":"label2",
}
]
}
//------------------------------------------------------------
React.render(
React.createElement(MyList, {data: someData}),
document.getElementById('container')
);
| javascript |
Movie shootings have begun in Kerala where the corona cases are very low compared to other states. Still, the government had strictly ordered the movie units not to exceed 50 members on the sets.
Maharashtra government too announced guidelines for shootings for TV and films. Rules like limited crew and ban on persons above 65 have been imposed.
The Telangana government has already informed the Tollywood representatives not to exceed 50 members on the sets at any given time and also everyone should maintain physical distance.
Many thought that these rules would be a huge blow to the team of “RRR” as the film is being made on a massive scale. Plus, director Rajamouli is known for grandeur.
He has a habit of hiring excess crew for even simple scenes. But he is the first director who has come up with a plan of how to film sequences with the COVID19 guidelines.
Sources have informed us that the team has readied an action plan of which sequences can be shot with limited cast and crew. Rajamouli will follow these rules for the initial period of during this corona crisis.
The Rs 350-Cr multi-lingual project starring Ram Charan and NTR will not meet the deadline of the 2021 January release. Rajamouli's plan is to wrap the shooting first and think about the release date in leisure.
It is no secret that Rajamouli and producer Danayya are under tremendous pressure due to the economic recession and the corona crisis.
It would be a herculean task for Rajamouli to do the massive pre-release business during this crisis. | english |
New Delhi: In the latest development in the Mukesh Ambani bomb scare case, the Tihar jail officials have seized a mobile handset and SIM card on which a Telegram account in the name of ‘Jaish-ul-Hind’ was created, the Delhi Police said Friday.
“Based on the information provided by Special Cell, Tihar Jail authorities have seized a mobile phone from a jail where certain terror convicts are lodged. It is suspected that this phone has been used for operating Telegram Channels used recently for claiming responsibility for terror acts/threats.
“Further investigation and forensic analysis will be done after the mobile handset and details of the seizure are received from the Tihar Jail authorities,” Special cell of the Delhi Police said in a statement.
The mobile handset was recovered allegedly from Indian Mujahideen operative Tehseen Akhtar’s barrack.
Thursday evening, jail officials conducted a search operation inside sub-jail number 8 and recovered a mobile handset and SIM card on which a Telegram account in the name of ‘Jaish-ul-Hind’ was created. The search was conducted based on the input provided by the Delhi police special cell.
Earlier, the Delhi Police Special Cell questioned several inmates in the Tihar jail after they tracked the IP address of the device on which the Telegram channel Jaish-ul-Hind’ was operating from the jail premises.
On February 25, an SUV containing 20 gelatin sticks was found outside Ambani’s residence Antilia in Mumbai. The next day, a group which identified itself as the ‘Jaish-Ul-Hind’ claimed responsibility.
Earlier, the Mumbai Police had said that the Jaish-ul-Hind group had used the Tor Proxy software to make the claim document letter and through Telegram, it was sent to various social media groups.
According to police sources, the Telegram channel was created on February 26 and the message claiming responsibility for placing the vehicle outside the Ambani residence was posted on Telegram messaging app late in the night February 27.
The message had also demanded payment in cryptocurrency and mentioned a link to deposit the same.
Jaish-ul-Hind is the same group which had claimed the low-intensity blast outside the Israeli Embassy in Delhi too.
The Delhi Police, however, suspects that Jaish-ul-Hind could be a virtual group as no individual has mentioned any of its members. | english |
Sayyed Hassan Nasrallah (H.A) speaking about Islamic Republic of Iran, its system and the supreme leader of Muslim Ummah Ayatullah Sayyed Ali Khamenei (H.A).
The Noble ones - Ayatullah Bahjat. Researched and Narated by H.I. Hayder Shirazi.
The Noble ones - Ayatullah Bahjat. Researched and Narated by H.I. Hayder Shirazi.
Leader of the Islamic Revolution Ayatollah Seyyed Ali Khamenei says enemies of Iran have failed to isolate the Islamic Republic despite their strenuous efforts to do so.
In a message marking the beginning of the Persian New Year, which was designated by the Leader as the \\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\'Year of Political and Economic Epic\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\', Ayatollah Khamenei said the enemies were defeated in their attempts to paralyze Iran by imposing economic sanctions in the last Iranian calendar year which ended on Wednesday.
\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\"In the political field, they sought, on the one hand, to isolate the Iranian nation, and on the other hand, to make the Iranian nation perplexed and doubtful [about pursuing its goals], and undermine their determination. But in practice, exactly the contrary has occurred,\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\" stated Ayatollah Khamenei.
The Leader said that in the economic field, the enemies explicitly announced that they intended to cripple the Iranian nation through sanctions.
The Islamic Republic\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\'s eleventh presidential election will be held in June and presidential hopefuls will register from May 7 to May 11.
The president of Iran is elected for a four-year term through a national election. The country\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\'s Guardian Council vets the candidates for qualifications.
This is an Iranian film that takes the audience to an epic journey to the unseen world. It is a great reminder of our inevitable destiny.
This is an Iranian film that takes the audience to an epic journey to the unseen world. It is a great reminder of our inevitable destiny.
A senior member of the UAE royal family has been caught, literary red-handed, in a torture scandal after a videotape was released showing a man being severely assaulted by the prince.
The videotape smuggled out of the country by Bassam Nabulsi, a businessman from Houston, Texas, depicts Sheikh Issa bin Zayed al-Nahyan, the UAE Crown Prince's brother, savagely torturing a man.
The victim was beaten with wooden planks with nails protruding from them and then the prince poured salt on his bleeding wounds.
The video also shows the prince setting fire to parts of the victim's body, giving him electric shocks with a cattle prod, ramming desert sand into his mouth, and firing bullets around him with an automatic rifle.
The gruesome footage released by ABC News also shows Sheikh Issa driving over the victim repeatedly with his luxury Mercedes SUV. The sound of breaking bones is clearly audible in this scene.
On the video, the victim identified as Afghan grain dealer Mohammed Shah Poor, screams and asks for mercy but the UAE prince sadistically orders the cameraman to come closer to get a better record of the man's suffering.
A UAE police officer in uniform can also be seen helping Issa and his men torturing the Afghan man.
The Sheikh accused Shah Poor "of short changing on a grain delivery to his royal ranch on the outskirts of Abu Dhabi".
The UAE Interior Ministry has admitted that Sheikh Issa had been involved in the torture but claimed that "The incidents depicted in the video tapes were not part of a pattern of behavior."
The government also insisted that "all rules, policies and procedures were followed correctly by the Police Department."
Sheikh Issa is one of UAE's 22 “Royal Sheikhs” and a son of the country's one and only president, the late Sheikh Zayed bin Sultan Al Nahyan, who died in 2004.
Nablusi, who smuggled the 45-minute tape out of the Arab country, says he too was tortured by the UAE police to force him to hand over the tape to them. He is now filing a lawsuit against the Sheikh in a US federal court in Houston.
The video was allegedly recorded by Nablusi's brother because the Sheikh took pleasure in watching torture scenes later.
Nabulsi who was Sheikh Issa's former business partner, was allegedly arrested and charged by UAE police over narcotics trafficking after he refused to turn over the video. After spending time in a UAE prison, Nablusi was finally deported from the country and his passport was stamped with "Not Allowed to Return to the UAE."
The businessman says the US Embassy in Abu Dhabi was aware of the torture tapes but did nothing and only advised him to leave the country.
This is the link to the UJN Press Release on the declaration.
It contains the links to:
This is the link to the UJN Press Release on the declaration.
It contains the links to:
Universal Justice Network (UJN)
Muslim scholars from Pakistan have signed a historic agreement condemning sectarianism and vowing to remove it as a cause of conflict in the violence-stricken country.
Meeting in the Turkish seaside resort of Bodrum under the auspices of the UJN the scholars, who represent all of Pakistan\\\'s major Islamic sects and tendencies, agreed to come together to tackle religious intolerance in the interests of Muslim unity.
The signatories include Sahibzada Muhammad Hamid Raza of the Sunni Ittehad Council, Sahibzada Muhammad Hamid Raza of Jamiat Ahle Hadith and Allama Syed Niaz Hussain Shah of Hoza Ilmia Jamia Al Muntazar.
The 11-point UJN Pakistan Unity Declaration commits the signatories and the UJN to sign statements in the upcoming Islamic month of Muharram denouncing the killing of fellow human beings on the basis of colour, creed, ethnicity or religion as haram. The statements will also declare excommunication or takfir against fellow Muslims and abusing the Prophet Muhammad\\\'s family and companions as against the Shariah.
Also party to the accord were Allama Mohammad Sadiq Qureshi (Minhaj ul Quran International), Maulana Syed Ali Murtaza Zaidi (Jamay Imamia), Liaqat Baloch, MP (Jamaat-e-Islami) and Muhammad Sarwat Ejaz Qadri (Pakistan Sunni Tahreek).
The accord is based on Charter 3:103, initiated by the Islamic Human Rights Commission in 1997 and now a UJN core project, and since adopted by scores of Muslim organisations, which calls for Muslims to be united in accordance with the 103rd verse of the third chapter of the Holy Quran.
It also addresses the challenging problem of madrasas in Pakistan, believed to be a breeding ground of intolerance, recommending that syllabuses and curriculums under the signatories\\\' respective spheres of influence address the need for respect, harmony and peace between all members of Pakistani society.
Chair of IHRC, and UJN co-ordinator, Massoud Shadjareh said:
\\\"The signing of the declaration is a detrmined step out of the quagmire of murder and fear that has come to characterise the landscape in Pakistan. The situation of sectarian killings and intimidation that has worsened year on year has been dealt a blow by the unity shown today.\\\"
Director of Citizens International and UJN Co-ordinator Mohideen Abdul Kader said:
\\\"The dream for many that the inception of Pakistan once was had become a nightmare. Today\\\'s events bring back hope that one day Pakistan can put the internecine strife of the current era behind it.\\\"
Following are excerpts from a Friday sermon delivered by Saudi Ayatollah Nimr Al-Nimr, which was posted on the Internet on October 7, 2011.
Nimr Baqir Al-Nimr is from the city of Awwamiyah in the eastern part of Saudi Arabia. He is an outspoken Shia cleric known for his criticism of the Saudi government and his constant call for freedom of religion, equality, and justice for the Shia minority in Saudi Arabia. In 2009, Al-Nimr said that the dignity of the Saudi Shia is more precious than the unity of the land, and suggested that Saudi Shia might secede from Saudi Arabia. Fearing arrest, Al-Nimr currently is in hiding.
Nimr Al-Nimr: �For the past 100 years, we have been subjected to oppression, injustice, fear, and intimidation. From the moment you are born, you are surrounded by fear, intimidation, persecution, and abuse. We were born into an atmosphere of intimidation. We feared even the walls. Who among us is not familiar with the intimidation and injustice to which we have been subjected in this country? I am 55 years old, more than half a century. From the day I was born and to this day, I�ve never felt safe or secure in this country.
�A few months ago, the flame of honor was sparked in the spirits of the youth. The torch of freedom was lit. The people took to the streets demanding reform, honor, and freedom. There are people who have been held in prison unjustly for more than 16 years. In addition, the Peninsula Shield Force and the Saudi army invaded Bahrain. Then there were more and more arrests.
�[The Saudi regime says] that we are acting �at the behest of a foreign country.� They use that false pretext. By �foreign country� they mean Iran, of course. You can�t really tell if it�s Iran, Turkey, a European country, or the U.S., but they usually mean Iran. In December 1978, there was an Intifada to defend the honor of Awwamiya, when the riot police attacked the town. This was on December 10, 1978, before the Shah was deposed, before the Islamic Republic of Iran was even established.
It is a nice day and Pingu is out riding his brand new blue scooter. Circling overhead is a Seagull. It squawks, and Pingu hoots back and waves to it. The Seagull then defecates on the scooter, rather annoying Pingu. Pingu goes indoors, cleans up the scooter and puts a cover over it. He then goes outside again. The Seagull is now sitting on top of the igloo, and squawks when it sees Pingu. Pingu makes a snowball and throws it at the Seagull. The snowball narrowly misses as the Seagull takes off. The Seagull retaliates by defecating on Pingu\'s right foot. Pingu cleans himself off, and then spots that the Seagull has landed on the ice nearby. He tries to grab it, but it takes off and flies out of reach. The Seagull lands again, and Pingu has another attempt at grabbing it, but this try also fails. The Seagull lands for a third time, but this time Pingu sneaks up on it from behind and succeeds in getting hold of its legs. The Seagull tries to fly away, and eventually Pingu has to let go. The Seagull circles around, and defecates on Pingu again, this time on his right shoulder. The Seagull then lands to have a drink from a nearby ice hole and is grabbed on the beak by a lobster, which won\'t let go. After initially being amused, Pingu takes pity on the Seagull and tugs the lobster off. The lobster turns on Pingu and follows him into the igloo. Pingu eventually chases the lobster away and back into the pool by banging some pan lids. He pets the Seagull, and just when he thinks he\'s made friends with it, it flies away and defecates on him yet again, right on the top of his head, he shouts at the seagull as it flies away. He goes inside and tells Mother all about it when he\'s been plagued, and she washes his head clean.
The following is the full text of the message issued on September 13, 2012 by Ayatollah Khamenei the Supreme Leader of the Islamic Revolution to condemn an American-made film which insults the Holy Prophet of Islam (s.w.a.).
Honorable people of Iran, great Islamic Ummah:
The wicked enemies of Islam have once again revealed their deep malice by insulting the Holy Prophet (God\\\'s greetings be upon him and his household) and in an idiotic and disgusting move, they showed that evil Zionist groups are furious at the increasing brilliance of Islam and the Holy Quran in the world today. The fact that they have made the holiest person in all of creation the target of their disgusting nonsense is enough to disgrace those who have committed this great crime and sin. What lies behind this wicked move is the hostile policies of Zionism, America and other leaders of the arrogant powers, who are vainly trying to make young generations in the Islamic world lose respect for what is held sacred and to extinguish their religious sentiments. If they had refused to support the previous links in this evil chain - namely, Salman Rushdie, the Danish cartoonist and Quran-burning American priests - and if they had not ordered tens of anti-Islam films from the companies affiliated with Zionist capitalists, today this great and unforgivable sin would not have been committed. The number one culprit in this crime is Zionism and the American government. If American politicians are sincere that they are not involved, they should duly punish the perpetrators and the financial backers of this hideous crime, who have filled the hearts of Muslim people with pain.
Hizballah Secretary General, Sayyed Hassan Nasrallah delivered this speech about Vali Amr Muslimeen Ayatullah Sayyed Ali Khamenei. The speech was delivered at the First Conference of Renovation and Intellectual Jurisprudence of Imam Khamenei.
Supreme Leader: Saudi Government Should Accept Responsibility for Mina Calamity.
Supreme Leader: Saudi Government Should Accept Responsibility for Mina Calamity.
The following is the full text of the speech delivered on September 27, 2015 by Ayatollah Khamenei, the Supreme Leader of the Islamic Revolution, at the start of Dars-e Kharij.
Today, after a long break, we will resume our discussion, but our hearts are full of sorrow and grief because of the sad event that occurred in Mina and that turned our Eid into mourning in the real sense of the word.
Every year, during the hajj season - during these days when the hajj pilgrimage is over - the country experiences a public joy. Hajj pilgrims return and families are happy because fathers, children and spouses are back. Families celebrate the return of their hajj pilgrims and the success of their pilgrimage. Every year, this is the case. It is a time of celebration, but this year, this celebration time has turned into a time of mourning.
In many provinces of the country, the number of casualties is large and the remains of the deceased should be returned. Therefore, hearts are truly mournful on these days. One cannot forget about this feeling of grief even for a single moment. In recent days, this feeling of grief has troubled our hearts and the hearts of others.
The conclusion that we should draw is that the responsibility of this heavy incident and this grave disaster falls on the shoulders of the Saudi rulers. They should accept the responsibility for this matter. If they shift the blame on others, constantly accuse this and that person and praise themselves in an incessant manner, these actions will get them nowhere. These actions are fruitless. After all, the world of Islam has certain questions.
Is the death of more than one thousand individuals from different Islamic countries and in one single incident a joke? And God knows how many hundreds of people from our country have lost their lives. Moreover, it is not clear where the missing people are. It is possible that many of them are among the deceased. Is the death of several hundred individuals in an event - the event of hajj - a minor incident? Is it a joke? The world of Islam should think about this.
The first issue is that the Saudis should accept their responsibility and the requirements for accepting this responsibility should be acted on. If they engage in criticizing and accusing this and that person instead of apologizing to the Islamic Ummah and to the families, this will get them nowhere because nations are seriously pursuing this matter. This matter will not be forgotten. I hope- God willing- that God will ordain good.
Rahber e Muazzim, Wali Amr Muslimeen e Jahan, Ayatollah Sayyed Ali Khemenei (H.A) condemned israel\\\'s attack on the peaceful convoy taking the humanitarian good into Gaza Palestine. At least 20 innocents were killed by the Zionist commandos. Around 500 innocents have been detained.
Dera Ismail Khan- one of the southern District of North West Frontier Province of Pakistan, has become the slaughterhouse for the Shia community. The banned Sipah-e-Sahaba has indiscriminately killed dozens of innocent Shias including women and children. This also includes precious persons like Doctors, engineers, Professors, Businessmen in this Economically deprived District. So for 84 innocent people have embraced martyrdom. The irony of the fate is that none of the murderers of 84 innocent people have been brought to justice. Although the Police is well aware of the barbaric killers belonging to banned terrorist group Speha-e-Sahaba, yet there is a fear to take action against the terrorists who come in the day light openly & kill innocent civilians. The terrorists also threat the Judges and witnesses thereby influencing the fair trial. Due to fear of terrorists and failure of law enforcing agencies to bring the terrorists to justice in the past, the families of the murdered people even scare to lodge the FIR against the terrorists.
NONE OF THE 84 INNOCENT PEOPLE’S MURDERER IS CAPTURED AND BROUGHT TO JUSTICE BY LAW ENFORCING AGENCIES. RATHER THE TERRORISTS WHO CONFESSED BEFORE THE COURTS WERE SET FREE.
road as he was coming back to his home.
of SP and his son.
before his martyerdom.
Advocate Khursheed Anwar – Centeral General Secretary Tehreek-e-Jafria Pakistan was martyred on 28 Sep 1999 along with his daughter Umme Lila 18 and guard Hassan on New Chongi D.I.K. He was the General Secretary of Tahreek-e-Jafria Pakistan. The accused were set free as a result of patch up between the family of advocate and the terrorists.
Umme Lila 18, daughter of Advocate Khursheed Anwar embraced martyrdom along with his father as she was mourning his father’s death. The terrorist turned back and killed her. She was a brilliant student studying in F.Sc.
Advocate Syed Afeef Abbas Shah was killed on 30 Dec 2004 in District Bar D.i.K at about 1:30 PM. He was targeted as he contesting the case of 5 innocent people who became the victim of the terrorists in 1999 while they were sleeping. The murderers could not be apprehended by the law enforcing agencies.
Syed Bashir Husssain Kazmi – a retired Tehsildar was martyred on 25 May 2008 along with his brother Kifayat Hussain and two young nephews. The terrorist also killed a policeman at the spot as he tried to capture them. The other Youngman of the same family named Mazhar Abbas was martyred earlier in the this month (May 2008). Doctor Abdul Ali Bangash – a famous Sargon Doctor was assassinated in 1998 in District Headquarter hospital D.I.K in the light of a bright day while he was on his duty. The murderer on foot ran away from the scene with out any problem and police once again failed to trace the perpetrators and the master minds of this heinous crime.
Doctor Ghulam Shabir an MBBS doctor was killed in his clinic on 2 Feb 2000. The culprits once again could not be brought to the justice by those who were responsible to bring them to the justice to create an example, so that nobody else could dare to kill the precious people of Pakistan.
Allama Kazim Aseer Jarvi who belonged to village Jara D.I.K was killed along with his son on 28 March 92 while he was coming back to his home from Lahore. His young son Amar 14 who witnessed the killing of his father and brother later died of this psychological shock.
Allama Allaha Nawaz Murtazvi was killed in February 1994 while he was coming from D.I.K to his village Haji mora to lead a Jumma prayerSyed Hassan Ali Kazmi a renowned Shia leader and Politician was killed on 7June 2001 in Mohallah Eisab Zai D.I.K. He contested the 1988 election and secured 20,000 votes. He is known as an icon of Shia-Sunni unity since he tried all his life for sectarian harmony.Liaqat Ali Imrani a well known social activist and local Journalist was killed in 2006.
Fayyaz Hussain of Pakistan Army (DSG) became the victim of terrorists along with other 4 persons in Sardary Wala.
Hawaldar Abdur Rasheed (Retd) was one of the victims of this incident in which terrorists opened fire on armless people.
Iftikhar Hussain of Pak Army (DSG) was also amongst the 5 victims along with Sami 13 and a young child Arif hussain who was 8 years old.
Hassan Ali an employee in Police was killed on 28 Sep 1999 while he was on his duty as a guard with Advocate Khursheed Anwar. He was 28.
Qamar Abbas an other Police employee was killed while he was on his duty in a procession of SSP on Eid Milad. He was killed as his name ‘Abbs’ was prominent on his name plate.
Hawaldar Rabnawaz (Police) from Ahle Sunnet sect embraced martyrdom when he tried to capture the terrorist who were fleeing after killing Inspector Qambar on 13 Sep 2001.
Professor Nizakat Imrani 44, was the Chairman of Commerce & Business Depart of Gomal University who became the victim of barbaric terrorists on 23 Dec 2006 as he was coming back to home after attending the Annual Convocation of the University. He was ranked amongst the most brilliant Professors of Gomal University.
A few months earlier his elder brother Liaqat Imrani- a well known social activist and local journalist, was killed.
On 25 May 2008, 5 innocent Shia belonging to same family and a policeman were killed in the light of a bright day.
The present activities of the terrorists and the growing influence of Talibanization in the vicinity of this sensitive District poses a great threat to the innocent citizens of Pakistan, especially to Shias.
The present radical trend in a sensitive District like D.I.Khan is a great threat to enlightened, moderate and progressive forces in the country. In the context of D.I.Khan following measures should be taken.
Provincial government should be instructed to use iron hand against the terrorists to insure that the innocent people’s slaughtered is stopped and their life and property is safeguarded.
A free and fair Commission should be constituted to investigate the elements perpetrating terrorism in D.I.Khan.
CONCLUSION CONT….
Community should get united and raise their voice against this brutality.
Take action before the fire reaches your home.
Sayyed Hasan Nasrallah delivered this speech on 17 August 2011.
Sayyed talked about:
Sayyed Hasan Nasrallah delivered this speech on 17 August 2011.
Sayyed talked about:
1) US-backed UN Lebanese Tribunal for the assassination of Rafiq Hariri.
7) Attempts to create Sectarianism and push Lebanon towards civil war(s)
This video presents some selections from the speech of Wali-Amr al-Muslimeen, Imam Khamenei, about the Nowruz greetings extened to the iranian nation by the american president Obama and his slogan of \\\"change\\\".
| english |
<filename>src/test/java/seedu/address/logic/commands/AttendCommandTest.java
package seedu.address.logic.commands;
import static org.junit.jupiter.api.Assertions.assertFalse;
import static org.junit.jupiter.api.Assertions.assertTrue;
import static seedu.address.logic.commands.CommandTestUtil.VALID_ATTENDANCE_AMY;
import static seedu.address.logic.commands.CommandTestUtil.assertCommandFailure;
import static seedu.address.logic.commands.CommandTestUtil.assertCommandSuccess;
import static seedu.address.logic.commands.CommandTestUtil.showPersonAtIndex;
import static seedu.address.testutil.TypicalIndexes.INDEX_FIRST_PERSON;
import static seedu.address.testutil.TypicalIndexes.INDEX_SECOND_PERSON;
import static seedu.address.testutil.TypicalPersons.getTypicalAddressBook;
import org.junit.jupiter.api.Test;
import seedu.address.commons.core.Messages;
import seedu.address.commons.core.index.Index;
import seedu.address.model.Model;
import seedu.address.model.ModelManager;
import seedu.address.model.Tasker;
import seedu.address.model.UserPrefs;
import seedu.address.model.attendance.Attendance;
import seedu.address.model.person.Person;
import seedu.address.testutil.PersonBuilder;
/**
* Contains integration tests and unit tests for AttendCommand.
*/
public class AttendCommandTest {
private static final String NEW_ATTENDANCE_STRING = "01/01/2020";
private static final Attendance NEW_ATTENDANCE = Attendance.fromDateString(NEW_ATTENDANCE_STRING);
private static final Attendance AMY_ATTENDANCE = Attendance.fromDateString(VALID_ATTENDANCE_AMY);
private Model model = new ModelManager(getTypicalAddressBook(), new UserPrefs());
@Test
public void execute_allFieldsSpecifiedUnfilteredList_success() {
Person attendedPerson = model.getFilteredPersonList().get(0);
attendedPerson = new PersonBuilder(attendedPerson)
.withAttendance(VALID_ATTENDANCE_AMY, NEW_ATTENDANCE_STRING).build();
AttendCommand attendCommand = new AttendCommand(INDEX_FIRST_PERSON, NEW_ATTENDANCE);
String expectedMessage = String.format(AttendCommand.MESSAGE_ATTEND_SUCCESS, attendedPerson);
Model expectedModel = new ModelManager(new Tasker(model.getAddressBook()), new UserPrefs());
expectedModel.setPerson(model.getFilteredPersonList().get(0), attendedPerson);
assertCommandSuccess(attendCommand, model, expectedMessage, expectedModel);
}
@Test
public void execute_filteredList_success() {
showPersonAtIndex(model, INDEX_FIRST_PERSON);
Person personInFilteredList = model.getFilteredPersonList().get(INDEX_FIRST_PERSON.getZeroBased());
Person attendedPerson = new PersonBuilder(personInFilteredList)
.withAttendance(VALID_ATTENDANCE_AMY, NEW_ATTENDANCE_STRING).build();
AttendCommand attendCommand = new AttendCommand(INDEX_FIRST_PERSON, NEW_ATTENDANCE);
String expectedMessage = String.format(AttendCommand.MESSAGE_ATTEND_SUCCESS, attendedPerson);
Model expectedModel = new ModelManager(new Tasker(model.getAddressBook()), new UserPrefs());
expectedModel.setPerson(model.getFilteredPersonList().get(0), attendedPerson);
assertCommandSuccess(attendCommand, model, expectedMessage, expectedModel);
}
@Test
public void execute_nullAttendanceUnfilteredList_failure() {
AttendCommand attendCommand = new AttendCommand(INDEX_FIRST_PERSON, null);
assertCommandFailure(attendCommand, model,
String.format(Messages.MESSAGE_INVALID_COMMAND_FORMAT, AttendCommand.MESSAGE_USAGE));
}
@Test
public void execute_duplicateAttendanceFilteredList_failure() {
showPersonAtIndex(model, INDEX_FIRST_PERSON);
Person personToAttend = model.getAddressBook().getPersonList().get(INDEX_FIRST_PERSON.getZeroBased());
AttendCommand attendCommand = new AttendCommand(INDEX_FIRST_PERSON, AMY_ATTENDANCE);
assertCommandFailure(attendCommand, model, String.format(AttendCommand.MESSAGE_ALREADY_ATTENDED,
personToAttend.getName(), AMY_ATTENDANCE));
}
@Test
public void execute_invalidPersonIndexUnfilteredList_failure() {
Index outOfBoundIndex = Index.fromOneBased(model.getFilteredPersonList().size() + 1);
AttendCommand attendCommand = new AttendCommand(outOfBoundIndex, NEW_ATTENDANCE);
assertCommandFailure(attendCommand, model, Messages.MESSAGE_INVALID_PERSON_DISPLAYED_INDEX);
}
/**
* Attend filtered list where index is larger than size of filtered list,
* but smaller than size of address book
*/
@Test
public void execute_invalidPersonIndexFilteredList_failure() {
showPersonAtIndex(model, INDEX_FIRST_PERSON);
Index outOfBoundIndex = INDEX_SECOND_PERSON;
// ensures that outOfBoundIndex is still in bounds of address book list
assertTrue(outOfBoundIndex.getZeroBased() < model.getAddressBook().getPersonList().size());
AttendCommand attendCommand = new AttendCommand(outOfBoundIndex, NEW_ATTENDANCE);
assertCommandFailure(attendCommand, model, Messages.MESSAGE_INVALID_PERSON_DISPLAYED_INDEX);
}
@Test
public void equals() {
Index index1 = Index.fromOneBased(1);
Index index2 = Index.fromOneBased(2);
AttendCommand attendCommand1 = new AttendCommand(index1, NEW_ATTENDANCE);
AttendCommand attendCommand2 = new AttendCommand(index2, NEW_ATTENDANCE);
// same object -> returns true
assertTrue(attendCommand1.equals(attendCommand1));
// same values -> returns true
AttendCommand attendCommand1Copy = new AttendCommand(index1, NEW_ATTENDANCE);
assertTrue(attendCommand1.equals(attendCommand1Copy));
// different types -> returns false
assertFalse(attendCommand1.equals(1));
// null -> returns false
assertFalse(attendCommand1.equals(null));
// different person -> returns false
assertFalse(attendCommand1.equals(attendCommand2));
}
}
| java |
The disquiet over NPS stems principally from two factors: contribution by employees and uncertainty about the ultimate pension receivable.
The argument is that in the OPS, employees were not required to make any contributions, while in NPS they have to mandatorily make a 10% contribution. However, this argument overlooks the fact that prior to 2004, when OPS existed, Govt employees had to mandatorily join the General Provident Fund (GPF), with a minimum contribution of 6% and a maximum of 100% of salary. After NPS was introduced in 2004, GPF became inapplicable to NPS government subscribers.
Therefore in so far as employee contributions are concerned, a valid view would be to see the 10% contribution under NPS as a substitute for the contributions made under GPF in the OPS, and analyse the performance of both to see whether the switch to NPS has been beneficial to employees. It must be remembered that employee contributions in NPS are not invested separately, but are combined with Govt contribution of 14% of salary and invested together. A comparison of the returns on the 10% employee contributions in GPF and NPS can then be made.
The following example is based on the salary of a junior Govt employee, with a basic pay of Rs 18000 and DA of Rs 6120 pm . For the sake of simplicity, it is assumed that she superannuates in the same grade after 40 years, drawing a salary of 56,900 and DA of 19436 pm as currently exists. Her median salary and DA during her career of 40 years is assumed at Rs 50.000 pm. Her aggregate investment and interest on her GPF account would be as under:
|Amount invested each month(24% of salary)
For the sake of comparison, if only the share of matured NPS corpus attributable to her contribution of 10% is reckoned, her contribution would mature to Rs 2.20 cr vis a vis 1.28 cr in GPF.
As can be seen, over the working life of 40 years of a Government employee, the earnings under NPS on her contribution would be significantly higher than what she would receive on her GPS contributions.
Of course the NAV in NPS could fluctuate, but the record of NAV growth since start of investment activity in 2009 has been an accretion of between 9-10% per year, which is higher than the GPF rates. A government employee would therefore benefit much more in NPS .
Another noteworthy feature of NPS is that an employee is allowed to withdraw in lump sum on retirement, an amount in excess of her contribution, unlike in GPF, where only the balance in her account made up of her own contribution, and interest, is available. This happens because an employee is allowed to withdraw in lump sum 60% of NPS corpus on retirement, despite the corpus attributable to her being only 42%, as she contributes 10% and the government 14%. The lump sum withdrawal is tax free, and is a substantial benefit when compared with the GPF maturity amount, which is also tax free. In the example above, , the maximum tax free lump sum withdrawal in GPF is Rs 1.28 cr, while in NPS it is Rs 3.14 cr.
While only an example of a junior Government employee has been given above, the disparity in earnings and maturity value exists for all grades. Indeed the gap widens at higher pay levels.
On the issue of uncertainty of pension at retirement, it is true that in NPS the amount of pension cannot be determined beforehand, unlike in OPS, because of linkage of corpus to market forces. However, the corpus accumulation in NPS has been such that if the trend of the past 13 years continues, pension payable under NPS will be significantly more attractive.
Drawing from the example above, pension under OPS would be Rs 38168 appx, being 50% of last drawn pay. In NPS, pension is paid from an annuity purchased from an insurance company with minimum 40% of corpus . In the above example, an annuity would be purchased for Rs 2.09 cr. Such an annuity for life with return of purchase price to nominee, would yield a monthly annuity of Rs 91,350 as per LIC’s Jeevan Akshay VII policy and would be much higher than the pension under OPS.
Therefore, despite the uncertainty of the pension amount, the pension payable through annuity in NPS would be more attractive, if current trends in NPS earnings continue.
An important caveat underlining the returns on NPS is the continuance of subscriptions till the retirement age, and regularity of subscription. This is because the power of compounding works best for regular and extended periods of investment.
In fact, because of the snowballing effect of compounding, the gains from regular investments get magnified in the final stages. Employees therefore need to wait for the full term of investment to get over, to realise the full potential of their investments.
Conversely, full benefits of NPS will not accrue when investments are for short periods, are irregular or when the accumulated balances are withdrawn. Depletion of corpus invariably affects returns and pension payouts.
Employees on short term contracts , or those who prematurely leave, are not likely to witness the same growth in their NPS portfolio as permanent employees. Frequent withdrawals too would go to deplete the corpus and affect ultimate payouts. Further, delayed or bunched contributions, on account of delays in salary payments also adversely affect corpus growth.
Therefore, if any reforms are required, they are in the areas of punctuality of contributions and management of withdrawals. The former is linked to timely payment of salaries and remittance of contributions. Withdrawals are necessary at times, and indeed, NPS has provisions for partial withdrawals for medical needs, marriage etc.However, if these urgent needs are met through interest free loans by the Government, which can be adjusted from the NPS corpus available on retirement, it would be beneficial to employees, because their NPS corpus could grow unhindered with compounding, and they would have a much larger amount at their disposal on retirement to settle the loans. Another relief that could be provided to employees is take over of the investment management fees of NPS Fund Managers, which are currently recovered from NAV and therefore affect the corpus of employees.
The examples given above relate to Central Government employees, but similar considerations apply to State Government employees as well.
A fuller understanding of the NPS scheme and actions necessary to enable it to perform to its potential will go a long way in dispelling some of the existing notions about the scheme.
Download The Economic Times News App to get Daily Market Updates & Live Business News.
Subscribe to The Economic Times Prime and read the ET ePaper online.
| english |
London, United Kingdom, Mar 23 – Three people were killed in the London terror attack outside the Houses of Parliament — two members of the public and a police officer.
Police said 40 were injured after the attacker ploughed a car along a pavement on a bridge before stabbing the police officer outside the parliament.
Here is what we know about the victims so far.
Unarmed police officer Keith Palmer, who was fatally stabbed as he stood guard at an entrance to parliament, has been hailed as a hero.
The 48-year-old husband and father was a police officer for 15 years, who was part of the parliamentary protection force.
Prime Minister Theresa May called him “every inch a hero”.
Cleverly paid an emotional tribute to his friend in the House of Commons and asked that he receive a posthumous award for his actions.
A supporter scarf has been placed by Charlton Athletic football club on Seat 166 in the East Stand at The Valley — which was held by Palmer, a season ticket holder.
Colleagues of a mother who was run down and killed as she headed to pick up her children said she was “loved” and will be “deeply missed.
A Spanish diplomatic source confirmed to AFP that she was a 43-year-old British citizen named Aysha Frade, whose mother was Spanish.
Media reports said she was on her way to pick up her two daughters, who are seven and nine years old.
Rachel Borland, principal of DLD College London where Frade worked in the administration team said she was “highly regarded and loved by our students and by her colleagues”.
“She will be deeply missed by us,” she added.
British police said the third victim was a man in his mid-50s but provided no further details.
Westminster Bridge is a busy tourist spot with its views of parliament’s Big Ben clock tower, and the injured included many foreigners.
Police said 29 of around 40 people wounded were treated in hospital. Seven remained in a “critical condition” on Thursday.
Three French pupils, aged between 15 and 16, on a school trip to London were among those hurt, including two who suffered broken bones but were not reported to be in life-threatening condition.
The teenagers are from a high school in Concarneau, in the western Brittany region, and were joined by their families on Wednesday evening.
Five South Korean tourists — four women and a man in their 50s and 60s — were also wounded after being knocked to the ground by people fleeing as the assailant mowed down pedestrians in a car, Seoul’s foreign ministry said.
In her address to parliament on Thursday morning, Prime Minister Theresa May listed four South Koreans as injured.
She also said that among the people admitted to hospital were 12 Britons as well as one German, one Pole, one Irish, one Chinese, one Italian, one American, two Greeks and two Romanians.
A woman with serious injuries rescued from the River Thames near Westminster Bridge after the attack, as well as her fiance, are believed to the two Romanians.
Local media in the eastern European country have named them as Andreea Cristea, a 29 year-old architect and Andrei Burnez.
Authorities did not confirm the reports.
The injured also included three police officers who were returning from an event recognising their bravery.
“Two of those three remain in a serious condition,” May added.
Among the British injured were four students from Edge Hill University in Ormskirk in northwest England who were on an educational visit to the Houses of Parliament.
Two of them were described as “walking wounded”. | english |
Speaking about the risk of suffering from extended COVID following Omicron, the UN health agency stated that while the possibility is high (when compared to other variations), further research is needed.
The World Health Organisation has issued an alert on Long COVID, stating that the virus's long-term effects can be severe, affecting every area of your body. Symptoms might range from shortness of breath to heart problems, and much more remains unclear. Speaking about the risk of suffering from extended COVID following Omicron, the UN health agency stated that while the possibility is high (when compared to other variations), further research is needed.
For unaware, long COVID is frequently identified many weeks after a COVID-19 infection. According to WHO's Maria Van Kerkhove, any long-term repercussions commonly occur 90 days after the initial infection's symptoms have subsided. The long-term consequences might last a few weeks, a few months, or even a few years. We have no idea what that is yet.
Van Kerkhove further noted the severity of the virus's long-term consequences, explaining that it affects all organs of the body, various organs of the body, not all organs at the same time, and ranges in severity from individuals not being able to catch their breath to people being unable to exercise. Some studies have also linked the risk of heart disease to post-COVID symptoms.
When most people think of COVID, they think of an upper respiratory condition; however it is actually a systemic disease. According to WHO official Dr. Abdi Mahamud, it literally affected every area of the cardiovascular system one year later.
"When we look at COVID as a respiratory infection, we perceive a danger and a problem. " Of course, that is the point of entrance, but because of the vessels, it affects every region of your body. It is capable of causing vasculitis," Abdi added.
Noting that much more research on extended COVID is required, WHO authorities stated, "we need solid research on this. " The organisation said they need good treatment, clinical care for dealing with the short- and long-term impacts, and we need to ensure that there is effective rehabilitation. " | english |
It is a known fact that Ram Charan is doing a film in the direction of Shankar in the days to come. The project which saw some hurdles is busy with its pre-production.
Now, the crazy update is that Thaman has been confirmed as the music director of the film. Generally, Shankar has always worked with AR Rahman in the past but now he has roped in Thaman who is in big form.
Incidentally, Thaman has also worked as an actor with Shankar in the film Boys. This is a huge opportunity for Thaman and we need to see how he makes use of this opportunity.
Articles that might interest you:
- Has Vaishnavi Chaitanya signed a three-film deal with Dil Raju?
| english |
<reponame>MOAMaster/AudioPlugSharp-SamplePlugins<filename>vst3sdk/doc/vstgui/html/search/all_0.js
var searchData=
[
['_5f_5fattribute_5f_5f_0',['__attribute__',['../namespace_v_s_t_g_u_i_1_1_bitmap_filter.html#a1c28a8e04dad4e3686e24000e7cb299b',1,'VSTGUI::BitmapFilter']]],
['_5f_5fgkeyboardviewcreator_1',['__gKeyboardViewCreator',['../namespace_v_s_t_g_u_i.html#a934304d99aa8d10d94512c2b6bdc1ed6',1,'VSTGUI']]],
['_5f_5fgkeyboardviewrangeselectorcreator_2',['__gKeyboardViewRangeSelectorCreator',['../namespace_v_s_t_g_u_i.html#a8bd4e30651653c33d6107550e34a5b0d',1,'VSTGUI']]],
['_5fpath_3',['_path',['../class_v_s_t_g_u_i_1_1_c_text_button.html#ac552d2f0e04f7e4a612b11339d190df0',1,'VSTGUI::CTextButton']]]
];
| javascript |
Trying to watch football games without Reddit NFL Streams can be troublesome. Now that it’s been banned, what’s the best way to catch every week 5 game?
This week, Sunday’s slate of NFL games will get off to an early start as the Jets take on the Falcons in London. The matchup, which will be played at Tottenham Hotspur Stadium in North London, is the first of 2 games that will be hosted in England this season.
It might not be the most interesting pairing considering that both teams are 1-3, but it’ll be exciting to see the London Games back after last year’s hiatus.
On American soil, too, week 5 promises tons of entertainment. The Cardinals, who are the only remaining undefeated team, will be playing against their division rival 49ers. Although SF is only 2-2, there’s no doubt they’ll be eager to hand Arizona their first loss of the year.
To cap off the night, the Bills will play the Chiefs on SNF. Both teams are AFC powerhouses with explosive offenses who are hoping to prove that they aren’t declining after a stellar 2020 season.
What Channel is NFL Week 5 On?
As usual, nearly every game will be broadcast on FOX or CBS. The only exceptions are the Bills-Chiefs SNF matchup which is on NBC and the Colts-Ravens MNF game which will be shown on ESPN. For more specific information, you can always revert to the NFL’s official schedule.
However, if you don’t have cable, you might be concerned about missing the action now that Reddit banned r/nflstreams. Read on to find to why Reddit NFL streams was banned and what the best alternatives are.
Why Was Reddit NFL Streams Banned?
The r/nflstreams subreddit was one of the most valuable resources for NFL fans around the world. Links, which were reliable for the most part, were posted for every single NFL game.
Fans were also spoiled for choice, considering they could watch NFL Redzone and NFL Network. And the best part about all of this was that the streams were completely free. No payment, no account, just a link with a couple of pop-ups here and there.
However, the free ride came to an end when Reddit banned the page. So, why did Reddit ban one of their most popular pages?
The short answer to this question is that the subreddit was technically illegal. If you watch other sports, you probably weren’t too surprised to see Reddit make this decision. Before the ban, the page for NBA and Soccer streams were also taken down.
The basic problem is that posting free links is a clear case of copyright infringement and leagues were starting to take notice. Interestingly though, Reddit was never forced to ban the subreddit, but rather chose to do so according to their own repeat infringement policy.
The policy reads:
Our policy is to close the accounts of users, in appropriate circumstances, who have repeatedly been charged with copyright infringement. Sometimes a repeat infringement problem is limited to one user and we close just that user’s account. Other times, the problem pervades a whole subreddit community and we close the subreddit.
Where to Stream the 2021 NFL Week 5 Games For Free?
Luckily, with the growing trend towards “cord-cutting”, or the movement of television viewers to online platforms, there are various ways to stream football games.
If you already have a cable subscription but prefer to watch the game on another device, you can watch the games on the channel’s respective website or mobile app. For instance, you can catch the SNF game on the NBC Sports app or website (this works similarly for FOX, CBS, and ESPN).
However if you aren’t a cable subscriber, you need to check which channel your team’s game is on, and then find a streaming platform that carries that channel. These are some of the best options:
Of course, not every streaming service will carry every channel, but most of them carry FOX and CBS which is where the majority of NFL games are shown.
If you aren’t already subscribed to any of these platforms, now might be a good time to take advantage of a free trial on one of them as the season heats up, seeing that all of them except the NFL app offer this feature.
| english |
In the wake of rising attacks by pet dogs and grievous injuries thus sustained, pet parents’ role in taking responsibility for the same, ensuring safety as well as their training is now under the scanner.
Recently, the Department of Urban Development, Uttar Pradesh mandated pet owners in the state to give an undertaking to the local authorities to ensure their pets will not cause any nuisance in public.
Similar rules need to be implemented in other areas too, where pet parents seem to have scant regard for human life. Dipti Mudaliar, a journalist with Hindustan Times, who was mauled by a pet Pitbull that bit off an entire chunk of her arm, says, “The owner did not offer anything more than a verbal apology. ” The cost of treatment, including surgeries, multiple dressings, doctor’s fees, medicines and hospitalisation, has already crossed ₹3 lakh. | english |
Product Description:
- Aluminium alloy frame, anti-rust, solid construction.
- Suitable for shopping, camping, carrying heavy items, etc.
- Easy shopping enjoys bright feeling.
- This product is the wonderful choice for moving heavy goods.
- Provides ample stability for this heavy load when on sidewalks, pavement, at home or in office corridors.
- It is a smart choice for your home or business.
- A- Shopping Trolley (2 White Wheel)
- B- Shopping Trolley (4 White Wheel)
- E- Shopping Trolley (2 Red Wheel)
- F- Shopping Trolley (4 Red Wheel)
|Delivery Fee (RM)
| english |
Parnell to Brandon King, FOUR, swatted away for four! 117kph, off-pace ball from a short of length, King stays back and pulls just in front of square on the leg-side. Deep mid-wicket runs across and dives to his right but to no avail. The boundary brings up the fifty partnership!
Rabada to Brandon King, no run, 141kph, Brandon King backs away to steer this short of length ball towards third man. The keeper catches and appeals for caught behind, Rabada belatedly joins him. Turned down by the umpire. Markram has a chat with the keeper and sends it upstairs. Flat line on UltraEdge when the ball passes the bat. The onfield call stays and South Africa lose a review!
Ngidi to Brandon King, SIX, back-to-back sixes! 134kph, Ngidi goes wider outside off on this occasion, Brandon King shuffles across, gets low and flogs it over deep mid-wicket. That's a biggie - 96m six!
| english |
<filename>i18n/ru.json
{
"@metadata": {
"authors": [
"Kareyac",
"P<PASSWORD>"
]
},
"embedvideo-description": "Добавляет функцию синтаксического анализатора для встраивания видео с популярных видеохостингов.",
"embedvideo-error-missingparams": "В теге EmbedVideo отуствует обязательный параметр.",
"embedvideo-error-service": "Тег EmbedVideo не может распознать сервис \"$1\".",
"embedvideo-error-id": "В тег EmbedVideo введен неверный id \"$2\" видео для сервиса \"$1\".",
"embedvideo-error-width": "В тег EmbedVideo введен неверный параметр ширины \"$1\".",
"embedvideo-error-height": "В тег EmbedVideo введен неверный параметр высота \"$1\".",
"embedvideo-error-alignment": "EmbedVideo was given an illegal value for the alignment parameter \"$1\". Valid values are \"left\", \"center\", or \"right\".",
"embedvideo-error-valignment": "EmbedVideo was given an illegal value for the valignment parameter \"$1\". Valid values are \"top\", \"middle\", \"bottom\", or \"baseline\".",
"embedvideo-error-urlargs": "EmbedVideo received a list of URL arguments that contained malformed data or blank arguments.",
"embedvideo-error-unknown": "EmbedVideo encountered an unknown error while trying to generate this video embed block. ($1)",
"embedvideo-error-evp_deprecated": "The #evp parser function was deprecated in EmbedVideo 2.0. Please convert your parser function tag to #ev.",
"embedvideo-error-container": "The parameter provided for 'container' is invalid.",
"apihelp-embedvideo-param-alignment": "Выравнивание видео",
"apihelp-embedvideo-param-description": "Описание видео"
}
| json |
<gh_stars>0
# sets
support`interface{}` which implement Comparator interface and builtin type.
[](https://godoc.org/github.com/things-go/sets)
[](https://pkg.go.dev/github.com/things-go/sets?tab=doc)
[](https://codecov.io/gh/things-go/sets)

[](https://goreportcard.com/report/github.com/things-go/sets)
[](https://github.com/things-go/sets/raw/master/LICENSE)
[](https://github.com/things-go/sets/tags)
## License
This project is under MIT License. See the [LICENSE](LICENSE) file for the full license text.
## Donation
if package help you a lot,you can support us by:
**Alipay**

**WeChat Pay**
 | markdown |
header {
grid-area: Header;
display: flex;
flex-direction: column;
align-items: center;
font-family: Arial, Helvetica, sans-serif;
}
header nav {
font-family: 'Open Sans', sans-serif;
height: 55px;
}
.dropdown-toggle::after { /* A seta ao lado da img do avatar */
color: #fff;
font-size: 1.2rem;
}
.dropdown-toggle:hover::after {
color: #000;
}
.top-btns { /* <li>. Carrega os Links na navbar. */
display: inline-block;
height: 100%;
font-weight: 700;
font-size: 0.8rem;
}
.top-btns a { /* Link. expande a area clicavel */
display: flex;
flex-direction: column;
justify-content: center;
height: 100%;
padding: 0px 10px 0px 10px;
text-decoration: none;
color: #aaa;
}
.top-btns a:hover {
color: #202020;
background-color: #fff;
}
.logo { /* Onde vem a figura de bg e o nome do site com a descrição */
background-image: url("../../assets/img/memetica-bg2-2-2.jpg");
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
width: 100%;
height: 200px;
color: #fff;
}
.logo h1 {
font-weight: 900;
font-size: 3rem;
margin-bottom: 0px;
}
.logo h1 a, .logo h1 a:visited {
text-decoration: none;
color: #fff;
}
.protip {
font-family: verdana, sans-serif;
font-size: 0.8rem;
display: block;
text-align: center;
}
.new-article:hover{
color: #0B5ED7;
}
.categories-dropdown {
font-family: 'Open Sans', sans-serif;
}
.categories-title {
color: #fff;
border-radius: 0;
}
.categories-title:hover {
color: #202020;
background-color: #fff;
}
.dropdown-item a {
text-decoration: none;
color: inherit;
} | css |
<filename>data/nber/27192.json
{
"id": 27192,
"citation_title": "Information, Technology Adoption and Productivity: The Role of Mobile Phones in Agriculture",
"citation_author": [
"<NAME>",
"<NAME>",
"<NAME>"
],
"citation_publication_date": "2020-05-25",
"issue_date": "2020-05-21",
"revision_date": "None",
"topics": [
"Development and Growth",
"Innovation and R&D",
"Growth and Productivity",
"Environmental and Resource Economics",
"Agriculture",
"Environment"
],
"program": [
"Corporate Finance",
"Development Economics",
"Economic Fluctuations and Growth",
"Productivity, Innovation, and Entrepreneurship"
],
"projects": null,
"working_groups": null,
"abstract": "\n\nWe study the effect of information on technology adoption and productivity in agriculture. Our empirical strategy exploits the expansion of the mobile phone network in previously uncovered areas of rural India coupled with the availability of call centers for agricultural advice. We measure information on agricultural practices by analyzing the content of 2.5 million phone calls made by farmers to one of India's leading call centers for agricultural advice. We find that areas receiving coverage from new towers and with no language barriers between farmers and advisers answering their calls experience higher adoption of high yielding varieties of seeds and other complementary inputs, as well as higher increase in agricultural productivity. Our estimates indicate that information frictions can explain around 25 percent of the agricultural productivity gap between the most productive and the least productive areas in our sample.\n\n",
"acknowledgement": "\nWe received valuable comments from <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME> and seminar participants at Columbia, Universidad de Los Andes, Universidad Javeriana, University of Zurich, University of Bonn, Lancaster University, NYU Stern, Bocconi University, Queen Mary University, University of Maryland, Northwestern University, Berkeley Haas, UBC, CUNY, BGSE Summer Forum, European Economic Association 2019 and the IPA 2019 Researcher Gathering. Ponticelli gratefully acknowledges financial support received for this project from the Cohen and Keenoy Faculty Research Fund and the Fama-Miller Center at the University of Chicago Booth School of Business. The project was developed while <NAME> was visiting the Ford Motor Company Center for Global Citizenship at the Kellogg School of Management, Northwestern University, whose hospitality is gratefully acknowledged. <NAME>, <NAME> and <NAME> provided excellent research assistance. We are grateful to the staff at GSMA for their help with the mobile phones data. The GSMA data used in this study are covered by a confidential license agreement. The views expressed herein are those of the authors and do not necessarily reflect the views of the National Bureau of Economic Research.\n\n\n"
} | json |
{"Department":"Прокуратура Дніпропетровської області","Name":"<NAME>","Position":"прокурор відділу процесуального керівництва при провадженні досудового розслідування територіальними органами поліції та підтримання державного обвинувачення управління нагляду за додежранням законів у кримінальному провадженні та координації правоохоронної діяльності прокуратури Дніпропетровської області","Region":"Дніпропетровська область","analytics":[{"c":1,"ff":33.3,"ffa":1,"i":142707,"y":2015},{"c":1,"ff":33.3,"ffa":1,"i":125576,"y":2016},{"ff":33.3,"ffa":1,"i":312996,"m":120000,"y":2017},{"c":1,"ff":33.3,"ffa":1,"i":371182,"m":80000,"y":2018},{"c":1,"fi":396376,"k":16.65,"ka":1,"m":150000,"y":2019}],"declarationsLinks":[{"id":"nacp_1bacebd2-29c7-457c-a6ac-35de43486b84","provider":"declarations.com.ua.opendata","year":2015},{"id":"nacp_c7145555-58f6-4a7a-aa8f-fc65b2fb9729","provider":"declarations.com.ua.opendata","year":2016},{"id":"nacp_ebc653f3-6b29-4004-8223-b58b13479d46","provider":"declarations.com.ua.opendata","year":2017},{"id":"nacp_bb28433c-6601-4b03-89ab-6c79bec7912e","provider":"declarations.com.ua.opendata","year":2018},{"id":"nacp_71ae6b43-c107-441b-9353-5e2373a8aa1a","provider":"declarations.com.ua.opendata","year":2019}],"key":"lavrovich_andriy_igorovich","type":"prosecutor","Декларації 2013":"","Декларації 2014":"","Декларації 2015":"https://public.nazk.gov.ua/declaration/1bacebd2-29c7-457c-a6ac-35de43486b84","Декларації 2016":"https://public.nazk.gov.ua/declaration/c7145555-58f6-4a7a-aa8f-fc65b2fb9729","Декларації доброчесності":"http://www.gp.gov.ua/integrity_profile/files/57a22e49f4d4698118d3bf0478abed1b.pdf","Фото":"","Як живе":""} | json |
{"h":[{"d":[{"e":["`Sakasadakaw~ `nora~ `wawa~ `a~ `ni~`salama~.那些孩子想出來玩耍。"],"f":"想出來、出去。"}]}],"stem":"sadak","t":"sakasadakaw"} | json |
<filename>src/rendering/WaterRenderer.java<gh_stars>1-10
package rendering;
import org.lwjgl.opengl.GL11;
import org.lwjgl.opengl.GL20;
import org.lwjgl.opengl.GL30;
import org.lwjgl.util.vector.Matrix4f;
import org.lwjgl.util.vector.Vector3f;
import models.RawModel;
import shaders.WaterShader;
import terrain.Terrain;
import toolbox.Maths;
public class WaterRenderer {
WaterShader shader;
public WaterRenderer(WaterShader shader, Matrix4f projectionMatrix) {
this.shader = shader;
shader.start();
shader.loadProjectionMatrix(projectionMatrix);
shader.stop();
}
public void render(Terrain[][] chunks) {
MasterRenderer.disableCulling();
for (int i = 0; i < chunks.length; i++) {
for (int j = 0; j < chunks[i].length; j++) {
if (chunks[i][j].isHidden() == false) {
prepareWater(chunks[i][j]);
loadModelMatrix(chunks[i][j]);
GL11.glDrawElements(GL11.GL_TRIANGLES, chunks[i][j].getWaterModel().getVertexCount(),
GL11.GL_UNSIGNED_INT, 0);
GL30.glBindVertexArray(0);
}
}
}
}
private void prepareWater(Terrain terrain) {
RawModel rawModel = terrain.getWaterModel();
GL30.glBindVertexArray(rawModel.getVaoID());
GL20.glEnableVertexAttribArray(0);
GL20.glEnableVertexAttribArray(1);
}
private void loadModelMatrix(Terrain terrain) {
Matrix4f transformationMatrix = Maths
.createTransformationMatrix(new Vector3f(terrain.getX(), 0, terrain.getZ()), 0, 0, 0, 1);
shader.loadTransformationMatrix(transformationMatrix);
}
}
| java |
<gh_stars>0
{
"name": "<NAME>",
"description": "Tên trộm xuất quỷ nhập thần, trộm bảo vật hoàn toàn là do bản năng.\nTrên người chồn trộm bảo vật có đeo chiếc túi tiền rất đẹp, là kẻ lão luyện trong bầy chồn trộm bảo, bản lĩnh tìm bảo vật và né tránh truy đuổi của chúng rất cao. Thậm chí còn có thể \"truyền thụ\" kỹ thuật cho các thế hệ trẻ trong quần thể. Là những \"kẻ trộm\" có kinh nghiệm, Mora chúng thu thập được cũng nhiều hơn.\nTuy nhiên tước đoạt túi tiền của <NAME> e là cũng không giàu lên được...",
"category": "Thú",
"sortorder": 11026
} | json |
{
"ast": null,
"code": "Object.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\nvar radii = {\n 'none': 0,\n 'xs': 2,\n 'sm': 4,\n 'md': 6,\n 'lg': 8,\n 'xl': 12,\n '2xl': 16,\n '3xl': 24,\n 'full': 9999\n};\nvar _default = radii;\nexports.default = _default;",
"map": {
"version": 3,
"sources": ["radius.ts"],
"names": ["radii"],
"mappings": ";;;;AAAA,IAAMA,KAAK,GAAG;AACZ,UADY,CAAA;AAEZ,QAFY,CAAA;AAGZ,QAHY,CAAA;AAIZ,QAJY,CAAA;AAKZ,QALY,CAAA;AAMZ,QANY,EAAA;AAOZ,SAPY,EAAA;AAQZ,SARY,EAAA;AASZ,UATF;AAAc,CAAd;eAceA,K",
"sourcesContent": [
"const radii = {\n 'none': 0,\n 'xs': 2,\n 'sm': 4,\n 'md': 6,\n 'lg': 8,\n 'xl': 12,\n '2xl': 16,\n '3xl': 24,\n 'full': 9999,\n};\n\nexport type IRadii = keyof typeof radii;\n\nexport default radii;\n"
]
},
"metadata": {},
"sourceType": "script"
}
| json |
<filename>Final-Assignment/data/6302.json
{"published": "2015-09-28T20:15:00Z", "media-type": "News", "title": "Palo Alto Networks Appoints New Federal CSO and Adds Global Defense and Intelligence Leader to its Public Sector Council", "id": "309e36e7-0dad-44ee-9905-e6b1c7425c45", "content": "<NAME>, Calif., Sept. 28, 2015 /PRNewswire/ --\u00a0Palo Alto Networks\u00ae ( PANW ), the next-generation security company, today announced the addition of two decorated military and intelligence leaders to further enhance the company's cybersecurity strategy and global policy expertise. \n \nRetired U.S. Army\u00a0Major\u00a0General <NAME> will serve as Federal\u00a0Chief Security Officer (CSO) at Palo Alto\u00a0Networks and brings extensive cyber experience into the new role.\u00a0 His responsibilities include expanding cybersecurity initiatives and global policy for the\u00a0international public sector and assisting\u00a0governments around the world to successfully prevent cybersecurity attacks. \u00a0He\u00a0left the Pentagon in May 2015 as the Senior Military Advisor for Cyber to the Under Secretary of Defense for Policy and served as the Acting Deputy Assistant Secretary of Defense for Cyber Policy. \u00a0Prior to this assignment, Davis\u00a0served in multiple leadership positions in special operations, information operations, and cyber and earned multiple military decorations.\u00a0\u00a0 \n \nSir <NAME> has joined the Palo Alto Networks\u00a0 Public Sector Advisory Council , which serves as a sounding board for Palo Alto Networks roadmap and vision for the needs of the international public sector, as well as strategy and policy relevant to global cybersecurity. \u00a0An internationally respected leader, he was Director of\u00a0Government Communications Headquarters (GCHQ) in the United Kingdom\u00a0from 2008 - 2014, having served as Director General of Operations from 2004-2008.\u00a0 This is where Lobban \u00a0pioneered an integrated service of intelligence and security. \u00a0A Partner and senior strategy adviser at C5 Holdings, he is also on the Board Financial Crime Risk Committee\u00a0at Standard Chartered Bank. \n \nQUOTES \n \"I am honored that <NAME> and Major General <NAME> are joining the Palo Alto Networks team. \u00a0These two incredibly distinguished public servants, each with deep cybersecurity expertise, will be tremendous allies in our efforts to prevent cyber attacks around the world through the strategic combination of people, process, and technology.\" \n-\u00a0<NAME>, CEO and President at Palo Alto Networks \"I'm really looking forward to working with the world class leadership team at Palo Alto Networks and delighted to join the terrific experts who make up their Public Sector Advisory Council. I believe the Council's experience and perspectives can bring something unique to the dialogue around cybersecurity strategy and policy worldwide.\" \n-\u00a0<NAME>, Palo Alto Networks Public Sector Advisory Council Member and Former Director, Government Communications Headquarters for the United Kingdom\u00a0 \"A comprehensive cyber defense is essential for every government around the world and every company competing in the global economy. \u00a0Everyone has a part to play when combating cybersecurity threats, and I look forward to being a part of the Palo Alto Networks leadership team to better assist the global community's ability to not only combat the threats we face today, but work together to thwart future attacks.\" \n- Major General <NAME>, Federal\u00a0CSO at Palo Alto\u00a0Networks \nFor more information about the Public Sector Advisory Council, visit: https://www.paloaltonetworks.com/solutions/industry/government-agencies/advisory-council.html \n \nAbout Palo Alto Networks \nPalo Alto Networks is the next-generation security company, leading a new era in cybersecurity by safely enabling applications and preventing cyber breaches for tens of thousands of organizations worldwide. \u00a0Built with an innovative approach and highly differentiated cyberthreat prevention capabilities, our game-changing security platform delivers security far superior to legacy or point products, safely enables daily business operations, and protects an organization's most valuable assets. \u00a0Find out more at www.paloaltonetworks.com . \n \nPalo Alto Networks and the Palo Alto Networks logo are trademarks of Palo Alto Networks, Inc. in the United States and in jurisdictions throughout the world. All other trademarks, trade names or service marks used or mentioned herein belong to their respective owners. \n \nLogo - http://photos.prnewswire.com/prnh/20150527/218856LOGO \n \nTo view the original version on PR Newswire, visit: http://www.prnewswire.com/news-releases/palo-alto-networks-appoints-new-federal-cso-and-adds-global-defense-and-intelligence-leader-to-its-public-sector-council-300150145.html", "source": "Yahoo! Finance"} | json |
<gh_stars>1-10
package inescid.dataaggregation.dataset.job;
import java.util.HashSet;
public class ThreadManager {
HashSet<Thread> threads=new HashSet<>();
public void addThreads(Thread... threadsToAdd) {
for(Thread t: threadsToAdd)
threads.add(t);
}
public void removeThreads(Thread... threadsToRemove) {
for(Thread t: threadsToRemove)
threads.remove(t);
}
public void waitForFinish(boolean forceFinishOnDeadlock) {
boolean running=true;
while(running) {
running=false;
if(!running)
for(Thread t: threads)
if(t.isAlive()) {
running=true;
break;
}
}
}
public void waitForFinishOfThreads() {
boolean running=true;
while(running) {
running=false;
for(Thread t: threads)
if(t.isAlive()) {
running=true;
break;
}
}
}
public boolean isAlive() {
for(Thread t: threads)
if(t.isAlive())
return true;
return false;
}
public String printState() {
StringBuilder sb=new StringBuilder();
sb.append("Threads:\n");
for(Thread t: threads)
sb.append(" - ").append(t.getState().name()).append("\n");
return sb.toString();
}
public void startThreads() {
for(Thread t: threads)
t.start();
}
public void interruptThreads() {
for(Thread t: threads)
t.interrupt();
}
}
| java |
<filename>src/lowendtalk/offers/48627-lankapartnerhost.json
{"id": 48627, "date": "2015-04-01 17:32:48", "user": "lankapartnerhost", "post": "Shared Hosting\r\n\r\n1GB_Switzerland \r\n1GB Disk Space \r\n100 GB Bandwidth \r\n1 Addon Domains \r\nCPanel \r\nApache + Nginx \r\nSoftacalous \r\nLocation - Switzerland DMCA free Zone \r\n1.9$/m \r\nOrder Now \r\nhttps://lankapartnerhost.com/cart.php?a=add&pid=147\r\n\r\n1GB_Canada \r\n1GB Disk Space \r\n100 GB Bandwidth \r\n1 Addon Domains \r\nCloudlinux \r\nCPanel \r\nApache + Nginx \r\nSoftacalous \r\nLocation - Canada OVH DC Any Kind Any Size Anti DDOS \r\n1.9$ /m \r\nOrder Now \r\nhttp://lankapartnerhost.com/cart.php?a=add&pid=1\r\n\r\nReseller Hosting Offers \r\n\r\n\r\nAnti DDOS_R1 \r\n100GB Disk \r\n2Tb Bandwidth \r\n25 cPanel Accs \r\nPrivate NS \r\nOVH Anti DDOS \r\n99.9 % uptime \r\nLocation - Canada \r\n5$/m ( coupen \"nowhmcs\") \r\nhttp://lankapartnerhost.com/cart.php?a=add&pid=70\r\n\r\n"} | json |
The AMG A 45 S is powered by a potent 2.0-liter turbocharged four-cylinder engine that produces an impressive amount of power. With 416 horsepower and 369 lb-ft of torque, it accelerates from 0 to 60 mph in just around 3.9 seconds. This remarkable performance is complemented by an AMG-tuned suspension, a performance-oriented all-wheel-drive system, and precise steering, providing exceptional agility and handling on both the road and the track.
- Performance (2)
- Comfort (1)
- Engine (2)
- Power (2)
- Experience (1)
- Maintenance (1)
- Maintenance cost (1)
This car is very good, comfortable, and safe. However, the maintenance cost is not as comfortable.
| english |
When heading into any UFC event, the main event is the one that grabs all the attention. It's the quality of the main event that the card is often remembered by. So, when the headlining fight goes off the rails, there tends to be negative reactions towards the entire show.
When the UFC Mexico crowd filed into the stadium, they were happy knowing that they would be able to see Jeremy Stephens headline the night with Yair Rodriguez. Rodriguez's return to the Octagon was a tremendous deal, having finished his last fight against 'The Korean Zombie' Chan Sung Jung with the most spectacular last-second upward elbow.
Unfortunately, the crowd would not be getting what they wanted, as, at the end of the night, the main event was called off by Herb Dean.
In what has to be the most unfortunate course of events, within 15 seconds of the start of the main event, Herb Dean had to separate the fighters. Yair Rodriguez's flailing hand had accidentally poked his opponent in the eye.
While this was definitely something unfortunate, given the number of fights which are paused due to eye pokes, the Mexican crowd were not worried, waiting for the fight to resume. However this time, that was not the case.
Herb Dean waited the full five minutes after calling in a doctor and pausing the fight. Unfortunately, Jeremy Stephens could not open his eye again.
The referee had the unenviable task of making a decision when the fight did not resume in the five minutes that are allotted to the fighter after such an incident and called the fight.
The crowd were naturally disappointed and expressed their displeasure by throwing bottles into the Octagon. Thankfully no one was hurt and during the post-fight interview, Rodriguez said that he would like to face Stephens again as soon as it was possible in a rematch.
Follow Sportskeeda Wrestling and Sportskeeda MMA on Twitter for all the latest news. Do not miss out! | english |
<reponame>w3c/groups
{"id":134546,"name":"Accessibility Discoverability Vocabulary for Schema.org Community Group","is_closed":false,"description":"The primary objective of this group is to maintain and develop the vocabularies for the accessibility discoverability properties in schema.org, that enable discovery of accessible content. This community group is a successor to the Accessibility Metadata Project that first proposed the properties, which were based on the Access for All metadata. The group may also propose additional properties in the future, if needed.","shortname":"a11y-discov-vocab","discr":"w3cgroup","type":"community group","_links":{"self":{"href":"https://api.w3.org/groups/cg/a11y-discov-vocab"},"homepage":{"href":"https://www.w3.org/community/a11y-discov-vocab/"},"users":{"href":"https://api.w3.org/groups/cg/a11y-discov-vocab/users"},"services":{"href":"https://api.w3.org/groups/cg/a11y-discov-vocab/services"},"chairs":{"href":"https://api.w3.org/groups/cg/a11y-discov-vocab/chairs"},"join":{"href":"https://www.w3.org/community/a11y-discov-vocab/join"},"participations":{"href":"https://api.w3.org/groups/cg/a11y-discov-vocab/participations"}},"identifier":"cg/a11y-discov-vocab"} | json |
use std::collections::HashMap;
impl Solution {
pub fn majority_element(nums: Vec<i32>) -> i32 {
let m: HashMap<i32, i32> = nums.iter().fold(HashMap::new(), |mut acc, n| {
*acc.entry(*n).or_insert(0) += 1;
acc
});
let half = nums.len() as i32 / 2;
for (&k, &v) in m.iter() {
if v > half {
return k;
}
}
0
}
}
pub struct Solution;
| rust |
#!flask/bin/python
from flask import render_template, flash, redirect, session, url_for, \
request, g, send_file, abort, jsonify
from flask_login import current_user
from flask_qrcode import QRcode
from app import app, db, lm
from datetime import datetime, timedelta
from config import STREAMLABS_CLIENT_ID, STREAMLABS_CLIENT_SECRET
from .forms import RegisterForm, ProfileForm
from .models import User, PayReq
from pycoin.key import Key
from exchanges.bitstamp import Bitstamp
from decimal import Decimal
import bitcoin
import requests
import time
import sys
import qrcode
streamlabs_api_url = 'https://www.twitchalerts.com/api/v1.0/'
api_token = streamlabs_api_url + 'token'
api_user = streamlabs_api_url + 'user'
api_tips = streamlabs_api_url + "donations"
callback_result = 0
@app.route('/')
@app.route('/index')
def index():
user = { 'nickname': 'Amp' }
return render_template(
'index.html',
user=user)
@app.route('/profile', methods=['GET', 'POST'])
def profile():
if not "social_id" in session:
return redirect(url_for('index'))
form = ProfileForm()
if request.method == "POST":
u = User.query.filter_by(social_id=session['social_id']).first()
if form.xpub_field.data:
u.xpub = form.xpub_field.data
u.latest_derivation = 0
if form.user_display_text_field.data:
u.display_text = form.user_display_text_field.data
db.session.commit()
return render_template(
'registerpage.html',
form=form,
social_id=session['social_id'],
nickname=session['nickname']
)
@app.route('/login')
def login():
if 'nickname' in session:
return redirect(url_for('profile'))
if request.args.get('code'):
session.clear()
authorize_call = {
'grant_type' : 'authorization_code',
'client_id' : STREAMLABS_CLIENT_ID,
'client_secret' : STREAMLABS_CLIENT_SECRET,
'code' : request.args.get('code'),
'redirect_uri' : 'http://coinstream.co:5000/login'
}
headers = []
token_response = requests.post(
api_token,
data=authorize_call,
headers=headers
)
token_data = token_response.json()
a_token = token_data['access_token']
r_token = token_data['refresh_token']
user_get_call = {
'access_token' : a_token
}
if 'social_id' in session and request.method == 'POST':
try:
new_user = User(
streamlabs_atoken = session['access_token'],
streamlabs_rtoken = session['refresh_token'],
xpub = form.xpub_field.data,
social_id = session['social_id'],
nickname = session['nickname'],
latest_derivation = 0,
display_text = form.user_display_text_field.data
)
db.session.add(new_user)
db.session.commit()
return redirect(url_for('profile'))
except Exception,e:
print str(e)
try:
username = session['nickname']
except KeyError:
username = "UNKNOWN USERNAME"
return render_template(
'login.html',
form=form)
@app.route('/register')
def register():
return "no"
@app.route('/donatecallback', methods=['GET', 'POST'])
def donatecallback():
print request.args
return "Hello World!"
@app.route('/tip/<username>')
def tip(username):
if username.lower() == "amperture" \
or username.lower() == "darabidduckie":
u = User.query.filter_by(social_id=username.lower()).first()
if u:
return render_template(
'tip.html',
nickname = u.nickname,
social_id = u.social_id,
display_text = u.display_text
)
return abort(404)
def get_unused_address(social_id, deriv):
'''
Need to be careful about when to move up the latest_derivation listing.
Figure only incrementing the database entry when blockchain activity is
found is the least likely to create large gaps of empty addresses in
someone's BTC Wallet.
'''
userdata = User.query.filter_by(social_id = social_id).first()
# Pull BTC Address from given user data
key = Key.from_text(userdata.xpub).subkey(0). \
subkey(deriv)
address = key.address(use_uncompressed=False)
# Check for existing payment request, delete if older than 5m.
payment_request = PayReq.query.filter_by(addr=address).first()
if payment_request:
req_timestamp = payment_request.timestamp
now_timestamp = datetime.utcnow()
delta_timestamp = now_timestamp - req_timestamp
if delta_timestamp > timedelta(seconds=60*5):
db.session.delete(payment_request)
db.session.commit()
payment_request = None
if not bitcoin.history(address):
if not payment_request:
return address
else:
print "Address has payment request..."
print "Address Derivation: ", deriv
return get_unused_address(social_id, deriv + 1)
else:
print "Address has blockchain history, searching new address..."
print "Address Derivation: ", userdata.latest_derivation
userdata.latest_derivation = userdata.latest_derivation + 1
db.session.commit()
return get_unused_address(social_id, deriv + 1)
@app.route('/_create_payreq', methods=['POST'])
def create_payment_request():
social_id = request.form['social_id']
deriv = User.query.filter_by(social_id = social_id).first(). \
latest_derivation
address = get_unused_address(social_id, deriv)
new_payment_request = PayReq(
address,
user_display=request.form['user_display'],
user_identifier=request.form['user_identifier']+"_btc",
user_message=request.form['user_message']
)
db.session.add(new_payment_request)
db.session.commit()
return jsonify(
{'btc_addr': address}
)
@app.route('/_verify_payment', methods=['POST'])
def verify_payment():
btc_addr = request.form['btc_addr']
social_id = request.form['social_id']
payrec_check = PayReq.query.filter_by(addr=btc_addr).first()
print "Checking for payment"
payment_check_return = {
'payment_verified' : "FALSE"
}
if bitcoin.history(btc_addr) and payrec_check:
payment_check_return['payment_verified'] = "TRUE"
print "Payment Found!"
payment_notify(social_id, payrec_check)
db.session.delete(payrec_check)
db.session.commit()
return jsonify(payment_check_return)
def payment_notify(social_id, payrec):
user = User.query.filter_by(social_id=social_id).first()
value = bitcoin.history(payrec.addr)[0]['value']
exchange = Bitstamp().get_current_price()
usd_value = ((value) * float(exchange)/100000000)
usd_two_places = float(format(usd_value, '.2f'))
token_call = {
'grant_type' : 'refresh_token',
'client_id' : STREAMLABS_CLIENT_ID,
'client_secret' : STREAMLABS_CLIENT_SECRET,
'refresh_token' : user.streamlabs_rtoken,
'redirect_uri' : 'http://coinstream.co:5000/login'
}
headers = []
tip_response = requests.post(
api_token,
data=token_call,
headers=headers
).json()
user.streamlabs_rtoken = tip_response['refresh_token']
user.streamlabs_atoken = tip_response['access_token']
db.session.commit()
tip_call = {
'name' : payrec.user_display,
'identifier' : payrec.user_identifier,
'message' : payrec.user_message,
'amount' : usd_two_places,
'currency' : 'USD',
'access_token' : tip_response['access_token']
}
tip_check = requests.post(
api_tips,
data=tip_call,
headers=headers
).json()
@app.errorhandler(404)
def handle404(e):
return "That user or page was not found in our system! " \
+ "Tell them to sign up for CoinStream!"
| python |
# gpu-centos-install
tested on aws redhat instance
| markdown |
New Zealand police shot dead n 'ISIS-inspired lone wolf' after a supermarket terror attack left six people in hospital in Auckland.
New Zealand police shot dead n 'ISIS-inspired lone wolf' after a supermarket terror attack left six people in hospital in Auckland.
Prime Minister Jacinda Ardern said on Friday that six people were wounded in the terrorist attack. The suspect, a Sri Lankan national, has been fatally shot by police, New Zealand Herald reported.
"This was a violent attack, it was senseless on innocent New Zealanders," she said. "I want to acknowledge the six New Zealanders injured. " Three were serious, Ardern said.
Ardern said the attack was undertaken by an individual who was a known threat. The man was under constant monitoring. He was shot and killed within 60 seconds.
"The terrorist is a Sri Lankan national who arrived in 2011," said Ardern.
Police Commissioner Andrew Coster said the man was "closely watched by surveillance teams and a tactical team" as he travelled from his home in Glen Eden to Countdown in New Lynn.
He obtained a knife from within the store.
( With inputs from ANI ) | english |
<gh_stars>0
{"date":20200520,"state":"IN","positive":29274,"negative":166464,"pending":null,"hospitalizedCurrently":1288,"hospitalizedCumulative":4389,"inIcuCurrently":431,"inIcuCumulative":990,"onVentilatorCurrently":197,"onVentilatorCumulative":null,"recovered":null,"dataQualityGrade":"A+","lastUpdateEt":"5/19/2020 23:59","dateModified":"2020-05-19T23:59:00Z","checkTimeEt":"05/19 19:59","death":1864,"hospitalized":4389,"dateChecked":"2020-05-19T23:59:00Z","totalTestsViral":null,"positiveTestsViral":null,"negativeTestsViral":null,"positiveCasesViral":null,"deathConfirmed":1716,"deathProbable":148,"totalTestEncountersViral":null,"totalTestsPeopleViral":195738,"totalTestsAntibody":null,"positiveTestsAntibody":null,"negativeTestsAntibody":null,"totalTestsPeopleAntibody":null,"positiveTestsPeopleAntibody":null,"negativeTestsPeopleAntibody":null,"totalTestsPeopleAntigen":null,"positiveTestsPeopleAntigen":null,"totalTestsAntigen":null,"positiveTestsAntigen":null,"fips":"18","positiveIncrease":569,"negativeIncrease":5839,"total":195738,"totalTestResultsSource":"posNeg","totalTestResults":195738,"totalTestResultsIncrease":6408,"posNeg":195738,"deathIncrease":40,"hospitalizedIncrease":0,"hash":"9cbd7ae1581427636b790d83c799aa7979d26039","commercialScore":0,"negativeRegularScore":0,"negativeScore":0,"positiveScore":0,"score":0,"grade":""}
| json |
package se.ayoy.maven.plugins.licenseverifier;
import org.apache.maven.artifact.Artifact;
import org.apache.maven.artifact.DefaultArtifact;
import org.apache.maven.artifact.resolver.ArtifactResolutionResult;
import org.apache.maven.artifact.resolver.filter.ArtifactFilter;
import org.apache.maven.execution.MavenSession;
import org.apache.maven.model.License;
import org.apache.maven.plugin.MojoExecutionException;
import org.apache.maven.plugin.logging.Log;
import org.apache.maven.project.MavenProject;
import org.apache.maven.project.ProjectBuilder;
import org.apache.maven.project.ProjectBuildingRequest;
import org.apache.maven.project.ProjectBuildingResult;
import org.apache.maven.repository.RepositorySystem;
import org.apache.maven.shared.dependency.graph.DependencyGraphBuilder;
import org.apache.maven.shared.dependency.graph.DependencyNode;
import org.apache.maven.shared.dependency.graph.traversal.BuildingDependencyNodeVisitor;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.Mockito;
import org.mockito.invocation.InvocationOnMock;
import org.mockito.runners.MockitoJUnitRunner;
import org.mockito.stubbing.Answer;
import se.ayoy.maven.plugins.licenseverifier.resolver.LicenseDependencyNodeVisitor;
import java.io.File;
import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;
import static java.io.File.separator;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertTrue;
import static org.junit.Assert.fail;
import static org.mockito.Matchers.any;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
@RunWith(MockitoJUnitRunner.class)
public class LicenseVerifierMojoTest {
@Mock
private Log log;
@Mock
private MavenProject project;
@Mock
private ProjectBuilder projectBuilder;
@Mock
private MavenSession session;
@Mock
private ProjectBuildingRequest projectBuildingRequest;
@Mock
private ProjectBuildingResult projectBuildingResult;
@Mock
private RepositorySystem repositorySystem;
@Mock
private ArtifactResolutionResult resolutionResult;
@Mock
private DependencyGraphBuilder dependencyGraphBuilder;
@InjectMocks
private LicenseVerifierMojo licenseVerifierMojo;
private Set<Artifact> artifacts = new HashSet<>();
private List<License> licenses = new ArrayList<>();
private DependencyNode rootNode;
@Before
public void before() throws Exception {
assertNotNull("Failed to mock projectBuildingResult", projectBuildingResult);
when(this.session.getProjectBuildingRequest()).thenReturn(this.projectBuildingRequest);
//when(this.project.getDependencyArtifacts()).thenReturn(artifacts);
when(projectBuilder.build(any(Artifact.class), any(ProjectBuildingRequest.class)))
.thenReturn(this.projectBuildingResult);
when(this.projectBuildingResult.getProject()).thenReturn(this.project);
when(this.project.getLicenses()).thenReturn(licenses);
transitiveArtifact3.setOptional(true);
/*when(repositorySystem.resolve(Mockito.any(ArtifactResolutionRequest.class))).thenAnswer(new Answer<ArtifactResolutionResult>() {
@Override
public ArtifactResolutionResult answer(InvocationOnMock invocationOnMock) throws Throwable {
ArtifactResolutionRequest arg1 = (ArtifactResolutionRequest)invocationOnMock.getArguments()[0];
Artifact queryArtifact = arg1.getArtifact();
ArtifactResolutionResult toReturn = new ArtifactResolutionResult();
ArrayList<Artifact> artifacts = new ArrayList<>();
if (queryArtifact.equals(artifact)) {
toReturn.getArtifacts().add(transitiveArtifact1);
toReturn.getArtifacts().add(transitiveArtifact2);
toReturn.getArtifacts().add(transitiveArtifact3);
} else if (queryArtifact.equals(transitiveArtifact1)
|| queryArtifact.equals(transitiveArtifact2)) {
// Return empty
} else if (queryArtifact.equals(transitiveArtifact3)) {
toReturn.getArtifacts().add(transitiveArtifact4);
} else {
// Return empty
}
ArtifactFilter resolutionFilter = arg1.getResolutionFilter();
toReturn.getArtifacts().addAll(
artifacts
.stream()
.filter(resolutionFilter::include)
.collect(Collectors.toSet()));
return toReturn;
}
});*/
when(resolutionResult.getArtifacts()).thenCallRealMethod();
this.rootNode = mock(DependencyNode.class);
when(this.rootNode.getArtifact()).thenReturn(this.artifact);
when(this.dependencyGraphBuilder.buildDependencyGraph(
any(ProjectBuildingRequest.class),
any(ArtifactFilter.class),
Mockito.anyCollectionOf(org.apache.maven.project.MavenProject.class)))
.thenReturn(rootNode);
when(this.rootNode.accept(any(LicenseDependencyNodeVisitor.class))).then(new Answer<Boolean>() {
@Override
public Boolean answer(InvocationOnMock invocation) throws Throwable {
Object[] args = invocation.getArguments();
BuildingDependencyNodeVisitor nodeVisitor = (BuildingDependencyNodeVisitor) args[0];
nodeVisitor.visit(rootNode);
nodeVisitor.endVisit(rootNode);
return true;
}
//private void invokeRecursive(BuildingDependencyNodeVisitor nodeVisitor, )
});
licenseVerifierMojo.setLog(log);
}
@Test
public void missingFile() throws Exception {
licenseVerifierMojo.setLicenseFile("thisFileDoesntExist.xml");
// Act
try {
licenseVerifierMojo.execute();
fail();
} catch (org.apache.maven.plugin.MojoExecutionException exc) {
String message = exc.getMessage();
// Verify
assertTrue(message.startsWith("File \"thisFileDoesntExist.xml\" (expanded to \""));
assertTrue(message.endsWith(separator + "thisFileDoesntExist.xml\") could not be found."));
}
}
@Test
public void handleOneValidLicense() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The Apache Software License, Version 2.0");
license.setUrl("http://www.apache.org/licenses/LICENSE-2.0.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
licenseVerifierMojo.execute();
// Verify
}
@Test
public void missingLicense() throws Exception {
this.artifacts.add(this.artifact);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (MojoExecutionException exc) {
assertEquals("One or more artifacts is missing license information.", exc.getMessage());
}
}
@Test
public void missingExcludedLicenseFile() throws Exception {
this.artifacts.add(this.artifact);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
licenseVerifierMojo.setExcludedMissingLicensesFile("thisFileDoesntExist.xml");
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (org.apache.maven.plugin.MojoExecutionException exc) {
String message = exc.getMessage();
// Verify
assertTrue(message.startsWith("File \"thisFileDoesntExist.xml\" (expanded to \""));
assertTrue(message.endsWith(separator + "thisFileDoesntExist.xml\") could not be found."));
}
}
@Test
public void missingLicenseButExcluded() throws Exception {
this.artifacts.add(this.artifact);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
licenseVerifierMojo.setExcludedMissingLicensesFile(getFilePath("ExcludedMissingLicense.xml"));
// Act
licenseVerifierMojo.execute();
}
@Test
public void unknownLicense() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("This is some strange license");
license.setUrl("http://www.ayoy.se/licenses/SUPERSTRANGE.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (MojoExecutionException exc) {
assertEquals("One or more artifacts has licenses which is unclassified.", exc.getMessage());
}
}
@Test
public void forbiddenLicense() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The Forbidden License");
license.setUrl("http://www.ayoy.org/licenses/FORBIDDEN");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (MojoExecutionException exc) {
assertEquals("One or more artifacts has licenses which is classified as forbidden.", exc.getMessage());
}
}
@Test
public void warningLicense() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The Warning License");
license.setUrl("http://www.ayoy.org/licenses/WARNING");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (MojoExecutionException exc) {
assertEquals(
"One or more artifacts has licenses which is classified as warning.",
exc.getMessage());
}
}
@Test
public void bothInvalidAndValidLicense1() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The Forbidden License");
license.setUrl("http://www.ayoy.org/licenses/FORBIDDEN");
licenses.add(license);
license = new License();
license.setName("The Apache Software License, Version 2.0");
license.setUrl("http://www.apache.org/licenses/LICENSE-2.0.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
// Act
try {
licenseVerifierMojo.execute();
// Verify
fail(); // Not implemented. Should throw exception.
} catch (MojoExecutionException exc) {
assertEquals(
"One or more artifacts has licenses which is classified as forbidden.",
exc.getMessage());
}
}
@Test
public void bothInvalidAndValidLicense2() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The Forbidden License");
license.setUrl("http://www.ayoy.org/licenses/FORBIDDEN");
licenses.add(license);
license = new License();
license.setName("The Apache Software License, Version 2.0");
license.setUrl("http://www.apache.org/licenses/LICENSE-2.0.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
licenseVerifierMojo.setRequireAllValid("false");
// Act
licenseVerifierMojo.execute();
}
@Test
public void bothUnknownAndValidLicense1() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The unknown License");
license.setUrl("http://www.ayoy.org/licenses/UNKNOWN");
licenses.add(license);
license = new License();
license.setName("The Apache Software License, Version 2.0");
license.setUrl("http://www.apache.org/licenses/LICENSE-2.0.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
licenseVerifierMojo.setRequireAllValid("false");
// Act
licenseVerifierMojo.execute();
}
@Test
public void bothUnknownAndValidLicense2() throws Exception {
this.artifacts.add(this.artifact);
License license = new License();
license.setName("The unknown License");
license.setUrl("http://www.ayoy.org/licenses/UNKNOWN");
licenses.add(license);
license = new License();
license.setName("The Apache Software License, Version 2.0");
license.setUrl("http://www.apache.org/licenses/LICENSE-2.0.txt");
licenses.add(license);
licenseVerifierMojo.setLicenseFile(getFilePath("LicenseVerifierMojoTest-OneValid.xml"));
licenseVerifierMojo.setRequireAllValid("true");
// Act
try {
licenseVerifierMojo.execute();
fail();
} catch(MojoExecutionException exc) {
assertEquals("One or more artifacts has licenses which is unclassified.", exc.getMessage());
}
}
private Artifact artifact = new DefaultArtifact(
"groupId",
"artifactId",
"1.0.0",
"compile",
"type",
"classifier",
null);
private Artifact transitiveArtifact1 = new DefaultArtifact(
"groupId.transitive1",
"artifactId-transitive1",
"1.0.0",
"compile",
"jar",
"",
null);
private Artifact transitiveArtifact2 = new DefaultArtifact(
"groupId.transitive2",
"artifactId-transitive2",
"1.0.0",
"runtime",
"jar",
"",
null);
private Artifact transitiveArtifact3 = new DefaultArtifact(
"groupId.transitive3",
"artifactId-transitive3",
"1.0.0",
"runtime",
"jar",
"",
null);
private Artifact transitiveArtifact4 = new DefaultArtifact(
"groupId.transitive4",
"artifactId-transitive4",
"1.0.0",
"runtime",
"jar",
"",
null);
private String getFilePath(String filename) {
ClassLoader classLoader = getClass().getClassLoader();
File file = new File(classLoader.getResource(filename).getFile());
return file.getAbsolutePath();
}
}
| java |
A top Iranian official has warned the United Arab Emirates and Bahrain that they will pay the price for their "humiliating" move to normalize relations with the illegal Zionist entity.
Almost 300 Rohingya refugees believed to have been at sea for six months landed in Indonesia's Aceh province in the early hours of Monday, Indonesian authorities have confirmed.
Iran’s Foreign Ministry has strongly condemned the French satirical weekly Charlie Hebdo for republishing offensive cartoons against Prophet Muhammad (Blessings of God upon him and his progeny).
Leader of the Islamic Revolution Ayatollah Seyyed Ali Khamenei says the United Arab Emirates has betrayed the entire Muslim world by normalizing ties with the Israeli regime, but that the betrayal will not last long.
The Organization of Islamic Cooperation (OIC) has condemned the burning of a copy of Islam’s Holy Qur’an by far-right extremists in Sweden as a “provocative offense” devised to anger Muslims.
The Australian man who killed 51 Muslim worshipers at two mosques in New Zealand last year has opted not to speak at his sentencing.
As a court in New Zealand hears the case of last year’s horrific mosque shooting in Christchurch, a prosecutor says the supremacist involved in the bloodshed attempted to maximize the fatalities of his attack and stoke fear in the country’s Muslim community.
A senior Iranian official has hailed Turkey’s President Recep Tayyip Erdogan decision to convert the Hagia Sophia museum back as a mosque after nine decades.
Malaysia has launched a search for two dozen persecuted Rohingya refugees who went missing while attempting to swim to shore from a boat off the resort island of Langkawi.
China has lambasted as “rumors and slanders” comments by the UK Foreign Office that accused Beijing of committing “gross” human rights abuses against ethnic and religious minorities in the northwestern region of Xinjiang. | english |
Here are 10 things to know:
With this investment, Reliance Industries said its retail unit has raised a total of Rs 37,710 crore from leading global investors, including Silver Lake and KKR, within four weeks.
That is a second investment by ADIA in a Reliance Industries group company. In June, the Abu Dhabi-based state-owned company had agreed to take a 1. 16 per cent stake in Reliance Industries' digital services arm, Jio Platforms, for Rs 5,683. 50 crore.
"We are delighted with ADIA's current investment and continued support and hope to benefit from its strong track record of over four decades of value creation globally. The investment by ADIA is a further endorsement of Reliance Retail's performance and potential and the inclusive and transformational New Commerce business model that it is rolling out," said Mukesh Ambani, chairman and managing director, Reliance Industries.
Reliance Retail Ventures, a subsidiary of Reliance Industries, operates the country's largest, fastest-growing and most profitable retail business serving close to 640 million footfalls across its 12,000 stores nationwide, the group said.
Last week, Abu Dhabi-based state fund Mubadala invested Rs 6,247. 5 crore in Reliance Retail Ventures for 1. 40 per cent stake in the company.
Reliance Industries shares ended 0. 05 per cent lower at Rs 2,210 on the BSE, ahead of the announcement of deal with ADIA, underperforming the benchmark S&P BSE Sensex index, which climbed to a seven-month high.
Reliance Industries has attracted a series of investments this year, which, along with a rights issue worth Rs 53,000 crore, have helped the group become net debt-free much ahead of its goal of March 2021.
The group has been aggressively expanding its footprint in the domestic retail sector as it looks to attract potential investors over the next few quarters.
At Reliance Industries' annual general meeting this year, Mr Ambani had said his group had been approached by investors for a stake in Reliance Retail.
Last month, Reliance Industries forged a Rs 24,713-crore deal to acquire rival Future Group's retail business. That deal followed its launch of JioMart, an online grocery service, In May, in a move aimed at rivalling Amazon's local unit and Walmart's Flipkart in the huge market. | english |
import styled from '../../styles/styled';
export const Background = styled.div`
width: 100%;
height: 100%;
min-height: 100vh;
position: absolute;
pointer-events: none;
@media (max-width: 1280px) {
overflow: hidden;
}
img {
position: absolute;
opacity: 0.3;
z-index: -1;
}
img:nth-of-type(1) {
height: 328px;
top: 0;
right: 0;
transform: translate(20%, -20%) rotate(-16deg);
}
img:nth-of-type(2) {
height: 600px;
top: 50%;
left: 0;
transform: translate(-50%, -40%);
}
img:nth-of-type(3) {
height: 440px;
bottom: 0;
right: 0;
transform: translate(50%, 40%) rotate(20deg);
}
`;
| typescript |
var express = require('express'); //to import express
var path = require('path'); //to import path
var cookieParser = require('cookie-parser'); //to import cookie-parser
var Index_Router = require('./routes/index'); //to import index.js file from routes folder
var Dashboard_Router = require('./routes/dashboard');
var addNewCat_Router = require('./routes/add_new_category');
var viewCat_Router = require('./routes/password_category');
var addNewPass_Router = require('./routes/add_new_password');
var viewPass_Router = require('./routes/view_all_password');
var editPass_Router = require('./routes/password_details');
var app = express(); //all the properties of express are now in app
app.set('view engine','ejs'); //to tell express which template engine will be used
app.use(express.urlencoded({
extended: true
}));
app.use('/', Index_Router); //to tell express that these routes exist
app.use('/dashboard', Dashboard_Router);
app.use('/add_new_category', addNewCat_Router);
app.use('/password_category', viewCat_Router);
app.use('/add_new_password', addNewPass_Router);
app.use('/view_all_password', viewPass_Router);
app.use('/password_details', editPass_Router);
app.use(express.static(path.join(__dirname, 'public/css'))); //declaring the folder static
var PORT = process.env.PORT || 3000; //to check the environment variable
app.listen(PORT); //to create server | javascript |
<reponame>mhendricks96/record_tracker<filename>record/views.py
from django.shortcuts import render
from django.views.generic import TemplateView, ListView, DetailView, CreateView, DeleteView, UpdateView
from .models import Record
from django.urls import reverse_lazy
from .permissions import IsOwnerOrReadOnly
# Create your views here.
class HomeView(TemplateView):
template_name = 'pages/home.html'
class RecordListView(ListView):
permission_classes = (IsOwnerOrReadOnly,)
template_name = 'pages/record_list.html'
model = Record
context_object_name = 'list_of_records'
class RecordDetailView(DetailView):
permission_classes = (IsOwnerOrReadOnly,)
template_name = 'pages/record_detail.html'
model = Record
class RecordCreateView(CreateView):
permission_classes = (IsOwnerOrReadOnly,)
template_name = 'pages/create_record.html'
model = Record
fields = ['title', 'artist' ,'genre', 'added_by']
#success_url = reverse_lazy('record_list')
class RecordUpdateView(UpdateView):
permission_classes = (IsOwnerOrReadOnly,)
template_name = 'pages/update_record.html'
model = Record
fields = ['title', 'artist' ,'genre', 'added_by']
#success_url = reverse_lazy('record_list')
class RecordDeleteView(DeleteView):
permission_classes = (IsOwnerOrReadOnly,)
template_name = 'pages/delete_record.html'
model = Record
success_url = reverse_lazy('record_list') | python |
import React from 'react';
import { Column, Row,Callout } from '../../rule-styles';
const Content = () => (
<>
<Row>
<Column>
<h1>Rule Book</h1>
</Column>
<Column>
<h1>Libro de reglas</h1>
</Column>
</Row>
<Row>
<Column>
<h1>Contents of Box</h1>
</Column>
<Column>
<h1>CONTENIDO DE LA CAJA</h1>
</Column>
</Row>
<Row>
<Column>
<ul>49 course tiles</ul>
</Column>
<Column>
<ul>49 piezas de campo</ul>
</Column>
</Row>
<Row>
<Column>
<ul>21 adjustment tiles</ul>
</Column>
<Column>
<ul>21 piezas de ajuste</ul>
</Column>
</Row>
<Row>
<Column>
<ul>5 golfers</ul>
</Column>
<Column>
<ul>5 golfistas</ul>
</Column>
</Row>
<Row>
<Column>
<ul>8 golfer cards</ul>
</Column>
<Column>
<ul>8 cartas de golf</ul>
</Column>
</Row>
<Row>
<Column>
<ul>34 club cards</ul>
</Column>
<Column>
<ul>34 cartas de palos</ul>
</Column>
</Row>
<Row>
<Column>
<ul>74 shot cards</ul>
</Column>
<Column>
<ul>74 cartas de tiro</ul>
</Column>
</Row>
<Row>
<Column>
<ul>24 solo chaos golf cards</ul>
</Column>
<Column>
<ul>24 cartas de Solo Chaos Golf</ul>
</Column>
</Row>
<Row>
<Column>
<ul>18 1-point tokens</ul>
</Column>
<Column>
<ul>18 fichas de 1 punto</ul>
</Column>
</Row>
<Row>
<Column>
<ul>18 2-point tokens</ul>
</Column>
<Column>
<ul>18 fichas de 2 puntos</ul>
</Column>
</Row>
<Row>
<Column>
<ul>18 5-point tokens</ul>
</Column>
<Column>
<ul>18 fichas de 5 puntos</ul>
</Column>
</Row>
<Row>
<Column>
<ul>18 hole-in-one tokens</ul>
</Column>
<Column>
<ul>18 fichas de "hoyo en uno"</ul>
</Column>
</Row>
<Row>
<Column>
<ul>1 solo turn marker</ul>
</Column>
<Column>
<ul>1 marcador de turnos para jugar solo</ul>
</Column>
</Row>
<Row>
<Column>
<ul>18 flags & stands</ul>
</Column>
<Column>
<ul>18 banderas y soportes</ul>
</Column>
</Row>
<Row>
<Column>
<ul>14 trees</ul>
</Column>
<Column>
<ul>14 árboles</ul>
</Column>
</Row>
<Row>
<Column>
<ul>This manual</ul>
</Column>
<Column>
<ul>Este manual</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Course book</ul>
</Column>
<Column>
<ul>Libro de campo</ul>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<em>
Some game modes require a pen and paper for scoring (not included).
</em>
</Column>
<Column>
<em>
Algunos modos de juego requieren bolígrafo y papel para anotar (no
incluido).
</em>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Table of Contents</h1>
</Column>
<Column>
<h1>TABLA DE CONTENIDO</h1>
</Column>
</Row>
<Row>
<Column>Is autogenerated and not included in translation</Column>
<Column>Is autogenerated and not included in translation</Column>
</Row>
<Row>
<Column>
<h1>ESTABLISHING TEE-SHOT</h1>
</Column>
<Column>
<h1>FIJANDO EL TIRO DEL TEE</h1>
</Column>
</Row>
<Row>
<Column>
<p>
There is a board meeting taking place, deep in the corporate
headquarters of the international sporting behemoth, Golf Corp. This
meeting will determine the future of golf.
</p>
</Column>
<Column>
<p>
Hay una reunión de la junta directiva en lo profundo de la sede
corporativa del gigante deportivo internacional Golf Corp. Esta
reunión determinará el futuro del golf.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Esteemed board members, things appear dire. Attendance is dropping,
advances in club technology have made our game too easy. With
increased competition for their attention, people are no longer able
to spend 4 hours playing golf. Low attendance puts pressure on our
courses to stay afloat. Packs of property developers have begun to
hound the owners to convert our precious fairways into soulless
estates.
</p>
</Column>
<Column>
<p>
Estimados miembros de la junta, la situación parece grave. La
asistencia está disminuyendo, los avances en la tecnología del club
han hecho nuestro juego demasiado fácil. Con el aumento de la
competencia por su atención, la gente ya no puede pasarse 4 horas
jugando al golf. La baja asistencia presiona a nuestros campos para
mantenerse a flote. Grupos de promotores inmobiliarios han empezado a
acosar a los propietarios para convertir nuestras preciosas calles en
fincas sin alma.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
All is not lost. I’ve had a team of our best minds devising the next
iteration of our great game. The team have come up with a couple of
rule tweaks that will get us out of the sand trap and rolling towards
the hole.
</p>
</Column>
<Column>
<p>
No todo está perdido. Un equipo de nuestras mejores mentes está
ideando la próxima iteración de nuestro gran juego. El equipo ha
ideado un par de ajustes en las reglas que nos sacarán de la trampa de
arena y nos llevarán al hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
The course owners need more people on their courses, and we have
failed to improve on the number of good hours in the day. We’re going
to change our approach and introduce simultaneous play. More people
playing golf at once means more green fees. Our patented HOLOBALL™
technology will make it safe for everyone in a group to tee off at the
same time.
</p>
</Column>
<Column>
<p>
Los propietarios de los campos necesitan más gente en ellos, y no
hemos logrado mejorar el número de horas buenas al día. Vamos a
cambiar nuestro enfoque e introducir el juego simultáneo. Más gente
jugando al golf a la vez significa más green fees. Nuestra tecnología
patentada HOLOBALLTM hará que jugar al mismo tiempo sea seguro para
todos los miembros de un grupo.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
It is a fantastic technology. I thought the flotilla of drones
tracking and stopping golf balls was going to be the winner. But
this... This making the golf ball the drone is clever. Golf balls that
never get lost. Golf balls that can stop before it hits someone and
then restart their flight afterwards. Golf balls that track your
score.
</p>
</Column>
<Column>
<p>
Es una tecnología fantástica. Pensé que la flotilla de drones
rastreando y deteniendo bolas de golf iba a ser la ganadora. Pero
esto... Esto de hacer que la bola de golf sea un dron es inteligente.
Bolas de golf que nunca se pierden. Bolas de golf que pueden detenerse
antes de que golpeen a alguien y luego reiniciar su vuelo después.
Bolas de golf que registran tu puntuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Now, I admit there have been a few injuries. One might say that the
technology is still a bit rough. But, I think we can start rolling it
out to some of the courses that are struggling to stay under par.
</p>
</Column>
<Column>
<p>
Bueno, admito que ha habido algunas heridas. Se podría decir que la
tecnología es todavía un poco tosca. Pero, creo que podemos empezar a
extenderlo a algunos de los campos que están luchando por mantenerse a
la par.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Now, we used to have a great relationship with club manufacturers.
However, lately, each new advance in golf technology erodes the
challenge, whether it be homing balls, super-drivers or the recently
released magnetic sand wedges.
</p>
</Column>
<Column>
<p>
Antes teníamos una gran relación con los fabricantes de palos. Sin
embargo, últimamente, cada nuevo avance en la tecnología del golf lo
hace más dificil, ya sea las bolas con guía, los superdrivers o los
recientemente lanzados wedges magnéticos de arena.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
To strike back at the club manufacturers profiteering off the demise
of our great game, we have some changes that won’t target them
directly but will reduce their influence.
</p>
</Column>
<Column>
<p>
Para contrarrestar el beneficio de los fabricantes de palos por la
desaparición de nuestro gran juego, tenemos algunos cambios que no se
dirigirán directamente a ellos, sino que reducirán su influencia.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Golf has always been not just about shot execution but shot selection.
We will reduce the club limit from 14 to 5 forcing players to think
more about which clubs they take and when they use them. Golf is also
about planning and working out your approach, for this we will not
allow players to use the same club until they have used all their
other clubs.
</p>
</Column>
<Column>
<p>
De siempre, el golf no ha consistido solo en la ejecución de los
tiros, sino en la selección de los mismos. Reduciremos el límite de
palos de 14 a 5 obligando a los jugadores a pensar más en qué palos
toman y cuándo los usan. El golf también consiste en planificar y
elaborar tu juego, para ello no permitiremos que los jugadores usen el
mismo palo hasta que hayan usado todos sus otros palos.
</p>
</Column>
</Row>
<Row>
<Column>
<p>Board members. Welcome to the next age of golf!</p>
</Column>
<Column>
<p>Miembros de la junta. ¡Bienvenidos a la próxima era del golf! </p>
</Column>
</Row>
<Row>
<Column>
<p>The board room erupts into applause.</p>
</Column>
<Column>
<p>La sala de juntas estalla en aplausos.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Overview</h1>
</Column>
<Column>
<h1>Detalles</h1>
</Column>
</Row>
<Row>
<Column>
<p>
It has been ten years since that board meeting. Golf has never been
more popular. Along with the invention of HOLOBALL™ technology, new
ways to play golf have been created, and the sport is thriving. You
are a golfer in this golden era of golf. Draft your clubs and then
compete on the course with careful shot selection and intelligent
hazard navigation.
</p>
</Column>
<Column>
<p>
Han pasado diez años desde esa reunión de la junta. El golf nunca ha
sido más popular. Junto con la invención de la tecnología HOLOBALLTM,
se han creado nuevas formas de jugar al golf, y el deporte está
prosperando. Eres un golfista en esta era dorada del golf. Prepara tus
palos y, luego, compite en el campo con una cuidadosa selección del
tiro y una inteligente navegación de obstáculos.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
The game plays over the 18 holes of a golf course–each hole requiring
the player to use one or more clubs. After playing a club, players
cannot use that club again until playing all other clubs. Golfers
score points by reaching greens first. The winner is the golfer with
the most points scored.
</p>
</Column>
<Column>
<p>
El juego se desarrolla en los 18 hoyos de un campo de golf, cada uno
de los cuales requiere que el jugador use uno o más palos. Después de
jugar con un palo, los jugadores no pueden usar ese palo de nuevo
hasta que no jueguen con todos los demás. Los golfistas ganan puntos
llegando primero a los greens. El ganador es el golfista con más
puntos anotados.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
This book contains rules for many different modes including solo,
two-player, golf racing and chaos golf. Each game mode lets you tailor
the experience for your playgroups. The first part of this book covers
the standard rule set called Match Play.
</p>
</Column>
<Column>
<p>
Este libro contiene las reglas de muchos modos diferentes, incluyendo
el solitario, el de dos jugadores, las carreras de golf y el Chaos
Golf. Cada modo de juego te permite adaptar la experiencia a tus
grupos de juego. La primera parte de este libro cubre el conjunto de
reglas estándar llamado Match Play.
</p>
</Column>
</Row>
<Row>
<Column>
<h2>Course TILES</h2>
</Column>
<Column>
<h2>PIEZAS de campo</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Use these tiles to build the course you play on. There are 49
double-sided tiles you can use to create a new course each time you
play.
</p>
</Column>
<Column>
<p>
Usa estas piezas para construir el campo en el que juegas. Hay 49
piezas de doble cara que puedes usar para crear un nuevo campo cada
vez que juegas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The tiles have one of three levels of difficulty indicated using stars
in the corner of each tile. Each tile has a number and an arrow that
points in the main direction.
</p>
</Column>
<Column>
<p>
Las piezas tienen uno de los tres niveles de dificultad indicados con
estrellas en la esquina de cada pieza. Cada pieza tiene un número y
una flecha que apunta a la dirección principal.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
See the accompanying booklet for course designs and instructions on
how to build courses.
</p>
</Column>
<Column>
<p>
Ve el folleto adjunto para diseños de campos e instrucciones sobre
cómo construir campos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Adjustment Tiles</h2>
</Column>
<Column>
<h2>Piezas de ajuste</h2>
</Column>
</Row>
<Row>
<Column>
<p>
These mini hexes can be placed on top of the course tiles to modify
the difficulty of the course. For a more relaxed game, cover up the
hazards with rough-side up tiles. If you’re looking for a challenge,
use the hazard side to adjust existing ones or add new ones.
</p>
</Column>
<Column>
<p>
Estos minihexágonos pueden colocarse encima de las piezas del campo
para modificar la dificultad del mismo. Para un juego más relajado,
cubre los hazards con piezas con el lado de rough arriba. Si buscas un
desafío, usa el lado del hazard para ajustar los existentes o añadir
otros nuevos.
</p>
</Column>
</Row>
<Row>
<Column>
<h2>Golfer Cards</h2>
</Column>
<Column>
<h2>Cartas de golfistas</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Players select golfer cards that provide a unique special ability. The
a-side abilities reduce the challenge while the b-side often contain
some restrictions. You pick either a-side or b-side when playing.
</p>
</Column>
<Column>
<p>
Los jugadores seleccionan cartas de golfistas que proporcionan una
habilidad especial única. Las habilidades del lado A reducen la
dificultad, mientras que el lado B suelen contener restricciones.
Eliges el lado A o el lado B cuando juegas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Club Cards</h2>
</Column>
<Column>
<h2>Cartas de palos</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Each club has a unique ability or tells you which shot deck to draw
from. You can take only five clubs with you on the course. Once used,
you cannot use it again until you have used all your other clubs.
</p>
</Column>
<Column>
<p>
Cada palo tiene una habilidad única o te dice de qué mazo de cartas
robar. Solo puedes sacar cinco palos en el campo. Una vez usados, no
puedes volver a usarlos hasta que hayas usado todos tus otros palos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Shot Cards</h2>
</Column>
<Column>
<h2>Cartas de tiro</h2>
</Column>
</Row>
<Row>
<Column>
<p>
These cards are organised in five decks and represent the different
distances and directions for your shots. Each contains cards that hit
the ball left, right and in some cases, your choice of direction.
</p>
</Column>
<Column>
<p>
Estas cartas están organizadas en cinco mazos y representan las
diferentes distancias y direcciones de tus tiros. Cada uno contiene
cartas que golpean la bola a la izquierda, a la derecha y, en algunos
casos, tú eliges la dirección.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
A flight map on each card helps you plot the passage of your ball. The
orange hex marks where your ball lands. When hitting the ball from the
rough, it travels one hex less. See “PLAYING FROM THE ROUGH” on page
12.
</p>
</Column>
<Column>
<p>
Un mapa de vuelo en cada carta te ayuda a trazar el paso de tu bola.
El hexágono naranja marca donde cae tu bola. Al golpear la bola desde
el rough, viaja un hexágono menos. Ver "JUGANDO DESDE EL
ROUGH" en la página 12.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
You also use shot cards to get out of bunkers. The bunker outcome icon
is in the bottom right corner. See “EXITING BUNKERS, GREENS AND
WINNING” on page 11.
</p>
</Column>
<Column>
<p>
También usas cartas de tiro para salir de los bunkers. El icono del
resultado del búnker está en la esquina inferior derecha. Ver
"SALIR DE BUNKERS, GREENS Y GANAR" en la página 11.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Green Markers / Score Tokens</h2>
</Column>
<Column>
<h2>Marcadores de green / Fichas de puntuación</h2>
</Column>
</Row>
<Row>
<Column>
<p>
The circular tokens serve a dual purpose. The front face has greens
numbered 1 to 18. Since the course tiles don’t have numbers on the
greens, placing the tokens number-side up helps track the order of the
holes.
</p>
</Column>
<Column>
<p>
Las fichas circulares tienen un doble propósito. La cara delantera
tiene los greens numerados del 1 al 18. Como las piezas del campo no
tienen números en los greens, colocar las fichas con números hacia
arriba ayuda a seguir el orden de los hoyos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
In many of the game modes in 18 Holes, you use the tokens score-side
up for scoring. These sides show point values of 5, 2 and 1. See
“MULTIPLE WAYS TO PLAY” on page 18.
</p>
</Column>
<Column>
<p>
En muchos de los modos de juego de 18 Holes, se utilizan las fichas
para llevar el marcaje. Estos lados muestran valores de puntos de 5, 2
y 1. Ver "MÚLTIPLES FORMAS DE JUGAR" en la página 18.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are spare 1pt, 2pt and 5pt markers. These have no green numbers.
Please put them in a safe place in case you need them.
</p>
</Column>
<Column>
<p>
Hay marcadores de repuesto de 1, 2 y 5 puntos. Estos no tienen números
de green. Por favor, ponlos en un lugar seguro en caso de que los
necesites.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Hole-in-one Marker</h2>
</Column>
<Column>
<h2>Marcador de hoyo en uno</h2>
</Column>
</Row>
<Row>
<Column>
<p>
These are collected when you score a hole-in-one. In the event of a
tie-break, the player with the most hole-in-one markers is the winner.
</p>
</Column>
<Column>
<p>
Estos se recogen cuando consigues un hoyo en uno. En el caso de
empate, el jugador con más marcadores de hoyo en uno es el ganador.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Solo Chaos Golf Cards</h2>
</Column>
<Column>
<h2>Cartas de Solo Chaos Golf</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Use this deck of cards to organise the flow of the solo chaos golf and
to adjust the difficulty. These cards have two different symbols.
Single colour circles which represent turns where only the player
scores and two-tone circles where both you and your automated
opponents score. These are turns where your opponents can score. See
“SOLO CHAOS GOLF” on page 24.
</p>
</Column>
<Column>
<p>
Usa este mazo de cartas para organizar el flujo del Solo Chaos Golf y
ajustar la dificultad. Estas cartas tienen dos símbolos diferentes.
Círculos de un solo color que representan los turnos en los que solo
el jugador puntúa y círculos de dos tonos en los que tanto tú como tus
oponentes automatizados puntuáis. Estos son turnos en los que tus
oponentes pueden anotar. Ver "SOLO CHAOS GOLF" en la página
24.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Solo TURN Marker</h2>
</Column>
<Column>
<h2>Marcador de TURNOS para jugar solo</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Used to track which turn you are on during a game of solo chaos golf.
</p>
</Column>
<Column>
<p>
Se usa para controlar en qué turno estás durante un juego de Solo
Chaos Golf.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Flags</h2>
</Column>
<Column>
<h2>Banderas</h2>
</Column>
</Row>
<Row>
<Column>
<p>
These flags are placed onto greens to indicate where you are aiming.
There is one for each hole numbered 1 to 18 and three spare
(unnumbered) flags. Put the additional flags away for safekeeping.
</p>
</Column>
<Column>
<p>
Estas banderas se colocan en los greens para indicar a dónde apuntas.
Hay una para cada hoyo, numeradas del 1 al 18, y tres banderas de
repuesto (sin numerar). Guarda las banderas adicionales para que no se
pierdan.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Trees</h2>
</Column>
<Column>
<h2>Árboles</h2>
</Column>
</Row>
<Row>
<Column>
<p>
These trees are decorations that you can put onto your course. Place
them over tree hazards to make them more prominent. There are only 14
trees, so you’ll need to move them along the course as you play.
</p>
</Column>
<Column>
<p>
Estos árboles son adornos que puedes poner en tu campo. Colócalos
sobre los hazards de árboles para hacerlos más prominentes. Solo hay
14 árboles, así que tendrás que moverlos a lo largo del campo mientras
juegas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>GOLFERs</h2>
</Column>
<Column>
<h2>GOLFISTAS</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Each player has one golfer meeple that represents them on the course.
There is no difference between them, so pick the colour you like best.
</p>
</Column>
<Column>
<p>
Cada jugador tiene una figura de golfista que lo representa en el
campo. No hay diferencia entre ellos, así que elige el color que más
te guste.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>ONLINE CONTENT</h2>
</Column>
<Column>
<h2>CONTENIDO ONLINE</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Scan the QR code below to watch a Let’s Play video, access these rules
in other languages or view the FAQ.
</p>
</Column>
<Column>
<p>
Escanea el código QR que aparece a continuación para ver un vídeo de
Juguemos, acceder a estas reglas en otros idiomas o ver las preguntas
frecuentes.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>From Tee Box to Green</h1>
</Column>
<Column>
<h1>De tee de salida a green</h1>
</Column>
</Row>
<Row>
<Column>
<p>
A game of 18 Holes is played on a course consisting of one or more
holes. Most courses have 18 Holes although it’s common to have
shorter, quicker 9 hole courses. You score a point for each hole you
win. You win a hole by reaching the green before your opponents.
Multiple players score in the event of a tie.
</p>
</Column>
<Column>
<p>
Un juego de 18 Holes se juega en un campo que consiste en uno o más
hoyos. La mayoría de los campos tienen 18 hoyos, aunque es común tener
campos de 9 hoyos más cortos y rápidos. Anotas un punto por cada hoyo
que ganas. Ganas un hoyo al llegar al green antes que tus oponentes.
Múltiples jugadores anotan en caso de empate.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The green is the small hex with a little black flag on it. To the
right we have a single hole made of three course tiles. The top tile
contains the green. The tee box is on the bottom tile. From the tee
box to the green runs the fairway.
</p>
</Column>
<Column>
<p>
El green es el pequeño hexágono con una pequeña bandera negra. A la
derecha tenemos un solo hoyo hecho con tres piezas de campo. La pieza
superior contiene el green. El tee de salida está en la pieza
inferior. La calle corre desde el tee de salida hasta el green.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
A hole will have you starting with your golfer on the tee box and the
task is to get to the green. You play clubs that will move your
golfer. You don’t have to follow the fairway to the green. It can be a
good idea though because your shots will go further when played from
the fairway.
</p>
</Column>
<Column>
<p>
Un hoyo te hará empezar con tu golfista en el tee de salida y tu tarea
es llegar al green. Juegas con palos que moverán a tu golfista. No
tienes que seguir la calle hasta el green. Puede ser una buena idea
porque tus tiros irán más lejos cuando juegues desde la calle.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are only a couple of tiles that you cannot land on. These are
tree hazards and the clubhouse. The tree hazard will have a white
fence around it. The clubhouse can be seen on page 15. You can land on
the fairways and greens of other holes and you can land on tiles that
contain other golfers. All this thanks to HOLOBALL™.
</p>
</Column>
<Column>
<p>
Solo hay un par de piezas sobre las que no puedes aterrizar. Estos son
los hazards de árboles y la casa club. El hazard de árboles tendrá una
valla blanca a su alrededor. La casa club se puede ver en la página
15. Puedes aterrizar en las calles y greens de otros hoyos y puedes
aterrizar en las piezas que contienen otros golfistas. Todo esto
gracias a HOLOBALLTM.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
While you can land on most tiles in the game, not all are recommended.
Some contain water which will cause you to miss a turn and others
contain bunkers which you will have to get out of before continuing
on. The dark green that is on every other tile is the rough and that
will reduce the distance of your shots. See “HAZARDS & OTHER TILES” on
page 15.
</p>
</Column>
<Column>
<p>
Aunque puedes caer en la mayoría de las piezas del juego, no todas son
recomendables. Algunos contienen agua, lo que te hará perder un turno,
y otros contienen bunkers, de los que tendrás que salir antes de
continuar. El verde oscuro que hay en cada una de las otras piezas es
el rough y eso reducirá la distancia de tus tiros. Ver "HAZARDS Y
OTRAS PIEZAS" en la página 15.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are lots of ways to customise your 18 Holes experience.
Different game modes give you different experiences and challenges.
You can adjust courses to make them easier and harder. The eight
golfers that come in the game let you make the game easier or harder
on player basis. By trying the different options we’re confident
you’ll find a gaming experience you will enjoy and come back to.
</p>
</Column>
<Column>
<p>
Hay muchas maneras de personalizar tu experiencia de 18 Holes. Los
diferentes modos de juego te dan diferentes experiencias y desafíos.
Puedes ajustar los campos para hacerlos más fáciles o más difíciles.
Los ocho golfistas que entran en el juego te permiten hacer el juego
más fácil o más difícil en base a los jugadores. Probando las
diferentes opciones, estamos seguros de que encontrarás una
experiencia de juego que disfrutarás y a la que volverás.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Setup</h1>
</Column>
<Column>
<h1>Configuración</h1>
</Column>
</Row>
<Row>
<Column>
<h2>BUILD THE COURSE</h2>
</Column>
<Column>
<h2>CREAR EL CAMPO</h2>
</Column>
</Row>
<Row>
<Column>
<p>
You can set up the course using one of the designs from the course
booklet or design one of your own. The back page of the course booklet
has instructions on how to create courses.
</p>
</Column>
<Column>
<p>
Puedes configurar el campo usando uno de los diseños del folleto del
campo o diseñar el tuyo propio. La última página del folleto del campo
tiene instrucciones sobre cómo crear campos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Once you have built your course, place a flag on each hole. Put the
1st flag on the green (right) for the first hole and continue to the
18th green. If you’re playing with trees, place them on the first 14
trees on the course. The tree hazards are the hexes with little white
fences around them.
</p>
</Column>
<Column>
<p>
Una vez que hayas hecho tu campo, coloca una bandera en cada hoyo. Pon
la primera bandera en el green (derecha) para el primer hoyo y
continúa hasta el green 18. Si estás jugando con árboles, colócalos en
los primeros 14 árboles del campo. Los hazards de árboles son los
hexágonos con pequeñas vallas blancas a su alrededor.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>It’s time for everyone to pick a golfer and draft clubs.</p>
</Column>
<Column>
<p>Es hora de que todos elijan un golfista y saquen palos.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<Callout>YOUR FIRST GAME</Callout>
</Column>
<Column>
<Callout>TU PRIMER JUEGO</Callout>
</Column>
</Row>
<Row>
<Column>
<Callout>Try Starting Course on Page 5 of the course book.</Callout>
</Column>
<Column>
<Callout>
Consulta Starting Course en la página 5 del libro de campos.{' '}
</Callout>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>SELECT GOLFER</h2>
</Column>
<Column>
<h2>SELECCIONA GOLFISTA</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Each player selects a golfer card to play. You can let the players
pick the one and side they want or deal one out at random.
</p>
</Column>
<Column>
<p>
Cada jugador selecciona una carta de golfista para jugar. Puedes dejar
que los jugadores escojan el lado que quieran o repartir uno al azar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each golfer card has an a-side and a b-side. The a-side golfers tend
to make the game easier, and the b-side golfers tend to make the game
harder.
</p>
</Column>
<Column>
<p>
Cada carta de golfista tiene un lado A y un lado B. Los golfistas del
lado A tienden a hacer el juego más fácil, y los del lado B tienden a
hacer el juego más difícil.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Golfer selection happens before club selection as some golfers
influence the club selection phase.
</p>
</Column>
<Column>
<p>
La selección de los golfistas ocurre antes de la selección del palo,
ya que algunos golfistas influyen en la fase de selección del palo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<Callout>YOUR FIRST GAME</Callout>
</Column>
<Column>
<Callout>TU PRIMER JUEGO</Callout>
</Column>
</Row>
<Row>
<Column>
<Callout>
Skip the golfer cards until you’re ready to add to the challenge.
</Callout>
</Column>
<Column>
<Callout>
Salta las cartas de golfista hasta que estés listo para añadir
dificultad.{' '}
</Callout>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>DRAFT CLUBS</h2>
</Column>
<Column>
<h2>SACAR PALOS</h2>
</Column>
</Row>
<Row>
<Column>
<p>Players will draft for clubs until they have 5 each.</p>
</Column>
<Column>
<p>Los jugadores sacarán palos hasta que tengan 5 cada uno.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Shuffle the club cards. If playing a solo or two-player game, remove
clubs that show 3+ or 5+ in the bottom right corner. In a 3 or 4
player game remove the 5+ cards.
</p>
</Column>
<Column>
<p>
Baraja las cartas de los palos. Si juegas en solitario o en pareja,
quita los palos que muestren 3+ o 5+ en la esquina inferior derecha.
En un juego de 3 o 4 jugadores, quita las cartas de 5+.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Deal the same number of cards to each player. Any remaining cards are
not used and are returned to the box sight-unseen.
</p>
</Column>
<Column>
<p>
Reparte el mismo número de cartas a cada jugador. Las cartas que
quedan no se usan y se devuelven a la caja sin mostrarlas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each player selects one club out of the cards dealt and places it in
front of them, face down. They pass the remaining cards to the person
on their left. Again, each player selects one card from the remaining
four and places it face-down in front of them and passes the remainder
to the left. Continue until all players have five clubs. This is their
hand. Each player will also need space for a discard pile for used
clubs in front of them.
</p>
</Column>
<Column>
<p>
Cada jugador elige un palo de las cartas repartidas y lo coloca
delante de ellos, boca abajo. Pasan las cartas restantes a la persona
de su izquierda. De nuevo, cada jugador selecciona una carta de las
cuatro restantes, la coloca boca abajo delante de ellos y pasa el
resto a la izquierda. Continúa hasta que todos los jugadores tengan
cinco palos. Esta es su mano. Cada jugador también necesitará espacio
para poner los palos usados delante de ellos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If a player has The Shark, Iron Jane or Slugger see “GOLFER ABILITIES”
on page 16 for rules that change the draft.
</p>
</Column>
<Column>
<p>
Si un jugador tiene The Shark, Iron Jane o Slugger, consultar
"Habilidades de golfista" en la página 16 para las reglas
que cambian la forma de sacar cartas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The draft is your first chance to gain an advantage. Course features
determine the effectiveness of some clubs. Look at the course to see
which clubs you think are going to be useful.
</p>
</Column>
<Column>
<p>
Robar cartas es tu primera oportunidad de obtener una ventaja. Las
características del campo determinan la eficacia de algunos palos.
Mira el campo para ver qué palos crees que van a serte útiles.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<Callout>YOUR FIRST GAME</Callout>
</Column>
<Column>
<Callout>TU PRIMER JUEGO</Callout>
</Column>
</Row>
<Row>
<Column>
<Callout>
On the face of some club cards is an A,B,C,D or E. Instead of
drafting, give the A’s to player 1, the B’s to player 2, etc.
</Callout>
</Column>
<Column>
<Callout>
En la cara de algunas cartas de palos hay una A, B, C, D o E. En lugar
de escoger, da las A al jugador 1, las B al jugador 2, etc.
</Callout>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>BEGIN PLAY</h2>
</Column>
<Column>
<h2>COMIENZA A JUGAR</h2>
</Column>
</Row>
<Row>
<Column>
<p>
You are now ready to start playing. Place all the golfers on the tee
box of the first hole. All players should have their clubs in their
hands concealed from other players.
</p>
</Column>
<Column>
<p>
Ya estás listo para empezar a jugar. Coloca a todos los golfistas en
el tee de salida del primer hoyo. Todos los jugadores deben tener sus
palos en la mano, ocultándoselos a los demás jugadores.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Take the 5 shot decks, these have C, 2, 3, 4 or 5 on the back. Shuffle
and place within reach of all players.
</p>
</Column>
<Column>
<p>
Coge los 5 mazos de tiro, tienen marcado C, 2, 3, 4 o 5 en la parte de
atrás. Barájalos y ponlos al alcance de todos los jugadores.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Playing A Round</h1>
</Column>
<Column>
<h1>Jugando una ronda</h1>
</Column>
</Row>
<Row>
<Column>
<p>EACH ROUND OF 18 HOLES IS DIVIDED INTO THESE STEPS</p>
</Column>
<Column>
<p>CADA RONDA DE 18 HOLES SE DIVIDE EN ESTOS PASOS</p>
</Column>
</Row>
<Row>
<Column>
<strong>SELECTING CLUBS</strong>
</Column>
<Column>
<strong>SELECCIONAR LOS PALOS</strong>
</Column>
</Row>
<Row>
<Column>1. Reset empty hands</Column>
<Column>Resetear las manos vacías</Column>
</Row>
<Row>
<Column>2. Select & reveal clubs</Column>
<Column>Seleccionar y revelar los palos</Column>
</Row>
<Row>
<Column>3. Determine play order</Column>
<Column>Determinar el orden de juego</Column>
</Row>
<Row>
<Column>
<strong>ON YOUR TURN</strong>
</Column>
<Column>
<strong>EN TU TURNO</strong>
</Column>
</Row>
<Row>
<Column>4. Complete one action</Column>
<Column>Completa una acción</Column>
</Row>
<Row>
<Column>a. Move one hex</Column>
<Column>Mover un hexágono</Column>
</Row>
<Row>
<Column>b. Play club card</Column>
<Column>Jugar la carta del palo</Column>
</Row>
<Row>
<Column>c. Attempt a big hit</Column>
<Column>Intentar un gran golpe</Column>
</Row>
<Row>
<Column>d. Exit bunker</Column>
<Column>Salir del búnker</Column>
</Row>
<Row>
<Column>e. Reset your hand</Column>
<Column>Resetear tu mano</Column>
</Row>
<Row>
<Column>5. Discard club.</Column>
<Column>Descartar palo.</Column>
</Row>
<Row>
<Column>
<strong>REACHING THE GREEN</strong>
</Column>
<Column>
<strong>ALCANZAR EL GREEN</strong>
</Column>
</Row>
<Row>
<Column>6. Score flags</Column>
<Column>Ganar banderas</Column>
</Row>
<Row>
<Column>7. Score hole-in-one tokens</Column>
<Column>Fichas de puntuación "hoyo en uno"</Column>
</Row>
<Row>
<Column>8. Move all players to the next hole</Column>
<Column>Mueve a todos los jugadores al siguiente hoyo</Column>
</Row>
<Row>
<Column>9. Remove any hazard effects</Column>
<Column>Eliminar cualquier efecto de los hazards</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>SELECTING CLUBS</h2>
</Column>
<Column>
<h2>SELECCIONAR LOS PALOS</h2>
</Column>
</Row>
<Row>
<Column>
<h3>1. RESET Empty HANDs</h3>
</Column>
<Column>
<h3>1. RESETEAR LAS MANOS VACÍAS</h3>
</Column>
</Row>
<Row>
<Column>
<p>
If you have no clubs in your hand, draw all your discarded clubs into
your hand.
</p>
</Column>
<Column>
<p>
Si no tienes palos en la mano, saca todos los palos descartados en tu
mano.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you have a club in your hand that you cannot use, you may also
reset your hand. e.g. you have the driver and are not on a tee box.
</p>
</Column>
<Column>
<p>
Si tienes un palo en la mano que no puedes usar, también puedes
resetear tu mano. Por ejemplo, tienes el driver y no estás en el tee
de salida.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you are playing Dorian’s a-side, you may only reset your clubs
before you tee off on a hole.
</p>
</Column>
<Column>
<p>
Si juegas con el lado A de Dorian, solo puedes resetear tus palos
antes de dar el primer golpe de un hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>2. SELECT CLUB</h3>
</Column>
<Column>
<h3>2. SELECCIONAR PALO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Each player selects one club from their hand and places it face down
in front of them.
</p>
</Column>
<Column>
<p>
Cada jugador selecciona un palo de su mano y lo coloca boca abajo
delante de ellos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When all players have done this, simultaneously reveal all clubs. Once
done, players may not change their mind.
</p>
</Column>
<Column>
<p>
Cuando todos los jugadores hayan hecho esto, revelan simultáneamente
todos los palos. Una vez hecho esto, los jugadores no pueden cambiar
de opinión.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The player with Bunjil must use their power before placing a club
face-down. If Bunjil is on their b-side and exposes a shot card,
players who have placed a club face down may change their mind.
</p>
</Column>
<Column>
<p>
El jugador con Bunjil debe usar su poder antes de colocar un palo boca
abajo. Si Bunjil está en su lado B y expone una carta de tiro, los
jugadores que han colocado un palo boca abajo pueden cambiar de
opinión.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The player with <NAME> on his a-side can use his power after the
reveal and nominate another player’s club to use.
</p>
</Column>
<Column>
<p>
El jugador con <NAME> con el lado A puede usar su poder después
de la revelación y nombrar el palo de otro jugador para usarlo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>3. DETERMINE PLAY ORDER</h3>
</Column>
<Column>
<h3>3. DETERMINAR EL ORDEN DE JUEGO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the initiative order of each club to determine the play order. The
club with the lowest initiative goes first. You can find the
initiative in the top left corner of the club card.
</p>
</Column>
<Column>
<p>
Utiliza el orden de la iniciativa de cada palo para determinar el
orden de juego. El palo con la menor iniciativa va primero. Puedes
encontrar la iniciativa en la esquina superior izquierda de la carta
del palo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If Slick Rikesh is using another player’s club, Slick Rikesh plays
immediately after the other player.
</p>
</Column>
<Column>
<p>
Si Slick Rikesh está usando el palo de otro jugador, Slick Rikesh
juega inmediatamente después del otro jugador.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If Swift is on her a-side, she wins any initiative ties. If Swift is
on her b-side, she loses any initiative ties.{' '}
</p>
</Column>
<Column>
<p>
Si Swift está en su lado A, gana cualquier empate de iniciativa. Si
Swift está en su lado B, pierde cualquier empate de iniciativa.{' '}
</p>
</Column>
</Row>
<Row>
<Column>
<p>
If Swift ties with <NAME> who is borrowing a club, she wins on
her a-side and loses on her b-side.
</p>
</Column>
<Column>
<p>
Si Swift empata con <NAME> que está pidiendo prestado un palo,
gana en su lado A y pierde en su lado B.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Looking at the clubs below, the 8 Hybrid has an initiative of 5, and
that player takes their turn first. The next player is the person with
the 6 Iron ( initiative 12). The last player to take their turn is the
person who played the 5 Wood (initiative 20).
</p>
</Column>
<Column>
<p>
Mirando los palos de abajo, el Híbrido 8 tiene una iniciativa de 5, y
ese jugador va primero. El siguiente jugador es la persona con el
Hierro 6 (iniciativa 12). El último jugador en salir es la persona que
jugó la Madera 5 (iniciativa 20).
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Following the play order, each player takes a turn.</p>
</Column>
<Column>
<p>Siguiendo el orden de juego, cada jugador sigue su turno.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>ON YOUR TURN</h2>
</Column>
<Column>
<h2>EN TU TURNO</h2>
</Column>
</Row>
<Row>
<Column>
<h3>4. COMPLETE ONE ACTION</h3>
</Column>
<Column>
<h3>4. COMPLETA UNA ACCIÓN</h3>
</Column>
</Row>
<Row>
<Column>
<p>When it is your turn perform one of the following actions:</p>
</Column>
<Column>
<p>Cuando sea tu turno, realiza una de las siguientes acciones:</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>Move one hex</Column>
<Column>Mover un hexágono </Column>
</Row>
<Row>
<Column>Play club card</Column>
<Column>Jugar la carta del palo</Column>
</Row>
<Row>
<Column>Attempt a big hit</Column>
<Column>Intentar un gran golpe</Column>
</Row>
<Row>
<Column>Exit bunker</Column>
<Column>Salir del búnker</Column>
</Row>
<Row>
<Column>Reset your hand</Column>
<Column>Resetear tu mano</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>After you have completed your turn, you discard your club.</p>
</Column>
<Column>
<p>Después de que hayas completado tu turno, descartas tu palo.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>4.a) MOVE ONE HEX</h3>
</Column>
<Column>
<h3>4.a) Muévete un hexágono</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Unless in a bunker, you have the option of moving one hex. Place your
golfer in one of the adjacent hexes. You cannot move onto a hex with a
tree hazard or off the board. See “HAZARDS & OTHER TILES” on page 15.
</p>
</Column>
<Column>
<p>
A menos que estés en un búnker, tienes la opción de moverte un
hexágono. Pon a tu golfista en uno de los hexágonos adyacentes. No
puedes moverte a un hexágono con un hazard de árbol o fuera del
tablero. Ver "HAZARDS Y OTRAS PIEZAS" en la página 15.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>4.b) PLAY CLUB CARD</h3>
</Column>
<Column>
<h3>4.b) JUGAR CARTA DE PALO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Depending on the club, you will be able to do one of the following:
</p>
</Column>
<Column>
<p>Dependiendo del palo, podrás hacer una de las siguientes cosas:</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<ul>Draw 1 card from the shot deck shown on the card</ul>
</Column>
<Column>
<ul>Saca una carta del mazo de tiros que se muestra en la carta</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Draw 1 card from one of two shot decks shown</ul>
</Column>
<Column>
<ul>
Saca una carta de uno de los dos mazos de tiros que se muestran{' '}
</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Draw 2 cards from the shot deck shown on the card</ul>
</Column>
<Column>
<ul>Saca 2 cartas del mazo de tiros que se muestra en la carta</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Move your golfer the number of hexes in a straight line</ul>
</Column>
<Column>
<ul>Mueve tu golfista el número de hexágonos en línea recta</ul>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Written on each club is the option you have. Playing a club card
involves three steps: draw, decide, move.
</p>
</Column>
<Column>
<p>
La opción que tienes está escrita en cada palo. Jugar una carta de
palo implica tres pasos: robar, decidir, mover.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
For most clubs, you draw your shot cards, decide which direction to
hit and then move your golfer in that order. When drawing from the
chip deck, you must decide the direction before you draw a card. See
“CHIPPING” on page 13. When playing a wood, you do not draw any cards
as your club always moves a set distance in a straight line.
</p>
</Column>
<Column>
<p>
Para la mayoría de los palos, sacas tus cartas de tiros, decides en
qué dirección golpear y luego mueves tu golfista en ese orden. Cuando
se saca de la baraja de chip, hay que decidir la dirección antes de
sacar una carta. Ver "CHIPEAR" en la página 13. Cuando se
juega una madera, no se sacan cartas, ya que el palo siempre se mueve
a una distancia determinada en línea recta.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h4>Draw A Single Shot Card</h4>
</Column>
<Column>
<h4>Saca una carta de un solo tiro</h4>
</Column>
</Row>
<Row>
<Column>
<p>
Most clubs let you draw one card from a single shot deck. Some clubs
give you multiple decks to choose from, but you may still only draw
one card.
</p>
</Column>
<Column>
<p>
La mayoría de los palos te permiten sacar una carta de un mazo de un
solo tiro. Algunos palos te dan varios mazos para elegir, pero aun así
solo puedes robar una carta.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Pick the deck and draw the top card. If the drawn card has special
effects (super, short or shuffle), then follow the instructions
written on the shot card. Place each additional shot card you draw on
top of the previous one. Once you have finished drawing, use the shot
card to work out where to move your golfer.
</p>
</Column>
<Column>
<p>
Escoge el mazo y saca la carta de arriba. Si la carta que se ha sacado
tiene efectos especiales (super, corto o barajado), entonces sigue las
instrucciones escritas en la carta de tiro. Coloca cada carta de tiro
adicional que saques encima de la anterior. Una vez que hayas
terminado de robar, usa la carta de tiro para saber adónde mover tu
golfista.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
For more information on special cards, see “SUPER, SHORT, SHUFFLE AND
WILD CARDS” on page 14.
</p>
</Column>
<Column>
<p>
Para más información sobre las cartas especiales, ver "CARTAS
SUPER, CORTA, DE BARAJADO Y COMODINES" en la página 14.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If the deck is empty whenever you go to draw, shuffle the discard pile
and turn over to form a new deck. Do not shuffle cards you drew this
turn into the new deck.
</p>
</Column>
<Column>
<p>
Si la baraja está vacía cuando tengas que robar, baraja el montón de
descartes y dale la vuelta para formar un nuevo mazo. No barajes las
cartas que sacaste este turno en el nuevo mazo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you are playing Lucky you may perform your ability and redraw a
card at this point.
</p>
</Column>
<Column>
<p>
Si juegas con Lucky puedes lanzar tu habilidad y volver a sacar una
carta en este punto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h4>Drawing Multiple Shot Cards</h4>
</Column>
<Column>
<h4>Robando cartas de múltiples tiros</h4>
</Column>
</Row>
<Row>
<Column>
<p>
When drawing 2 shot cards, you get to pick which of the shot cards you
want to use.
</p>
</Column>
<Column>
<p>
Al robar dos cartas de tiro, puedes elegir cuál de las cartas de tiro
quieres usar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Place each shot card side-by-side. If one of the shot cards asks you
to draw more cards (super, short, shuffle), you may choose to follow
the instructions on those cards and place the new cards over the card
that required the draw. When you have finished drawing, you must pick
one from the top cards visible. You use the selected card to move your
golfer.
</p>
</Column>
<Column>
<p>
Coloca cada carta de tiro una al lado de la otra. Si una de las cartas
de tiro te pide que saques más cartas (super, corto, barajado), puedes
elegir seguir las instrucciones de esas cartas y colocar las nuevas
cartas sobre la que requirió robar carta. Cuando termines de robar,
debes elegir una de las cartas superiores visibles. Usas la carta
seleccionada para mover a tu golfista.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
In the example below, Gustav has ended up drawing 3 shot cards. He must
choose one of the top two visible cards.
</Column>
<Column>
En el siguiente ejemplo, Gustav ha terminado sacando 3 cartas de tiro.
Debes elegir una de las dos cartas visibles de arriba.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Playing a round & Big Hits</h1>
</Column>
<Column>
<h1>Jugando una ronda y grandes golpes</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h4>Move Your Golfer</h4>
</Column>
<Column>
<h4>Mueve a tu golfista</h4>
</Column>
</Row>
<Row>
<Column>
<p>
The flight plan shown on your shot card indicates the travel of the
ball. The golfer icon on the shot card is where your golfer is at the
start of the shot. Move your golfer along the numbered hexes until you
reach the orange finishing hex. You do not have to hit it towards the
green or along the fairway.
</p>
</Column>
<Column>
<p>
El plan de vuelo que aparece en tu carta de tiro indica el recorrido
de la bola. El icono del golfista en la carta de tiro es donde tu
golfista está al comienzo del tiro. Mueve a tu golfista por los
hexágonos numerados hasta llegar al hexágono final naranja. No tienes
que golpearlo hacia el green o a lo largo de la calle.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If your flight plan travels through a hex with fenced trees, then you
must stop before entering any hex with the trees. Your ball has hit
the trees and has stopped.
</p>
</Column>
<Column>
<p>
Si tu plan de vuelo pasa por un hexágono con árboles cercados, debes
detenerte antes de entrar en cualquier hexágono con los árboles. Tu
bola ha golpeado los árboles y se ha detenido.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you landed in a hazard (bunker, lake), then follow the rules on
page “HAZARDS & OTHER TILES” on page 15.
</p>
</Column>
<Column>
<p>
Si aterrizaste en un hazard (búnker, lago), sigue las reglas de la
página "Hazards y otras piezas" en la página 15.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you started your turn in the rough hex (right), see: “PLAYING FROM
THE ROUGH” on page 12.
</p>
</Column>
<Column>
<p>
Si comenzaste tu turno en el hexágono rough (derecha), ve:
"JUGANDO DESDE EL ROUGH" en la página 12.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h4>Changing your mind</h4>
</Column>
<Column>
<h4>Cambio de opinión</h4>
</Column>
</Row>
<Row>
<Column>
<p>
If you have not taken your finger off your golfer, you may alter the
direction you have hit the ball.
</p>
</Column>
<Column>
<p>
Si no has quitado el dedo de tu golfista, puedes alterar la dirección
en la que has golpeado la bola.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
Clare finds herself in a position where she cannot react the green in
one stroke. She plays a 2 Icon and draws a single card from shot deck
#4. The drawn shot card bends towards the left. Her best option is to
hit off-course and use the shape of the shot to land beyond the water
hazard adjacent to the green, in an excellent position for her next
turn.
</Column>
<Column>
Clare se encuentra en una posición en la que no puede llegar al green de
un solo golpe. Juega un 2 Icono y saca una sola carta del mazo de tiros
4. La carta de tiro sacada se dobla hacia la izquierda. Tu mejor opción
es golpear fuera de campo y usar la forma del tiro para aterrizar más
allá del hazard de agua adyacente al green, en una excelente posición
para tu próximo giro.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>4.c) ATTEMPT A BIG HIT</h3>
</Column>
<Column>
<h3>4.c) INTENTAR UN GRAN GOLPE</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Sometimes you need more distance. You can hit your club further than
the options displayed on the club card. To do so, on your turn,
announce to the group that you are performing a BIG HIT. You now draw
one more card than usual, and all cards must be from the deck one
higher than the highest numbered deck shown on your club card.
</p>
</Column>
<Column>
<p>
A veces necesitas más distancia. Puedes golpear tu palo más allá de
las opciones que aparecen en la carta del palo. Para ello, en tu
turno, anuncia al grupo que vas a realizar un GRAN GOLPE. Ahora coge
una carta más de lo habitual, y todas las cartas deben ser de un mazo
mayor que el mazo más alto que se muestra en tu carta de palos
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
After you have drawn your cards, hand them to the player to your left.
They discard one of the shot cards. Of the cards that remain, you
choose one to play.
</p>
</Column>
<Column>
<p>
Después de que hayas sacado tus cartas, dáselas al jugador de tu
izquierda. Descartan una de las cartas de tiro. De las cartas que
quedan, eliges una para jugar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Any super, short, or reshuffle cards play as usual. A super means your
Big Hit is even bigger than expected and a short will likely
disappoint during your time of great need.
</p>
</Column>
<Column>
<p>
Cualquier carta super, corta o de volver a barajar se juega como de
costumbre. Una Super significa que tu Gran Golpe es aún más grande de
lo esperado y una Corta probablemente te decepcionará durante tu
tiempo de gran necesidad.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Not every club allows you to attempt a big hit, for example, clubs
that already draw from shot deck #5. In the top corner of each club is
a symbol that indicates whether you can use it for a big hit. In the
example below, the driver has a No Big Hit icon while the 9 Iron shows
you can do a Big Hit.
</p>
</Column>
<Column>
<p>
No todos los palos permiten intentar un gran golpe, por ejemplo, los
palos que se sacan del mazo de tiros 5. En la esquina superior de cada
palo hay un símbolo que indica si puedes usarlo para un gran golpe. En
el siguiente ejemplo, el Driver tiene un icono de No Gran Golpe
mientras que el Hierro 9 muestra que puedes hacer un Gran Golpe.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Big Hits</h3>
</Column>
<Column>
<h3><NAME></h3>
</Column>
</Row>
<Row>
<Column>
{' '}
If your club allows you to draw from shot decks #3 and #4, then you may
draw two cards from shot deck #5. You may not draw two cards from shot
deck #4. If your club card allows you to draw 2 cards then you must draw
3 cards. In this case the other player will discard 1 and you will pick
from the remaining 2.
</Column>
<Column>
{' '}
Si tu palo te permite robar de los mazos de tiro 3 y 4, entonces puedes
robar dos cartas del mazo de tiro 5. No puedes robar dos cartas del mazo
de tiro 4. Si tu carta de palos te permite sacar 2 cartas, entonces
debes robar 3 cartas. En este caso, el otro jugador descartará 1 y tú
elegirás de los 2 restantes.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>EXITING BUNKERS, GREENS AND WINNING</h1>
</Column>
<Column>
<h1>SALIR DE BUNKERS, GREENS Y GANAR</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>4.D) EXIT BUNKER</h3>
</Column>
<Column>
<h3>4.D) SALIR DE BUNKERS</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When you land in a bunker, you must get out before continuing play.
Before drawing a shot card, you must decide the direction you hope to
move. This rule is the same as chipping (see “CHIPPING” on page 13).
The hex you chose to move into is your target hex.
</p>
</Column>
<Column>
<p>
Cuando caes en un búnker, debes salir antes de continuar el juego.
Antes de robar una carta de tiro, debes decidir la dirección en la que
esperas moverte. Esta regla es la misma que la de chipear (ver
"CHIPEAR" en la página 13). El hexágono al que elegiste
moverte es tu hexágono objetivo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Draw a single shot card from one of the decks shown on the card.
Instead of looking at the flight path of the shot card, look at the
bunker outcome icon in the bottom right corner.
</p>
</Column>
<Column>
<p>
Sacas una carta de un solo tiro de uno de los mazos que se muestran en
la carta. En lugar de mirar la trayectoria de vuelo de la carta de
tiro, mira el icono del resultado del búnker en la esquina inferior
derecha.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are four outcomes shown below. From left to right these are:
</p>
</Column>
<Column>
<p>
A continuación, se muestran cuatro resultados. De izquierda a derecha
son estos:
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<ul>remain in the bunker</ul>
</Column>
<Column>
<ul></ul>
</Column>
</Row>
<Row>
<Column>
<ul>move to the left of your target hex</ul>
</Column>
<Column>
<ul>permanece en el búnker</ul>
</Column>
</Row>
<Row>
<Column>
<ul>move to your target hex</ul>
</Column>
<Column>
<ul>
moverte a la izquierda de tu hexágono objetivo moverte a tu hexágono
objetivo
</ul>
</Column>
</Row>
<Row>
<Column>
<ul>move to the right of your target hex</ul>
</Column>
<Column>
<ul>moverte a la derecha de tu hexágono objetivo</ul>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you exit the bunker, move your golfer to the hex as determined by
the bunker icon.
</p>
</Column>
<Column>
<p>
Si sales del búnker, mueve a tu golfista al hexágono determinado por
el icono del búnker.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When the club you have chosen to play is the sand wedge, you consider
the bunker as rough. You do not need to perform the exit bunker
action. If your sand wedge is in your hand or your discard pile, it
does not protect you from bunkers.
</p>
</Column>
<Column>
<p>
Cuando el palo que has elegido para jugar es el sand wedge, consideras
el búnker como rough. No es necesario realizar la acción de salir del
búnker. Tener el sand wedge en la mano o tu montón de cartas
descartadas, no te protege de los bunkers.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
Sebastian finds himself in a bunker (A). He declares he is hitting
towards the green (arrow). He draws a shot card, and the revealed bunker
outcome shows the ball going to the right. He follows the bunker icon
and moves to the right (B) of the direction he declared.
</Column>
<Column>
Sebastián se encuentra en un búnker (A). Declara que va a golpear hacia
el green (flecha). Saca una carta de tiro, y el resultado revelado del
búnker muestra que la bola va hacia la derecha. Sigue el icono del
búnker y se mueve a la derecha (B) de la dirección que declaró.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>4.e) RESET YOUR HAND</h3>
</Column>
<Column>
<h3>4.e) RESETEAR TU MANO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You may choose not to hit the ball and reset your hand. Return all
your discarded clubs to your hand. If you are playing Dorian’s a-side,
you may not reset your hand at this point.
</p>
</Column>
<Column>
<p>
Puedes elegir no golpear la bola y resetear tu mano. Devuelve todos
tus palos descartados a tu mano. Si estás jugando el lado A de Dorian,
no puedes resetear tu mano en este momento.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>5. Discard Club</h3>
</Column>
<Column>
<h3>5. Descarte de palos</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Your turn ends here. Place the club you used on your discard pile. If
you play a card that never expires, return it to your hand. e.g.
Slugger’s Driver or Dorian’s a-side club. If you are playing Slick
Rikesh’s b-side or Dorian’s b-side, skip this step.
</p>
</Column>
<Column>
<p>
Tu turno termina aquí. Coloca el palo que usaste en tu montón de
descartes. Si juegas una carta que nunca expira, devuélvela a tu mano.
P. ej., Driver de slugger o palo de Dorian con lado A. Si estás
jugando el lado B de Slick Rikesh o el lado B de Dorian, salta este
paso.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Reaching the Green</h2>
</Column>
<Column>
<h2>Alcanzando el Green</h2>
</Column>
</Row>
<Row>
<Column>
<h3>6. SCORE FLAGS</h3>
</Column>
<Column>
<h3>6. <NAME></h3>
</Column>
</Row>
<Row>
<Column>
<p>
When a player reaches the green, they take the flag. If multiple
players reach the green in the same round, then one player takes the
flag and the others a 1-point token.
</p>
</Column>
<Column>
<p>
Cuando un jugador llega al green, toma la bandera. Si varios jugadores
llegan al green en la misma ronda, un jugador se lleva la bandera y
los demás una ficha de 1 punto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>7. Score Hole-in-one TOKENS</h3>
</Column>
<Column>
<h3>7. FICHAS de puntuación "hoyo en uno"</h3>
</Column>
</Row>
<Row>
<Column>
<p>
If you scored a hole-in-one, take a hole-in-one token. A hole-in-one
is scored on your first turn for the hole when you hit from the tee
box and land on the green.
</p>
</Column>
<Column>
<p>
Si anotaste un hoyo en uno, toma una ficha de hoyo en uno. Un hoyo en
uno se anota en tu primer turno del hoyo cuando golpeas desde el tee
de salida y caes en el green.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>8. MOVE TO THE NEXT HOLE</h3>
</Column>
<Column>
<h3>8. PASAR AL SIGUIENTE HOYO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
After the players have received their green tokens, move all players
to the tee box of the next hole.
</p>
</Column>
<Column>
<p>
Después de que los jugadores hayan recibido sus fichas verdes, mueven
a todos los jugadores al tee de salida del siguiente hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>9. REMOVE ANY HAZARD EFFECTS</h3>
</Column>
<Column>
<h3>9. ELIMINAR CUALQUIER EFECTO DE HAZARD</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Any players that were about to miss a turn because of a water hazard
have this status removed.
</p>
</Column>
<Column>
<p>
A los jugadores que estaban a punto de perder un turno debido a un
hazard de agua se les quita este estatus.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Winning the Game</h2>
</Column>
<Column>
<h2>Ganar el juego</h2>
</Column>
</Row>
<Row>
<Column>
<p>
At the end of the course, each player counts the number of flags and
1-point tokens they have. Each flag and token is worth 1 point. The
player with the most points wins.
</p>
</Column>
<Column>
<p>
Al final del campo, cada jugador cuenta la cantidad de banderas y
fichas de 1 punto que tiene. Cada bandera y ficha vale un punto. El
jugador con más puntos gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
In the event of a tie, count up the hole-in-one tokens. The player
with the most hole-in-one tokens wins the tie-break. If players are
still tied, those players share the win.
</p>
</Column>
<Column>
<p>
En caso de empate, se cuentan las fichas de "hoyo en uno".
El jugador con más fichas de hoyo en uno gana el empate. Si los
jugadores siguen empatados, esos jugadores comparten la victoria.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>PLAYING FROM THE ROUGH</h1>
</Column>
<Column>
<h1>JUGANDO DESDE EL ROUGH</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When you start your turn on a rough tile, your shot travels a reduced
distance.
</p>
</Column>
<Column>
<p>
Cuando empiezas tu turno en una pieza rough, tu tiro viaja una
distancia reducida.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
For clubs that go a fixed distance (woods), this is represented by a
second hex on your club with a rough symbol. Below: the 5-Wood goes 2
hexes when played from the rough and 3 from a fairway.
</p>
</Column>
<Column>
<p>
Para los palos que van a una distancia fija (maderas), esto se
representa por un segundo hexágono en tu palo con un símbolo de rough.
Abajo: el Madera 5 va 2 hexágonos cuando se juega desde el rough y 3
desde una calle.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
For clubs that draw from shot decks, there is a rough symbol on your
shot card (see right). Use this instead of the orange hex when
determining the final destination for your golfer.
</p>
</Column>
<Column>
<p>
Para los palos que se sacan de los mazos de tiro, hay un símbolo de
rough en la carta de tiro (ver derecha). Usa esto en lugar del
hexágono naranja para determinar el destino final de tu golfista.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Rough is considered any tile that does not have a fairway on it. A
water hazard is deemed to be rough (after you have missed a turn). A
water hazard on a fairway (“HAZARDS & OTHER TILES” on page 15) is
considered fairway. Most of a golf course is rough. General advice is
to stay out of it.
</p>
</Column>
<Column>
<p>
Se considera rough a cualquier pieza que no tenga calle. Se considera
que un hazard de agua es rough (después de haber perdido el turno). Un
hazard de agua en una calle ("Hazards y otras piezas" en la
página 15) se considera calle. La mayor parte de un campo de golf es
rough. El consejo general es que no te metas en esto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
All hybrid clubs (3 Hybrid, 5 Hybrid and 8 Hybrid) suffer no penalties
when hitting from the rough.
</p>
</Column>
<Column>
<p>
Ningún palo híbrido (Híbrido 3, Híbrido 5 e Híbrido 8) sufre
penalizaciones al golpear desde el rough.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
All shot cards drawn from the chip deck suffer no penalties when
hitting from the rough. There are no rough symbols on these cards
(they always travel 2 hexes).
</p>
</Column>
<Column>
<p>
Todas las cartas de tiro sacadas de la baraja de chip no sufren
penalizaciones cuando se golpea desde el rough. No hay símbolos de
rough en estas cartas (siempre se mueve 2 hexágonos).
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
Mackenzie (white disc) finds herself in the rough. She plays a 2 Iron,
and that lets her draw from Shot Deck #4. The shot card curves left.
When plotting out her movement, she uses the rough symbol on the shot
card to work it out. Because of the reduced distance, she moves two
hexes straight and then one to the left to land where the rough marker
on the shot card shows. In this example, she has landed back on the
fairway–a good position for her next shot.
</Column>
<Column>
Mackenzie (disco blanco) se encuentra en el rough. Juega con un Hierro
2, y eso le permite sacar del Mazo de Tiros 4. La carta de tiro se curva
hacia la izquierda. Al trazar su movimiento, utiliza el símbolo de la
carta de tiro para resolverlo. Debido a la reducida distancia, mueve dos
hexágonos en línea recta y luego uno a la izquierda para caer donde se
muestra el marcador del rough de la carta de tiro. En este ejemplo, ha
caído de nuevo en la calle, una buena posición para su próximo tiro.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Chipping</h1>
</Column>
<Column>
<h1>Chipear</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The chip deck is different from the other shot decks. These shot cards
give you the option of going over trees, don’t suffer a rough penalty,
and come with one constraint. You have to declare the direction you’re
going to chip before you draw any cards.
</p>
</Column>
<Column>
<p>
El mazo de chip es diferente de los otros mazos de tiro. Estas cartas
de tiro te dan la opción de pasar por encima de los árboles, no sufren
penalización de rough y vienen con una restricción. Tienes que
declarar la dirección en la que vas a chipear antes de robar otra
carta.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Declare a direction</h2>
</Column>
<Column>
<h2>Declarar una dirección</h2>
</Column>
</Row>
<Row>
<Column>
<p>
This rule means picking any one of the six directions leaving the hex
and telling the other players. You can either describe it: “hitting
towards the water” or point to it. You may not change your direction
after you have drawn a shot card.
</p>
</Column>
<Column>
<p>
Esta regla significa elegir cualquiera de las seis direcciones que
salen del hexágono e informar a los demás jugadores. Puedes
describirlo: "golpeo hacia el agua" o señalarlo. No puedes
cambiar de dirección después de haber sacado una carta de tiro.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Draw Shot Cards</h2>
</Column>
<Column>
<h2>Robar cartas de tiro</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Once you have declared your direction, you draw your cards as usual.
</p>
</Column>
<Column>
<p>
Una vez que hayas declarado tu dirección, robas tus cartas como de
costumbre.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Move Your Golfer</h2>
</Column>
<Column>
<h2>Mueve a tu golfista</h2>
</Column>
</Row>
<Row>
<Column>
<p>
The main change to the move your golfer phase is you have already
declared which direction you are hitting the ball. Move your golfer as
usual with one exception.
</p>
</Column>
<Column>
<p>
El principal cambio en el movimiento de tu golfista es que ya has
declarado en qué dirección vas a golpear la bola. Mueve a tu golfista
como de costumbre con una excepción.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If the hex adjacent to your golfer is a tree you chip over it and land
in the orange destination hex. You still cannot land on trees, if your
target hex is a tree hazard then you land on the hex you would have
chipped over. If that is also a tree hazard, your golfer does not
move.
</p>
</Column>
<Column>
<p>
Si el hexágono adyacente a tu golfista es un árbol, chipeas sobre él y
caes en el hexágono naranja de destino. Todavía no puedes caer en los
árboles, si tu hexágono objetivo es un hazard de árboles, entonces
caes en el hexágono sobre el que habrías chipeado. Si también es un
hazard de árboles, tu golfista no se mueve.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The Lob Wedge is a unique club in that you do not need to declare the
direction you’re going to hit the ball before you play it.
</p>
</Column>
<Column>
<p>
El lob wedge es un palo único en el que no necesitas declarar la
dirección en la que vas a golpear la bola antes de jugarla.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
Brock finds themself in an awkward position with trees blocking progress
up the fairway. They play their trusty 9 iron and point to the tile they
intend to chip over (arrow). It’s a safe play as most cards from the
chip deck will put them on the fairway. They then draw a shot card from
the chip deck to see what fate has dealt them. It pays off, and they get
a shot card that drifts right putting them back onto the fairway and in
an excellent position for their next shot.
</Column>
<Column>
Brock se encuentra en una posición incómoda con árboles que bloquean el
progreso en la calle. Juegan con su fiel hierro 9 y señala la pieza a la
que pretende chipear (flecha). Es un juego seguro, ya que la mayoría de
las cartas de la baraja de chip, le pondrá en la calle. Luego, sacan una
carta de tiro para ver qué les ha deparado el destino. Vale la pena, y
obtienen una carta de tiro que deriva a la derecha y los pone de nuevo
en la calle y en una posición excelente para su próximo tiro.
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>SUPER, SHORT, SHUFFLE AND WILD CARDS</h1>
</Column>
<Column>
<h1>CARTAS SUPER, CORTA, DE BARAJADO Y COMODINES</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Super and ShorT</h2>
</Column>
<Column>
<h2>Super y Corta</h2>
</Column>
</Row>
<Row>
<Column>
<p>
With the super and short cards, you put them down on the table and
then draw a replacement shot card and place it over the top of the
super or short card. Draw a replacement card from the deck listed on
the super or short card.
</p>
</Column>
<Column>
<p>
Con las cartas super y cortas, las pones sobre la mesa y luego sacas
una carta de tiro de reemplazo y la colocas sobre la parte superior de
la carta super o corta. Saca una carta de reemplazo del mazo que
aparece en la carta super o corta.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
These cards chain, so it’s possible to end up back in the deck that
you started from or, to go from Shot Deck #2 to Shot Deck #5.
</p>
</Column>
<Column>
<p>
Estas cartas se encadenan, así que es posible terminar de nuevo en el
mazo del que partiste o pasar del mazo de tiro 2 al mazo de tiro 5.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
A super hit from the chip deck that results in a draw from a shot deck
other than the chip deck loses its ability to go over trees.
</p>
</Column>
<Column>
<p>
Un golpe super de la baraja que resulta en un empate de una baraja que
no sea la baraja de chip pierde su capacidad de pasar por encima de
los árboles.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Shuffle</h2>
</Column>
<Column>
<h2>De barajado</h2>
</Column>
</Row>
<Row>
<Column>
<p>
When you draw a shuffle card, put all current discards from this shot
deck back in and shuffle them. Place this card on the table and draw a
replacement card and place on top. Always draw the replacement card
from the same deck.
</p>
</Column>
<Column>
<p>
Cuando se saca una carta de barajar, se meten todos los descartes
actuales de este mazo de tiro y se barajan. Pon esta carta sobre la
mesa, y saca una carta de repuesto y colócala encima. Siempre saca la
carta de reemplazo del mismo mazo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Cards that you have drawn so far this turn, e.g. super cards or other
cards from clubs that let you draw 2 cards, are not put back into the
deck.
</p>
</Column>
<Column>
<p>
Las cartas que has robado hasta ahora en este turno, por ejemplo,
cartas super u otras cartas de palos que te permiten robar 2 cartas,
no se vuelven a poner en el mazo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you draw a shuffle card and there is no discard pile, you do not
need to shuffle the deck. You still need to draw a replacement card.
</p>
</Column>
<Column>
<p>
Si sacas una carta de barajado y no hay montón de descartes, no
necesitas barajar el mazo. Todavía tienes que sacar una carta de
reemplazo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Wild Cards</h2>
</Column>
<Column>
<h2>Comodines</h2>
</Column>
</Row>
<Row>
<Column>
<p>
When you draw a card with multiple outcomes on it, you can choose
which one you want to use. If one of the options is out-of-bounds,
then you must take the only option that remains in play.
</p>
</Column>
<Column>
<p>
Cuando robas una carta con múltiples resultados en ella, puedes elegir
cuál quieres usar. Si una de las opciones está fuera de límites,
entonces debes tomar la única opción que queda en juego.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
See “HAZARDS & OTHER TILES” on page 15 for more information on out of
bounds.
</p>
</Column>
<Column>
<p>
Ver "Hazards y otras piezas" en la página 15 para más
información sobre fuera de límites.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>LONGEST DRIVE CARD</h2>
</Column>
<Column>
<h2>CARTA DEL DRIVE MÁS LARGO</h2>
</Column>
</Row>
<Row>
<Column>
<p>
When you draw and play this shot card, keep the longest drive card.
This card is your memento that you hit the longest drive in the game,
and if you don’t win today, at least you’re going home with something.
Not the card, you understand, that stays in the box. You get the sense
of smug satisfaction of having hit the longest drive.
</p>
</Column>
<Column>
<p>
Cuando robes y juegues esta carta de tiro, guarda la carta de tiro más
larga. Esta carta es tu recuerdo de que has hecho el trayecto más
largo del juego y, si no ganas hoy, al menos te irás a casa con algo.
No la carta, entiéndelo, ésta se queda en la caja. Tienes la sensación
de satisfacción de haber hecho el trayecto más largo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
This shot card travels 6 hexes in a straight line. It stops at trees
as other shot cards do.
</p>
</Column>
<Column>
<p>
Esta carta de tiro viaja 6 hexágonos en línea recta. Se detiene en los
árboles como lo hacen otras cartas de tiro.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>HAZARDS & OTHER TILES</h1>
</Column>
<Column>
<h1>HAZARDS Y OTRAS PIEZAS</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Bunker</h2>
</Column>
<Column>
<h2>Búnker</h2>
</Column>
</Row>
<Row>
<Column>
<p>
The bunkers hazard applies to all turns where you start in that hex.
When you are in the bunker, you have to get out. See “4.D) EXIT
BUNKER” on page 11.
</p>
</Column>
<Column>
<p>
El hazard de los bunkers se aplica a todos los turnos en los que
empiezas en ese hexágono. Cuando estás en el búnker, tienes que salir.
Ver "4.D) SALIR DE UN BÚNKER" en la página 11.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>You may use the Sand Wedge to treat bunkers as rough.</p>
</Column>
<Column>
<p>
Puedes usar el sand wedge para tratar los bunkers como si fueran
rough.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Green</h2>
</Column>
<Column>
<h2>Green</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Your destination. Depending on the game mode, the players that reach
the green first win the round. When playing from the green of another
hole consider the tile fairway.
</p>
</Column>
<Column>
<p>
Tu destino. Dependiendo del modo de juego, los jugadores que lleguen
al green primero ganan la ronda. Cuando juegues desde el green de otro
hoyo considera la calle de la pieza.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Rough</h2>
</Column>
<Column>
<h2>Rough</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Shots from this hex go one less hex. After drawing your shot look for
the rough icon on the shot card. This symbol is where your ball lands.
See “PLAYING FROM THE ROUGH” on page 12.
</p>
</Column>
<Column>
<p>
Los tirios desde este hexágono van un hexágono menos. Después de sacar
tu tiro, busca el ícono de rough en la carta de tiro. Este símbolo es
donde cae tu bola. Ver "JUGANDO DESDE EL ROUGH" en la página
12.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Out-of-Bounds & CLUBHOUSE</h2>
</Column>
<Column>
<h2>Fuera de los límites y CASA CLUB</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Whenever your ball leaves the course, it is out-of-bounds. The ball is
also out-of-bounds when it goes out-of-bounds for part of its flight
and returns to a tile. When you are out-of-bounds, your golfer remains
where they hit the shot. Return your club to your hand; your turn is
over.
</p>
</Column>
<Column>
<p>
Siempre que tu bola sale del campo, está fuera de los límites. La bola
también se sale de los límites cuando se sale de los límites durante
parte de su vuelo y regresa a una pieza. Cuando estás fuera de los
límites, tu golfista se queda en el lugar donde se realiza el tiro.
Devuelve el palo a tu mano; tu turno ha terminado.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Landing on the clubhouse is also considered out-of-bounds unless of
course, you are playing onto the 19th.
</p>
</Column>
<Column>
<p>
Caer en la casa club también se considera fuera de los límites a menos
que, por supuesto, estés jugando en el 19.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Note: The diamond corner pieces of the course tiles are in-play, you
can land on them.
</p>
</Column>
<Column>
<p>
Nota: Las piezas del campo con esquinas de diamante están en juego,
puedes aterrizar en ellas.
</p>
</Column>
</Row>
<Row>
<Column>
<h4>Variation</h4>
</Column>
<Column>
<h4>Variación</h4>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
We devised the out of bounds rule because most players could not
navigate the out-of-bounds space without a grid. But some players can.
If the players all agree to use this variation then you may allow
players to hit through out-of-bounds. Landing in out-of-bounds is
always out-of-bounds.
</p>
</Column>
<Column>
<p>
Creamos la regla de fuera de los límites porque la mayoría de los
jugadores no podían navegar por el espacio de fuera de los límites sin
una cuadrícula. Pero algunos jugadores pueden. Si todos los jugadores
están de acuerdo en usar esta variación, entonces puedes permitir a
los jugadores golpear a través de áreas que se salen del límite. Caer
en un lugar fuera de los límites siempre es fuera de los límites.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Tee box</h2>
</Column>
<Column>
<h2>Tee de salida</h2>
</Column>
</Row>
<Row>
<Column>
<p>
The tee box is where each hole starts. These tiles indicate the par
and how many large course tiles to add before the green. See the last
page of the course booklet for more information on building courses.
</p>
</Column>
<Column>
<p>
El tee de salida es donde comienza cada hoyo. Estas piezas indican el
par y cuántas piezas grandes del campo hay que añadir antes del green.
Ve la última página del folleto de campos para más información sobre
la construcción de campos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Trees</h2>
</Column>
<Column>
<h2>Árboles</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Trees stop the flight of your ball. Move your ball one hex backwards
along the flight path. If the next hex is a hazard, follow the rules
for that hazard.
</p>
</Column>
<Column>
<p>
Los árboles detienen el vuelo de tu bola. Mueve tu bola un hexágono
hacia atrás siguiendo la trayectoria de vuelo. Si el siguiente
hexágono es un hazard, siguea las reglas para ese hazard.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Note: only trees with a fence around them stop the flight of the ball.
</p>
</Column>
<Column>
<p>
Nota: solo los árboles con una valla a su alrededor detienen el vuelo
de la bola.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Water (AND fairways with lakes)</h2>
</Column>
<Column>
<h2>Agua (Y calles con lagos)</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Water hazards apply when the ball ends its flight on that hex. You
miss your next turn. Lay your golfer down. On your next turn, stand
your golfer up and skip the round. On the turn after that, you can
play.
</p>
</Column>
<Column>
<p>
Los hazard de agua se aplican cuando la bola termina su vuelo en ese
hexágono. Pierdes el próximo turno. Pon a tu golfista en el suelo. En
tu siguiente turno, levanta a tu golfista y sáltate la ronda. En el
turno siguiente, puedes jugar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
You play your next shot from the water tile. Play the water tile as
rough unless it is a fairway with a lake. In that case, it is
considered fairway.
</p>
</Column>
<Column>
<p>
Juega tu próximo tiro desde la pieza de agua. Juega con la pieza de
agua como si fuera una calle con un lago. En ese caso, se considera
que es una calle.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>The Shark ignores this hazard and plays the underlying tile.</p>
</Column>
<Column>
<p>The Shark ignora este peligro y juega con la pieza subyacente.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>MULTIPLE WAYS TO PLAY</h1>
</Column>
<Column>
<h1>MÚLTIPLES MANERAS DE JUGAR</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
18 Holes, like golf, has a variety of different game modes. The
primary method described in this book keeps all players competing for
each hole. Golf is a tough game where it can be hard to catch up if
you fall behind. If you like that kind of game or want a more
realistic golf experience, then you may be interested in Golf Racing,
Stroke Play or Stableford.
</p>
</Column>
<Column>
<p>
18 Holes, como el golf, tiene una variedad de modos de juego
diferentes. El método primario descrito en este libro mantiene a todos
los jugadores compitiendo por cada hoyo. El golf es un juego difícil
en el que puede costarte recuperarte si te quedas atrás. Si te gusta
ese tipo de juego o quieres una experiencia de golf más realista,
entonces puede que te interese el Golf Racing, Stroke Play o
Stableford.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If your group prefers games that keep everyone competing for each
point, then try Match Play and Skins.
</p>
</Column>
<Column>
<p>
Si tu grupo prefiere los juegos que mantienen a todos compitiendo por
cada punto, entonces prueba Match Play y Skins.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Some variations stray a bit further from the fairway. These are for
people who want a less traditional golf experience. The Chaos Golf
variations and Kelly Golf fit this description.
</p>
</Column>
<Column>
<p>
Algunas variaciones se alejan un poco más de la calle. Son para
personas que quieren una experiencia de golf menos tradicional. Las
variaciones de Chaos Golf y <NAME> encajan en esta descripción.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you want a solo experience, then try Solo Chaos Golf, Stableford or
Stroke Play.
</p>
</Column>
<Column>
<p>
Si quieres una experiencia en solitario, prueba Solo Chaos Golf,
Stableford o Stroke Play.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you want a two-player game, then try Chaos Teams: our dedicated
two-player experience. Or, one of Match Play, Skins, Stroke Play,
Stableford or Golf Racing.
</p>
</Column>
<Column>
<p>
Si quieres un juego para dos jugadores, prueba Chaos Teams: nuestra
experiencia dedicada para dos jugadores. O, uno de Match Play, Skins,
Stroke Play, Stableford o Golf Racing.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each game mode comes with a section that describes the game mode, how
many players it supports and when you might be interested in this
game. To the right we have the section for Match Play, the rule set
described up to this point.
</p>
</Column>
<Column>
<p>
Cada modo de juego viene con una sección que describe el modo de
juego, cuántos jugadores admite y cuándo podría interesarte este
juego. A la derecha, tenemos la sección de Match Play, el conjunto de
reglas descritas hasta ahora.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Index of Variations:</p>
</Column>
<Column>
<p>Índice de variaciones:</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<ul>Chaos Golf (page 19)</ul>
</Column>
<Column>
<ul>Chaos Golf (página 19) </ul>
</Column>
</Row>
<Row>
<Column>
<ul>Chaos Teams (page 20)</ul>
</Column>
<Column>
<ul>Chaos Teams (página 20)</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Golf Racing (page 20)</ul>
</Column>
<Column>
<ul>Golf Racing (página 20)</ul>
</Column>
</Row>
<Row>
<Column>
<ul><NAME> (page 21)</ul>
</Column>
<Column>
<ul><NAME> (página 21)</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Skins (page 22)</ul>
</Column>
<Column>
<ul>Skins (página 22)</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Solo Chaos Golf (page 24)</ul>
</Column>
<Column>
<ul>Solo Chaos Golf (página 24) </ul>
</Column>
</Row>
<Row>
<Column>
<ul>Stableford (page 23)</ul>
</Column>
<Column>
<ul>Stableford (página 23)</ul>
</Column>
</Row>
<Row>
<Column>
<ul>Stroke Play (page 26)</ul>
</Column>
<Column>
<ul>Stroke Play (página 26)</ul>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Match PlaY</h2>
</Column>
<Column>
<h2>Match Play</h2>
</Column>
</Row>
<Row>
<Column>
<p>
18 Holes as described in this rule book. Players compete to win each
hole independent of their performance on prior holes. The winner is
the player with most holes won.
</p>
</Column>
<Column>
<p>
18 Holes como se describe en este libro de reglas. Los jugadores
compiten para ganar cada hoyo independientemente de su rendimiento en
los hoyos anteriores. El ganador es el jugador con más hoyos ganados.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Plays</h3>
</Column>
<Column>
<h3>Jugadas</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 - 5 players</p>
</Column>
<Column>
<p>2 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You want the classic 18 Holes experience or you’re looking for a
quicker game that ensures all players can compete for each hole. In
Match Play, having one bad hole will not ruin your game.
</p>
</Column>
<Column>
<p>
Quieres la clásica experiencia de 18 Holes o buscas un juego más
rápido que asegure que todos los jugadores puedan competir en cada
hoyo. En el Match Play, tener un mal hoyo no te fastidiará el juego.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
1 point for the first player to reach the green. Multiple players
score the points if they reach the green on the same round. In the
event of a tie, the player with the most hole-in-one tokens wins.
</p>
</Column>
<Column>
<p>
1 punto para el primer jugador que llegue al green. Múltiples
jugadores se anotan puntos si llegan al green en la misma ronda. En
caso de empate, el jugador con más fichas de "hoyo en uno"
gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas </h3>
</Column>
</Row>
<Row>
<Column>
<p>None</p>
</Column>
<Column>
<p>Ninguna</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>
PARTES NECESARIAS PARA ANOTAR Banderas y piezas grandes de green para
marcar Fichas de "Hoyo en uno"
</h3>
</Column>
</Row>
<Row>
<Column>
<p>Flags and large green tiles for scoring</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Hole-in-one tokens</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>CHAOS GOLF</h2>
</Column>
<Column>
<h2>CHAOS GOLF</h2>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Tee off in any direction and score the holes in any order. Golf where
we removed the constraints of playing from hole to hole in order.
Highest score wins.
</p>
</Column>
<Column>
<p>
Saca en cualquier dirección y marca los hoyos en cualquier orden. El
golf en el que eliminamos las limitaciones de jugar de hoyo en hoyo en
orden. La puntuación más alta gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Plays</h3>
</Column>
<Column>
<h3>Jugadas</h3>
</Column>
</Row>
<Row>
<Column>
<p>3 - 5 players</p>
</Column>
<Column>
<p>3 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You have a group of people who like something a bit less like golf and
a bit more chaotic. This version of 18 Holes reduces the influence of
luck in the game.
</p>
</Column>
<Column>
<p>
Tienes un grupo de gente a la que le gusta algo menos como el golf y
un poco más caótico. Esta versión de 18 Holes reduce la influencia de
la suerte en el juego.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Each player&pos;s score is the sum of their collected 2 and 5 point
tokens. Highest score wins.
</p>
</Column>
<Column>
<p>
El puntaje de cada jugador es la suma de sus fichas de 2 y 5 puntos
conseguidas. La puntuación más alta gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Match Play except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Utiliza las reglas del Match Play, excepto cuando entren en conflicto
con las reglas que se indican a continuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Setup</h3>
</Column>
<Column>
<h3>Configuración</h3>
</Column>
</Row>
<Row>
<Column>
<p>
For best results, design a tightly packed course with all the
multi-green hexes included. Ignoring the fairway tile requirement
(e.g. +1 tile) yields good results.
</p>
</Column>
<Column>
<p>
Para obtener los mejores resultados, diseña un campo ajustado con
todos los hexágonos de múltiples greens incluidos. Ignorar el
requisito de la pieza de la calle (p. ej., +1 pieza) da buenos
resultados.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Place a 2 and a 5 point token on each hole. Make sure the hole number
is the same for both. The hole sequencing does not matter. For best
results, have the 5-point token orange side up and the 2-point hole
number-side up. Doing so helps make the greens stand out a bit more.
</p>
</Column>
<Column>
<p>
Coloca una ficha de 2 y 5 puntos en cada hoyo. Asegúrate de que el
número de hoyo es el mismo para ambas. La secuencia de los hoyos no
importa. Para obtener mejores resultados, pon hacia arriba la ficha de
5 puntos por el lado naranja y la de 2 puntos por el número en el
hoyo. Hacerlo ayuda a que los greens destaquen un poco más.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Players may hit in any direction and try to claim any hole in any
order.
</p>
</Column>
<Column>
<p>
Los jugadores pueden golpear en cualquier dirección e intentar
reclamar cualquier agujero en cualquier orden.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When landing on a tee box, the player may take another turn. This
chains and allows for faster travel across the course. Any extra turns
are taken in initiative order after all players have finished their
initial round.
</p>
</Column>
<Column>
<p>
Al caer en un tee de salida, el jugador puede jugar otro turno. Esto
encadena y permite un viaje más rápido a través del campo. Cualquier
turno extra se juega en orden de iniciativa después de que todos los
jugadores hayan terminado su ronda inicial.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The player who first lands on the green takes the large scoring token
(5 points) and the second person receives the smaller token (2
points). There is no tie-break and initiative order is used to
determine who takes the 5 point token.
</p>
</Column>
<Column>
<p>
El jugador que primero cae en el green recibe la ficha de puntuación
grande (5 puntos) y la segunda persona recibe la ficha más pequeña (2
puntos). No hay un desempate, y el orden de la iniciativa se utiliza
para determinar quién se lleva la ficha de 5 puntos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The person who took the large scoring token cannot take the small
token for the same hole. Use the hole numbers on the score tokens to
check.
</p>
</Column>
<Column>
<p>
La persona que se llevó la ficha de puntuación grande no puede
llevarse la ficha pequeña para el mismo hoyo. Usa los números de los
hoyos de las fichas de puntuación para comprobarlo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Once someone has claimed the last 5-point token, the game ends at the
end of that round. Any remaining 2-point tokens are ignored.
</p>
</Column>
<Column>
<p>
Una vez que alguien ha reclamado la última ficha de 5 puntos, el juego
termina al final de esa ronda. Cualquier otra ficha de 2 puntos que
quede es ignorada.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>The player with the most points wins.</p>
</Column>
<Column>
<p>El jugador con más puntos gana.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>PARTES NECESARIAS PARA ANOTAR </h3>
</Column>
</Row>
<Row>
<Column>
<p>5-point tokens</p>
</Column>
<Column>
<p>Fichas de 5 puntos</p>
</Column>
</Row>
<Row>
<Column>
<p>2-point tokens</p>
</Column>
<Column>
<p>Fichas de 2 puntos</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<Callout>
Fast Travel During Chaos Golf, if you end your turn on a tee box, you
may take an extra turn at the end of the round. Take any extra turns
in initiative order. If two players end their turn on a tee box, the
player with the lowest initiative takes their extra turns first. On
your extra turn, you may choose to play any of your available clubs as
usual. Each club played is discarded. If you have no clubs in your
hand, then you may not take any additional turns. If you end an extra
turn on a tee box, you may take another extra turn. You can keep doing
this until you have run out of clubs.
</Callout>
</Column>
<Column>
<Callout>
Viaje rápido Durante el Chaos Golf, si terminas tu turno en un tee de
salida, puedes tener un turno extra al final de la ronda. Juega
cualquier turno extra en orden de iniciativa. Si dos jugadores
terminan su turno en un tee de salida, el jugador con menor iniciativa
juega primero sus turnos extra. En tu turno extra, puedes elegir jugar
cualquiera de tus palos disponibles como siempre. Cada palo jugado se
descarta. Si no tienes palos en la mano, entonces no puedes jugar
turnos adicionales. Si terminas una vuelta extra en un tee de salida,
puedes jugar otro turno. Puedes seguir haciendo esto hasta que se te
acaben los palos.
</Callout>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>CHAOS TEAMS & GOLF RACING</h1>
</Column>
<Column>
<h1>CHAOS TEAMS Y GOLF RACING</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Chaos Teams</h2>
</Column>
<Column>
<h2>Chaos Teams</h2>
</Column>
</Row>
<Row>
<Column>
<p>
A two-player variant of Chaos Golf. Each team has two golfers and five
clubs. They nominate which golfer they are moving after they have
drawn their shot card.
</p>
</Column>
<Column>
<p>
Una variante para dos jugadores de Chaos Golf. Cada equipo tiene dos
golfistas y cinco palos. Nombran al golfista al que se mueven después
de haber sacado su carta de tiro.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Plays</h3>
</Column>
<Column>
<h3>Jugadas</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 players</p>
</Column>
<Column>
<p>2 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO... </h3>
</Column>
</Row>
<Row>
<Column>
<p>You like Chaos Golf and there are only two of you.</p>
</Column>
<Column>
<p>Te gusta Chaos Golf y solo sois dos.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
One point for each flag claimed. The highest score, after all holes
completed, wins or if a team reaches 10 flags.
</p>
</Column>
<Column>
<p>
Un punto por cada bandera reclamada. Después de completar todos los
hoyos, la puntuación más alta gana o si un equipo llega a 10 banderas.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Chaos Golf except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Usa las reglas del Chaos Golf excepto cuando estén en conflicto con
las reglas de abajo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Setup</h3>
</Column>
<Column>
<h3>Configuración</h3>
</Column>
</Row>
<Row>
<Column>
<p>Place only one flag on each green. The order is not significant.</p>
</Column>
<Column>
<p>
Coloca solo una bandera en cada green. El orden no es significativo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When a golfer lands on a tee box, that golfer must be the one that
receives the additional turn.
</p>
</Column>
<Column>
<p>
Cuando un golfista cae en un tee de salida, dicho golfista debe ser el
que recibe la tirada extra.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The game ends when all flags are claimed or one team has scored 10
flags. The team with the highest score wins.
</p>
</Column>
<Column>
<p>
El juego termina cuando todas las banderas son reclamadas o un equipo
ha marcado 10 banderas. El equipo con la mayor puntuación gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>PARTES NECESARIAS PARA ANOTAR </h3>
</Column>
</Row>
<Row>
<Column>
<p>Flags</p>
</Column>
<Column>
<p>Banderas</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>GOLF RACING</h2>
</Column>
<Column>
<h2>GOLF RACING</h2>
</Column>
</Row>
<Row>
<Column>
<p>
It’s golf, but it’s a race! Everyone starts on the first tee box, and
they have to complete all 18 Holes to win.
</p>
</Column>
<Column>
<p>
¡Es el golf, pero es una carrera! Todos comienzan en el primer tee de
salida, y tienen que completar los 18 hoyos para ganar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAYS</h3>
</Column>
<Column>
<h3>JUEGOS</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 - 5 players</p>
</Column>
<Column>
<p>2 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When you want the Stroke Play experience and you don&pos;t have a pen.
In this mode the entire course is the scoring track.
</p>
</Column>
<Column>
<p>
Cuando quieres la experiencia del Stroke Play y no tienes un
bolígrafo. En este modo, todo el campo es la pista de puntuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The first player to reach the 18th green after reaching each green in
order wins.
</p>
</Column>
<Column>
<p>
El primer jugador que llegue al green 18 después de alcanzar cada
green en orden gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Match Play except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Utiliza las reglas del Match Play, excepto cuando entren en conflicto
con las reglas que se indican a continuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
A player may progress to the next tee box only after reaching the
prior green. As such players end up spread across multiple holes in
the race for the 18th.
</p>
</Column>
<Column>
<p>
Un jugador puede avanzar al siguiente tee de salida solo después de
llegar al green anterior. Como estos jugadores acaban repartidos en
múltiples hoyos en la carrera por el 18.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Players must visit every green in order. The first player to reach the
18th green wins. In the event of a tie, the player with the most
hole-in-one tokens is the winner.
</p>
</Column>
<Column>
<p>
Los jugadores deben visitar cada green en orden. El primer jugador que
llegue al green 18 gana. En caso de empate, el jugador con más fichas
de "hoyo en uno" es el ganador.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>PARTES NECESARIAS PARA ANOTAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>None</p>
</Column>
<Column>
<p>Ninguna</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Solo Chaos Golf</h1>
</Column>
<Column>
<h1>Solo Chaos Golf</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>SOLO CHAOS GOLF</h2>
</Column>
<Column>
<h2>SOLO CHAOS GOLF</h2>
</Column>
</Row>
<Row>
<Column>
<p>
Chaos Golf against three fast scoring opponents. Three opposing
golfers score if you let them. You need to out-score them before they
acquire six greens each.
</p>
</Column>
<Column>
<p>
Chaos Golf contra tres oponentes de rápido marcaje. Tres golfistas
opuestos anotan si los dejas. Tienes que superarlos antes de que
adquieran seis verdes cada uno.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>This game mode uses the solo chaos golf deck.</p>
</Column>
<Column>
<p>Este modo de juego utiliza la baraja de Solo Chaos Golf.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Plays</h3>
</Column>
<Column>
<h3>Jugadas</h3>
</Column>
</Row>
<Row>
<Column>
<p>You and three automated opponents.</p>
</Column>
<Column>
<p>Tú y tres oponentes automatizados.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>You like Chaos Golf and you are the only one who wants to play.</p>
</Column>
<Column>
<p>Te gusta el Chaos Golf y eres el único que quiere jugar.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Each player&pos;s score is the sum of their collected 2 and 5 point
tokens. Highest score wins.
</p>
</Column>
<Column>
<p>
El puntaje de cada jugador es la suma de sus fichas de 2 y 5 puntos
conseguidas. La puntuación más alta gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Chaos Golf except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Usa las reglas del Chaos Golf excepto cuando estén en conflicto con
las reglas de abajo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Setup</h3>
</Column>
<Column>
<h3>Configuración</h3>
</Column>
</Row>
<Row>
<Column>
<p>
On one side of the playing board, place a golfer for each of your
three opponents. Shuffle the pink 1-point tokens and put them in three
stacks of six tokens each. Place one stack in front of each opponent.
The tokens should be hole-side down. Place your golfer on the starting
tee box.
</p>
</Column>
<Column>
<p>
En un lado del tablero de juego, coloca un golfista para cada uno de
tus tres oponentes. Mezcla las fichas rosas de 1 punto y ponlas en
tres montones de seis fichas cada uno. Coloca un montón delante de
cada oponente. Las fichas deben tener el lado del hoyo hacia abajo.
Pon a tu golfista en el tee de salida.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Skip golfer cards. Your automated opponents won’t use them either.
</p>
</Column>
<Column>
<p>
No usas las cartas de golfista. Tus oponentes automatizados tampoco
los usarán.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Skip the draft. Pick the clubs you think will win. With the remaining
clubs, shuffle and deal 5 to each AI face down.
</p>
</Column>
<Column>
<p>
No se roba. Escoge los palos que crees que ganarán. Con los palos
restantes, baraja y reparte 5 a cada IA boca abajo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Build a deck of Solo Chaos Golf cards based on the difficulty you
want. You need at least six green icons in the pack. See the next page
for instructions on how to build a deck.
</p>
</Column>
<Column>
<p>
Haz un mazo de cartas de Solo Chaos Golf según la dificultad que
quieras. Necesitas al menos seis iconos verdes en el paquete. Ve la
siguiente página para las instrucciones de cómo construir un mazo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Reveal the top 1-point token for each opponent. This hole is the one
they score at the next combined scoring phase.
</p>
</Column>
<Column>
<p>
Revela la ficha de 1 punto más alta de cada oponente. Este hoyo es el
que anotan en la siguiente fase de puntuación combinada.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Reveal the top card of the Solo Chaos Golf deck and place the solo
turn marker above the first symbol. Use the turn marker to track your
progress.
</p>
</Column>
<Column>
<p>
Revela la carta superior de la baraja de Solo Chaos Golf y coloca el
marcador de turnos para jugar solo sobre el primer símbolo. Usa el
marcador de turnos para seguir tu progreso.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are two types of scoring phase symbols on the cards. A filled
circle with “player only scoring” written under it, and a two-toned
split circle for the combined scoring round.
</p>
</Column>
<Column>
<p>
Hay dos tipos de símbolos de fase de puntuación en las cartas. Un
círculo lleno con "player only scoring" escrito debajo y un
círculo dividido de dos tonos para la ronda de puntuación combinada.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
During player only scoring rounds you play as usual and can score any
green you can reach.
</p>
</Column>
<Column>
<p>
Durante las rondas de anotación de los jugadores, juegas como siempre
y puedes anotar cualquier green que puedas alcanzar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
At the end of every turn marked by the combined scoring icon, perform
the combined scoring phase. See the next page for more information.
</p>
</Column>
<Column>
<p>
Al final de cada turno marcado por el icono de puntuación combinada,
realiza la fase de puntuación combinada. Ve la siguiente página para
más información.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
After the scoring phase, move the solo turn marker one space to the
right. Before moving the token, if there are no more spaces on the
card, reveal a new card from the top of the Solo Chaos Golf Deck and
place your turn marker above the first spot.
</p>
</Column>
<Column>
<p>
Después de la fase de puntuación, mueve el marcador de turnos para
jugar solo un espacio a la derecha. Antes de mover la ficha, si no hay
más espacios en la carta, revela una nueva carta de la parte superior
de la baraja de Solo Chaos Golf y coloca tu marcador de turnos sobre
el primer punto.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Fast travel is permitted if you land on a tee box. Take your extra
turn after your opponents have their turns and the scoring of any
greens. Your opponents don&pos;t fast travel.
</p>
</Column>
<Column>
<p>
Se permite viajar rápido si caes en un tee de salida. Juegas tu turno
extra después de que tus oponentes jueguen sus turnos y la anotación
de los greens. Tus oponentes no viajan rápido.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you want to do a Big Hit, shuffle the shot cards you have as
options and discard one at random.
</p>
</Column>
<Column>
<p>
Si quieres hacer un Gran Golpe, baraja las cartas de tiro que tienes
como opciones y descarta una al azar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When you or an opponent scores the last 5-point token, end the game
after that round. The player with the most points wins.
</p>
</Column>
<Column>
<p>
Cuando un oponente o tú anotáis la última ficha de 5 puntos, termina
el juego después de esa ronda. El jugador con más puntos gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>COMBINED SCORING PHASE</h3>
</Column>
<Column>
<h3>FASE DE PUNTUACIÓN COMBINADA</h3>
</Column>
</Row>
<Row>
<Column>
<p>
After you have moved your golfer and before you score any greens, look
at green targets for each opponent. For the greens that you are not
on, give the largest token remaining on the green to the opponent.
</p>
</Column>
<Column>
<p>
Después de mover tu golfista y antes de anotar cualquier green, mira
los greens objetivo de cada oponente. Para los greens en los que no
estás, dale al oponente la ficha más grande que quede en el green.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you are competing for a green, flip the top club of the opponent
that is in contention. If your opponent’s card has a lower initiative
value compared to you, they take the 5-point token, and you receive
the 2-point token. Otherwise, you score the 5-point token and your
opponent scores the 2-point token.
</p>
</Column>
<Column>
<p>
Si estás compitiendo por un green, dale la vuelta al palo superior del
oponente que está en disputa. Si la carta de tu oponente tiene un
valor de iniciativa menor que tú, se lleva la ficha de 5 puntos y tú
recibes la ficha de 2 puntos. De lo contrario, te anotas la ficha de 5
puntos y tu oponente se lleva la ficha de 2 puntos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you want to know whether you’re going to win a green, you may
reveal the club card of an opponent to see their initiative. You may
only do this after you have determined which club you are going to
play and before moving your golfer.
</p>
</Column>
<Column>
<p>
Si quieres saber si vas a ganar un green, puedes revelar la carta del
palo de un oponente para ver su iniciativa. Solo puedes hacer esto
después de haber determinado qué palo vas a jugar y antes de mover a
tu golfista.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>BUILDING A SOLO DECK</h3>
</Column>
<Column>
<h3>HACIENDO UN MAZO PARA JUGAR SOLO</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Before you play, you need to make a deck that represents the
difficulty of the game. The more player scoring rounds in the pack,
the easier it is. Tweak the deck so that each game provides a
challenge.
</p>
</Column>
<Column>
<p>
Antes de jugar, tienes que hacer una baraja que represente la
dificultad del juego. Cuantas más rondas de puntuación de jugadores en
el paquete, más fácil es. Ajusta la baraja para que cada juego sea un
desafío.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
In the top right corner of each solo chaos golf card is the difficulty
score for the card. The higher the value of the card, the harder your
game. You can add multiple cards to the deck. Their combined score is
the rank of the deck. The higher the deck rank, the greater the
challenge. The five cards to the right represent a deck of rank 17.
</p>
</Column>
<Column>
<p>
En la esquina superior derecha de cada carta de Solo Chaos Golf está
la puntuación de dificultad de la carta. Cuanto más alto sea el valor
de la carta, más difícil será tu juego. Puedes añadir varias cartas a
la baraja. Su puntuación combinada es el rango de la baraja. Cuanto
más alto sea el rango de la baraja, mayor será el desafío. Las cinco
cartas de la derecha representan una baraja de rango 17.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
At the bottom of each card is a little flag indicator that tells you
how many combined scoring rounds are on this card. Every Solo Chaos
Golf deck needs at least six combined scoring rounds. You can have
more than six combined scoring rounds if you want to, all this does is
add more uncertainty into the deck. The difficulty rank changes to a
range, i.e. 21-25.
</p>
</Column>
<Column>
<p>
En la parte inferior de cada carta hay un pequeño indicador de bandera
que te dice cuántas rondas de puntuación combinadas hay en esta carta.
Cada baraja de Solo Chaos Golf necesita al menos seis rondas de
puntuación combinadas. Puedes tener más de seis rondas de puntuación
combinadas si lo deseas, todo lo que esto hace es añadir más
incertidumbre a la baraja. El rango de dificultad cambia a un rango,
es decir, 21-25.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each course provided in the game also comes with a solo par score. If
you build a deck equalling this scoreaq, you have what we designers
believe is a challenging experience. If you can win with a higher
rank, congratulations!
</p>
</Column>
<Column>
<p>
Cada campo provisto en el juego también viene con una puntuación de
par en solitario. Si haces una baraja que iguale a esta puntuación,
tienes lo que los diseñadores creemos que es una experiencia
desafiante. Si puedes ganar con un rango más alto, ¡felicidades!
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you’re struggling to get a win, then reduce the rank of the deck to
make sure you’re still having fun.
</p>
</Column>
<Column>
<p>
Si te cuesta conseguir una victoria, reduce el rango de la baraja para
asegurarte de que sigues divirtiéndote.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Skins</h2>
</Column>
<Column>
<h2>Skins</h2>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
It’s like Match Play, except each green is worth either 1, 2, or 5
points. Players need to consider the value of each hole when picking
their clubs and taking their shots. Tied holes jackpot.
</p>
</Column>
<Column>
<p>
Es como el Match Play, excepto que cada green vale 1, 2 o 5 puntos.
Los jugadores deben considerar el valor de cada hoyo al escoger sus
palos y hacer sus tiros. Jackpot de empate de hoyos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAYS</h3>
</Column>
<Column>
<h3>JUEGOS</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 - 5 players</p>
</Column>
<Column>
<p>2 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You like match play, and you want to add another dimension. The club
draft and club selection process change as players try to have their
best clubs available for tackling the high-value holes.
</p>
</Column>
<Column>
<p>
Te gusta el juego de parejas, y quieres añadir otra dimensión. El
proceso de robar palos y elegirlos cambia ya que los jugadores tratan
de tener sus mejores palos disponibles para los hoyos de valor alto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The player with the most points wins. Greens are worth 1, 2 or 5
points based on the value of the token on it. Multiple players score
if they all reach the green on the same turn.
</p>
</Column>
<Column>
<p>
El jugador con más puntos gana. Los greens valen 1, 2 o 5 puntos según
el valor de la ficha que llevan. Múltiples jugadores anotan si todos
llegan al green en el mismo turno.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Match Play except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Utiliza las reglas del Match Play, excepto cuando entren en conflicto
con las reglas que se indican a continuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Setup</h3>
</Column>
<Column>
<h3>Configuración</h3>
</Column>
</Row>
<Row>
<Column>
<p>Do this before club selection.</p>
</Column>
<Column>
<p>Haz esto antes de la selección de palos.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Place a 5 point token on the 18th green.</p>
</Column>
<Column>
<p>Coloca una ficha de 5 puntos en el green del 18.</p>
</Column>
</Row>
<Row>
<Column>
<p>
Give each player a 5 point token and have them select a green to place
it on.
</p>
</Column>
<Column>
<p>
Dale a cada jugador una ficha de 5 puntos y haz que seleccione un
green donde colocarla.{' '}
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Turn all the 1 and 2-point tokens point-side down. Shuffle. Select a
token for each green without one. Place the tokens point side up so
all players can see the value of each green.
</p>
</Column>
<Column>
<p>
Pon todas las fichas de 1 y 2 puntos con los puntos boca bajo. Baraja.
Selecciona una ficha para cada green que no tenga. Coloca las fichas
hacia arriba para que todos los jugadores puedan ver el valor de cada
green.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Players who reach the green claim the token that is on the green. If
multiple players reach the green on the same turn, move all scoring
tokens to the next green. The value jackpots!
</p>
</Column>
<Column>
<p>
Los jugadores que llegan al green reclaman la ficha que está en el
green. Si varios jugadores llegan al green en el mismo turno, mueven
todas las fichas de puntuación al siguiente green. ¡Los jackpot de
valor!
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The player with the most points wins. Tie break using elimination
rounds.
</p>
</Column>
<Column>
<p>
El jugador con más puntos gana. Desempata usando rondas de
eliminación.{' '}
</p>
</Column>
</Row>
<Row>
<Column>
<h3>Elimination</h3>
</Column>
<Column>
<h3>Eliminación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
If the 18th hole was a tie and the result would decide the winner,
move the scoring tokens from the 18th green to the 1st green. If the
result won’t determine the winner, then the player in the lead wins.
</p>
</Column>
<Column>
<p>
Si hay empate en el hoyo 18 y el resultado decide el ganador, mueve
las fichas de puntuación del green del 18 al 1. Si el resultado no
determina el ganador, entonces gana el jugador que lleva la delantera.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
All players that tied are moved to the 1st tee box. Reset everyone’s
hand and remove any hazard effects.
</p>
</Column>
<Column>
<p>
Todos los jugadores que empataron se mueven al primer tee de salida.
Resetea la mano de todos y elimina cualquier efecto de hazard.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Play as normal with the winner taking the remaining jackpot and the
game ends when the jackpot is claimed.
</p>
</Column>
<Column>
<p>
Juega como siempre, el ganador se lleva el jackpot restante y el juego
termina cuando se reclama el jackpot.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If there is a tie, only the players that tied progress to the next
hole. The other players are eliminated.
</p>
</Column>
<Column>
<p>
Si hay empate, solo los jugadores que empataron avanzan al siguiente
hoyo. Los demás jugadores quedan eliminados.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>PARTES NECESARIAS PARA ANOTAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>5-point tokens</p>
</Column>
<Column>
<p> Fichas de 5 puntos</p>
</Column>
</Row>
<Row>
<Column>
<p>2-point tokens</p>
</Column>
<Column>
<p>Fichas de 2 puntos</p>
</Column>
</Row>
<Row>
<Column>
<p>1-point tokens</p>
</Column>
<Column>
<p>Fichas de 1 punto</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2><NAME></h2>
</Column>
<Column>
<h2><NAME></h2>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each player has a target green that they are trying to reach. Players
score points for each target green reached.
</p>
</Column>
<Column>
<p>
Cada jugador tiene un green objetivo que trata de alcanzar. Los
jugadores anotan puntos por cada green objetivo alcanzado.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAYS</h3>
</Column>
<Column>
<h3>JUEGOS</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 - 5 players</p>
</Column>
<Column>
<p>2 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You like chaos golf and fetch quests, and you want to add a little bit
more uncertainty into the game.
</p>
</Column>
<Column>
<p>
Te gusta el Chaos Golf y las misiones de búsqueda, y quieres añadir un
poco más de incertidumbre al juego.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>3 points for each secret green claimed.</p>
</Column>
<Column>
<p>3 puntos por cada green secreto reclamado.</p>
</Column>
</Row>
<Row>
<Column>
<p>2 points for claiming the secret green of another player.</p>
</Column>
<Column>
<p>2 puntos por reclamar el green secreto de otro jugador. </p>
</Column>
</Row>
<Row>
<Column>
<p>1 point for any other green.</p>
</Column>
<Column>
<p>1 punto por cualquier otro green.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>The highest score wins.</p>
</Column>
<Column>
<p>La puntuación más alta gana.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Chaos Golf except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Usa las reglas del Chaos Golf excepto cuando estén en conflicto con
las reglas de abajo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Setup</h3>
</Column>
<Column>
<h3>Configuración</h3>
</Column>
</Row>
<Row>
<Column>
<p>Place a flag on each green.</p>
</Column>
<Column>
<p>Coloca una bandera en cada green.</p>
</Column>
</Row>
<Row>
<Column>
<p>
Place the 1-point small green markers point-side up on the table,
shuffle.
</p>
</Column>
<Column>
<p>
Coloca los pequeños marcadores verdes de un punto en la mesa, y
baraja.
</p>
</Column>
</Row>
<Row>
<Column>
<p>Place the 2-point tokens in a pile near the board.</p>
</Column>
<Column>
<p>Coloca las fichas de 2 puntos en un montón cerca del tablero.</p>
</Column>
</Row>
<Row>
<Column>
<p>
Each player draws two 1-point tokens keeping one and returning the
other. Players keep their target secret.
</p>
</Column>
<Column>
<p>
Cada jugador saca dos fichas de 1 punto, se queda una y devuelve la
otra. Los jugadores mantienen su objetivo en secreto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>Each player may hit in any direction and try to claim any hole.</p>
</Column>
<Column>
<p>
Cada jugador puede golpear en cualquier dirección e intentar reclamar
cualquier hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When there is only one token left in the bag, the player draws that
one token.
</p>
</Column>
<Column>
<p>
Cuando solo queda una ficha en la bolsa, el jugador saca esa ficha.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring a target green</h3>
</Column>
<Column>
<h3>Marcando un green objetivo</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When a player reaches their target green, they reveal their target
green token face up and take the flag off the board and put it back
into the box. Take a 2 point token and put it with your score. Add the
1-point token you were using as a secret target to your score.
</p>
</Column>
<Column>
<p>
Cuando un jugador llega a su green objetivo, pone su ficha del green
objetivo boca arriba, quita la bandera del tablero y la vuelve a poner
en la caja. Coge una ficha de 2 puntos y ponla con tu puntuación.
Añade a tu puntuación la ficha de 1 punto que estabas usando como
objetivo secreto.
</p>
</Column>
</Row>
<Row>
<Column>
<p>
Draw two replacement 1-point tokens, keep one as your next target and
return the other.
</p>
</Column>
<Column>
<p>
Saca dos fichas de reemplazo de 1 punto, mantén una como tu próximo
objetivo y devuelve la otra.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring another’s target green</h3>
</Column>
<Column>
<h3>Anotar el green objetivo de otro</h3>
</Column>
</Row>
<Row>
<Column>
<p>
If someone claims your target, hand them your 1-point token. Draw two
replacement 1-point tokens, keep one and return the other.
</p>
</Column>
<Column>
<p>
Si alguien reclama tu objetivo, entrégale tu ficha de 1 punto. Saca
dos fichas de reemplazo de 1 punto, guarda una y devuelve la otra.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If you claim another player’s target green you score their 1-point
token and the flag from the green.
</p>
</Column>
<Column>
<p>
Si reclamas el green objetivo de otro jugador, anotarás su ficha de 1
punto y la bandera del green.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring any other green</h3>
</Column>
<Column>
<h3>Anotando cualquier otro green</h3>
</Column>
</Row>
<Row>
<Column>
<p>Remove the flag from the green and add it to your score.</p>
</Column>
<Column>
<p>Quita la bandera del green y añádela a tu puntuación.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Final Scoring</h3>
</Column>
<Column>
<h3>Puntuación final</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The game ends immediately after a player scores the last green. Sum
the value of your scored tokens. The flags are worth 1 point. Highest
score wins.
</p>
</Column>
<Column>
<p>
El juego termina inmediatamente después de que un jugador anota el
último green. Suma el valor de tus fichas anotadas. Las banderas valen
un punto. La puntuación más alta gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PARTS NEEDED FOR SCORING</h3>
</Column>
<Column>
<h3>PARTES NECESARIAS PARA ANOTAR </h3>
</Column>
</Row>
<Row>
<Column>
<p>Flags</p>
</Column>
<Column>
<p>Banderas</p>
</Column>
</Row>
<Row>
<Column>
<p>2-point tokens</p>
</Column>
<Column>
<p>Fichas de 2 puntos</p>
</Column>
</Row>
<Row>
<Column>
<p>1-point tokens</p>
</Column>
<Column>
<p>Fichas de 1 punto</p>
</Column>
</Row>
<Row>
<Column>
<p>
Stableford is a more forgiving scoring system than Stroke Play as it
limits how badly you can do on a single turn. It also sets a cap on
the maximum you can score per hole.
</p>
</Column>
<Column>
<p>
Stableford es un sistema de puntuación más indulgente que el Stroke
Play, ya que limita lo mal que puedes hacerlo en un solo turno.
También limita el máximo que puedes anotar por hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Stableford</h2>
</Column>
<Column>
<h2>Stableford</h2>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAYS</h3>
</Column>
<Column>
<h3>JUEGOS</h3>
</Column>
</Row>
<Row>
<Column>
<p>1 - 5 players</p>
</Column>
<Column>
<p>1 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>
You want a more authentic golfing experience and a scoring system that
is more forgiving than traditional golf.
</p>
</Column>
<Column>
<p>
Quieres una experiencia de golf más auténtica y un sistema de
puntuación más indulgente que el del golf tradicional.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3>CÓMO GANAR</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Most points wins. Stableford is a scoring system where you get 2
points for achieving par. Score bonus points for beating par (under)
and lose points for scoring above par. The highest score per hole is
4, 5 or 6 depending on if it’s a par 3, 4 or 5. The lowest score per
hole is zero (0).
</p>
</Column>
<Column>
<p>
El jugador con más puntos gana. Stableford es un sistema de puntuación
en el que obtienes 2 puntos por alcanzar el par. Ganas puntos extra
por hacer el hoyo bajo par y pierdes puntos por hacerlo sobre par. La
puntuación más alta por hoyo es 4, 5 o 6, dependiendo de si es un par
3, 4 o 5. La puntuación más baja por hoyo es cero (0).
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Match Play except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Utiliza las reglas del Match Play, excepto cuando entren en conflicto
con las reglas que se indican a continuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When a player reaches the green, they wait for everyone else to
complete the hole before moving on.
</p>
</Column>
<Column>
<p>
Cuando un jugador llega al green, espera a que todos los demás
completen el hoyo antes de seguir adelante.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Score each hole as you complete it. Count your turns (including missed
turns and out of bounds) and compare to the course par rating.
</p>
</Column>
<Column>
<p>
Anota cada hoyo a medida que lo completas. Cuenta tus turnos
(incluyendo los perdidos y los fuera de los límites) y compáralas con
la calificación de par del campo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Points Reason</h3>
</Column>
<Column>
<h3>Puntos Razón</h3>
</Column>
</Row>
<Row>
<Column>
<p>2 Base Score for each hole</p>
</Column>
<Column>
<p>2 puntuación base para cada hoyo</p>
</Column>
</Row>
<Row>
<Column>
<p>
+1 For each turn under par. For example: on a par 4 if you took 3
turns to reach the green, you score +1 bonus point (a total of 3
points)
</p>
</Column>
<Column>
<p>
+1 por cada turno bajo par. Por ejemplo: en un par 4, si necesitas 3
turnos para alcanzar el green, obtienes +1 punto extra (un total de 3
puntos)
</p>
</Column>
</Row>
<Row>
<Column>
<p>
-1 For each turn over par. For example: on a par 4, if you took 5
turns to reach the green you lose 1 point (for a total of 1 point)
</p>
</Column>
<Column>
<p>
-1 por cada turno sobre par. Por ejemplo: en un par 4, si necesitas 5
turnos para alcanzar el green, pierdes 1 punto (un total de 1 punto)
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Zero (0) is the lowest a player can score on a hole.</p>
</Column>
<Column>
<p>Cero (0) es lo más bajo que un jugador puede anotar en un hoyo.</p>
</Column>
</Row>
<Row>
<Column>
<p>
Alternatively, you can use this table to look up your score for each
hole.
</p>
</Column>
<Column>
<p>
Alternativamente, puedes usar esta tabla para buscar tu puntuación en
cada hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Hole Par</p>
</Column>
<Column>
<p>Par de hoyo</p>
</Column>
</Row>
<Row>
<Column>
<p>Turns</p>
</Column>
<Column>
<p>Turnos</p>
</Column>
</Row>
<Row>
<Column>
<p>Points</p>
</Column>
<Column>
<p>Puntos</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Stroke Play</h2>
</Column>
<Column>
<h2>Stroke Play</h2>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Traditional golf. Your objective is to reach the 18th green with the
lowest score. You score 1 point for each turn you take, turn missed,
and out of bounds.
</p>
</Column>
<Column>
<p>
Golf tradicional. Tu objetivo es llegar al green 18 con la puntuación
más baja. Anota un punto por cada turno que hagas, turno perdido y
fuera de los límites.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>You’ll need a pen and paper for this one.</p>
</Column>
<Column>
<p>Necesitarás un bolígrafo y un papel para esto.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAYS</h3>
</Column>
<Column>
<h3>JUEGOS</h3>
</Column>
</Row>
<Row>
<Column>
<p>1 - 5 players</p>
</Column>
<Column>
<p>1 - 5 jugadores</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>PLAY THIS MODE WHEN...</h3>
</Column>
<Column>
<h3>JUEGA ESTE MODO CUANDO...</h3>
</Column>
</Row>
<Row>
<Column>
<p>When you want a traditional golf experience.</p>
</Column>
<Column>
<p>Cuando quieres una experiencia de golf tradicional.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>HOW TO WIN</h3>
</Column>
<Column>
<h3><NAME></h3>
</Column>
</Row>
<Row>
<Column>
<p>
Players score one point for each club card played, water hazards
landed in, or out of bounds. The player with the lowest score wins.
</p>
</Column>
<Column>
<p>
Los jugadores anotan un punto por cada carta de palos que juegan,
hazards de agua en que caen dentro o fuera de los límites. El jugador
con la puntuación más baja gana.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Rule Variations</h3>
</Column>
<Column>
<h3>Variaciones de las reglas</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Use the rules for Match Play except when in conflict with the rules
below.
</p>
</Column>
<Column>
<p>
Utiliza las reglas del Match Play, excepto cuando entren en conflicto
con las reglas que se indican a continuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Game Play</h3>
</Column>
<Column>
<h3>Juego</h3>
</Column>
</Row>
<Row>
<Column>
<p>
When a player reaches the green, they wait for everyone else to
complete the hole before moving on.
</p>
</Column>
<Column>
<p>
Cuando un jugador llega al green, espera a que todos los demás
completen el hoyo antes de seguir adelante.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Players who land in the water do not miss a turn, but add one to their
score.
</p>
</Column>
<Column>
<p>
Los jugadores que caen en el agua no pierden turno, pero añaden un
punto a su puntuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Players who end up out of bounds add one to their score.</p>
</Column>
<Column>
<p>
Los jugadores que terminan fuera de los límites añaden uno a su
puntuación.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>Scoring</h3>
</Column>
<Column>
<h3>Puntuación</h3>
</Column>
</Row>
<Row>
<Column>
<p>
With pen and paper, use tally marks to track each player&pos;s turn.
</p>
</Column>
<Column>
<p>
Con bolígrafo y papel, usa marcas de conteo para registrar el turno de
cada jugador.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each course will have a par score. Even if you don’t win today,
beating par is an achievement .
</p>
</Column>
<Column>
<p>
Cada campo tendrá una puntuación de par. Incluso si no ganas hoy,
ganar al par es un logro.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Keep a record of your scores. When you come to play the same course
again, try and beat your previous best.
</p>
</Column>
<Column>
<p>
Lleva un registro de tus puntuaciones. Cuando vuelvas a jugar en el
mismo campo, trata de superar tu puntuación mejor anterior.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Golfer Abilities</h1>
</Column>
<Column>
<h1>Habilidades del golfista</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
There are eight different golfers in 18 Holes, and each of them brings
a different experience. Each golfer has an a-side and a b-side. The
a-side makes the game easier and the b-side makes the game harder.
There is an A or a B in the bottom right-hand corner.
</p>
</Column>
<Column>
<p>
Hay ocho golfistas diferentes en 18 Holes, y cada uno de ellos aporta
una experiencia diferente. Cada golfista tiene un lado A y un lado B.
El lado A hace el juego más fácil, y el lado B hace el juego más
difícil. Hay una A o una B en la esquina inferior derecha.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>BUNJIL</h2>
</Column>
<Column>
<h2>BUNJIL</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Immediately before Bunjil selects their club to play, they may look at
the top card of one deck once. Turn Bunjil sideways (landscape) to
indicate their power as used. The player must not show the card to
other players. Return the card face down to the top of the shot deck.
</p>
</Column>
<Column>
<p>
Inmediatamente antes de que Bunjil seleccione su palo para jugar,
puede mirar la primera carta de un mazo una vez. Pon a Bunjil de lado
(horizontal) para indicar que su poder se ha utilizado. El jugador no
debe mostrar la carta a otros jugadores. Devuelve la carta boca abajo
a la parte superior del mazo de tiros.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When the hole has ended, turn Bunjil back to the portrait orientation.
</p>
</Column>
<Column>
<p>
Cuando el hoyo haya terminado, vuelve a poner a Bunjil en la
orientación vertical.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Bunjil may only look at shot decks for cards they could legitimately
draw from.
</p>
</Column>
<Column>
<p>
{' '}
Bunjil solo puede buscar cartas que pueden robar legítimamente en los
mazos de tiros.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
As per a-side plus Bunjil has to decide to either keep the shot card
and use it on their next shot or return the card to the top of the
shot deck, face up for all players to see.
</p>
</Column>
<Column>
<p>
Por su parte, Bunjil tiene que decidir entre quedarse con la carta de
tiro y usarla en su próximo golpe o devolverla a la parte superior del
mazo de tiro, boca arriba para que todos los jugadores la vean.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
If Bunjil keeps the card, then the player must play a club that can
access that shot deck.
</p>
</Column>
<Column>
<p>
Si Bunjil se queda con la carta, el jugador debe jugar un palo que
pueda acceder a ese mazo de tiros.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Dorian</h2>
</Column>
<Column>
<h2>Dorian</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
After the card draft, before the first hole, the player with Dorian
tells the rest of the group which of their clubs never expire.
Whenever you use this club, return it to your hand instead of being
discarded.
</p>
</Column>
<Column>
<p>
Después de repartir las cartas, antes del primer hoyo, el jugador con
Dorian le dice al resto del grupo cuáles de sus palos nunca expiran.
Siempre que uses este palo, devuélvelo a tu mano en lugar de
descartarlo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Dorian may not reset their clubs during a hole but may reset their
clubs at the end of a hole if their hand only contains their club that
never expires (and meets the rules for a hand reset).
</p>
</Column>
<Column>
<p>
Dorian no puede resetear sus palos durante un hoyo, pero puede
resetearlos al final del hoyo si su mano solo contiene su palo que
nunca expira (y cumple las reglas para un reseteo de mano).
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Dorian never discards their clubs after use. Dorian may only take
three clubs during the draft.
</p>
</Column>
<Column>
<p>
Dorian nunca se deshace de sus palos después de usarlos. Dorian solo
puede coger tres palos durante el reparto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Iron Jane</h2>
</Column>
<Column>
<h2>Iron Jane</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Before the Club Draft, the player with Iron Jane selects their clubs
from the clubs available. Shuffle the remaining cards and deal them to
the other players.
</p>
</Column>
<Column>
<p>
Antes de repartir las cartas, el jugador con Iron Jane selecciona sus
palos de entre los disponibles. Baraja las cartas restantes y
repártelas a los demás jugadores.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
As per the a-side plus Iron Jane may only carry four clubs. Iron Jane
may not take two of the same club.
</p>
</Column>
<Column>
<p>
Iron Jane por el lado A solo puede llevar cuatro palos. Iron Jane no
puede coger dos del mismo palo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Lucky</h2>
</Column>
<Column>
<h2>Lucky </h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
During play, once per hand, Lucky may redraw a shot card. To do this,
the player with Lucky tells the playing group and then turns Lucky
sideways (landscape) to indicate their power as used. The player then
draws a new shot card from the same deck as the previous one. Lucky
must play the new card.
</p>
</Column>
<Column>
<p>
Durante el juego, una vez por mano, Lucky puede volver a sacar una
carta de tiro. Para ello, el jugador con Lucky se lo dice al grupo de
juego y luego pone a Lucky de lado (horizontal) para indicar que su
poder se ha utilizado. El jugador entonces saca una nueva carta de
tiro del mismo mazo que la anterior. Lucky debe jugar la nueva carta.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>While Lucky is oriented in landscape you cannot use this power.</p>
</Column>
<Column>
<p>Mientras que Lucky está en horizontal no puede usar este poder. </p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
When resetting your hand, return Lucky to the portrait orientation.
</p>
</Column>
<Column>
<p>Al resetear su mano, vuelve a poner a Lucky en vertical.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
As per a-side plus when using Lucky’s ability, the player discards one
of their other clubs. If the player has no other clubs, they may not
use Lucky’s power.
</p>
</Column>
<Column>
<p>
En cuanto a la ventaja de usar la habilidad de Lucky, el jugador
descarta uno de sus otros palos. Si el jugador no tiene otros palos,
no puede usar el poder de Lucky.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>You may only perform Lucky’s power once per hole.</p>
</Column>
<Column>
<p>Solo puedes usar el poder de Lucky una vez por hoyo.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Slick Rikesh</h2>
</Column>
<Column>
<h2>Slick Rikesh</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
After all players have revealed their club cards, Slick Rikesh may use
another player’s chosen club. Slick Rikesh’s club initiative is the
same as the original owner’s club and plays immediately afterwards.
Slick Rikesh may only use his power once per hole.
</p>
</Column>
<Column>
<p>
Después de que todos los jugadores hayan revelado sus cartas de palos,
Slick Rikesh puede usar el palo elegido por otro jugador. La
iniciativa del palo de Slick Rikesh es la misma que la del propietario
original y juega inmediatamente después. Slick Rikesh solo puede usar
su poder una vez por hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Rotate Slick Rikesh sideways (landscape) to indicate their power as
used. Reset to portrait position after each hole.
</p>
</Column>
<Column>
<p>
Pon a Slick Rikesh de lado (horizontal) para indicar que su poder se
ha utilizado. Vuelve a ponerlo en vertical después de cada hoyo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
The player with Slick Rikesh only picks one card during the draft and
may pick that club from any round of the draft.
</p>
</Column>
<Column>
<p>
El jugador con Slick Rikesh solo escoge una carta durante el reparto y
puede escoger ese palo de cualquier ronda del reparto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
During play, Slick Rikesh will play their club as usual (to determine
initiative) and may then select any discarded club of another player
to use. If there are no discarded clubs, Slick Rikesh must play their
club.
</p>
</Column>
<Column>
<p>
Durante el juego, Slick Rikesh jugará con su palo como de costumbre
(para determinar la iniciativa) y podrá entonces seleccionar cualquier
palo descartado de otro jugador para utilizarlo. Si no hay palos
descartados, <NAME> debe jugar con su palo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Slugger</h2>
</Column>
<Column>
<h2>Slugger</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Slugger must carry the driver. Remove this card from the deck before
the Club Draft and give it to the player with Slugger. Slugger will
select four clubs during the draft, skipping the last turn.
</p>
</Column>
<Column>
<p>
El bateador debe llevar el driver. Retira esta carta del mazo antes
del reparto de palos y dásela al jugador con Slugger. Slugger
seleccionará cuatro palos durante el reparto, saltándose el último
turno.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
During play, you never discard the driver. Return it to your hand.
</p>
</Column>
<Column>
<p>
Durante el juego, nunca descartes el driver. Devuélvelo a tu mano.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
As per the a-side plus Slugger must use a Wood or Driver on all tee
boxes. Yes, including par-3s.
</p>
</Column>
<Column>
<p>
Slugger con el lado A debe usar una madera o un driver en todos los
tees de salida. Sí, incluyendo pares 3.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>SWIFT</h2>
</Column>
<Column>
<h2>SWIFT</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
During the Determine Play Order step, subtract one from the initiative
of the club played by Swift. If Swift’s initiative ties with another
player, Swift goes first.
</p>
</Column>
<Column>
<p>
Durante el paso de determinar el orden de juego, resta uno de la
iniciativa del palo jugado por Swift. Si la iniciativa de Swift se
vincula con otro jugador, Swift va primero.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>
During the Determine Play Order step, subtract one from the initiative
of the club played by Swift. If Swift’s initiative ties with another
player, Swift goes after that player.
</p>
</Column>
<Column>
<p>
Durante el paso de determinar el orden de juego, resta uno de la
iniciativa del palo jugado por Swift. Si la iniciativa de Swift se
relaciona con otro jugador, Swift va tras ese jugador.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>The Shark</h2>
</Column>
<Column>
<h2>The Shark</h2>
</Column>
</Row>
<Row>
<Column>
<h3>a-side</h3>
</Column>
<Column>
<h3>Lado A</h3>
</Column>
</Row>
<Row>
<Column>
<p>
Water hazards are of no concern to The Shark, including those on
fairways. Treat them as per the underlying tile.
</p>
</Column>
<Column>
<p>
Los hazards de agua no son de interés para The Shark, incluyendo los
de las calles. Trátalos como a la pieza subyacente.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h3>b-side</h3>
</Column>
<Column>
<h3>Lado B</h3>
</Column>
</Row>
<Row>
<Column>
<p>As per a-side plus The Shark may not carry any wedges.</p>
</Column>
<Column>
<p>Por el lado A más The Shark no se puede llevar wedges.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Wedges include Pitching Wedge, Sand Wedge and the Lob Wedge.</p>
</Column>
<Column>
<p>
Las wedges incluyen el pitching wedge, el sand wedge y el lob wedge.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
During the Club Draft Phase, a player who has The Shark must pass if
the only available clubs are wedges. The Shark can pick from the
remaining cards after the draft.
</p>
</Column>
<Column>
<p>
Durante la fase de reparto de cartas, un jugador que tenga a The Shark
debe pasar si los únicos palos disponibles son wedges. The Shark puede
elegir entre las cartas que quedan después del reparto.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>Credits</h1>
</Column>
<Column>
<h1>Créditos</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Game Design: <NAME></p>
</Column>
<Column>
<p>Diseño del juego: <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p>Artwork: <NAME></p>
</Column>
<Column>
<p>Ilustraciones: <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p>Graphic Design: <NAME></p>
</Column>
<Column>
<p>Diseño gráfico: <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p>Writing: <NAME></p>
</Column>
<Column>
<p>Escritura: <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p>Editing: <NAME>, <NAME></p>
</Column>
<Column>
<p>Edición: <NAME>, <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p>Additional Art & Graphic Design: <NAME></p>
</Column>
<Column>
<p>Diseño gráfico e ilustraciones adicionales: <NAME></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Thanks to our Course Designers: <NAME>, quantumpotato, André
Valentin, <NAME>, <NAME> and The Cooke Family: Ashley, Ryan,
Brezlun, and <NAME>.
</p>
</Column>
<Column>
<p>
Gracias a nuestros diseñadores de campos: <NAME>, quantumpotato,
<NAME>, <NAME>, <NAME> y la familia Cooke: Ashley,
Ryan, Brezlun y Teegan Cooke.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Models: <NAME>, <NAME>, <NAME> and Pam Rucinque.</p>
</Column>
<Column>
<p>Modelos: <NAME>, <NAME>, <NAME> y Pam Rucinque. </p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Trailer Voice Over: Stefanie Kechayas</p>
</Column>
<Column>
<p>Voz en off del trailer: Stefanie Kechayas</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Playtesters: Alister, <NAME>, <NAME> , <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>,
<NAME>, <NAME>, <NAME>, Laura, <NAME>, Light,
<NAME>, <NAME>, <NAME>, <NAME>, Paul,
<NAME>, <NAME>, <NAME>, <NAME>, Steven,
<NAME>, Trent and those that left feedback and not their names.
</p>
</Column>
<Column>
<p>
Testadores: Alister, <NAME>, <NAME> , <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, Dan
Sansom-Gower, <NAME>, <NAME>, <NAME>, <NAME>,
<NAME>, <NAME>, <NAME>, Laura, <NAME>, Light,
<NAME>, <NAME>, <NAME>, <NAME>, Paul,
<NAME>, <NAME>, <NAME>, <NAME>, Steven,
<NAME>, Trent y quienes dejaron comentarios sin dejar sus nombres.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Additional Thanks: <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>
and <NAME> and <NAME> from Gameland.
</p>
</Column>
<Column>
<p>
Agradecimientos adicionales: <NAME>, <NAME>, <NAME>,
<NAME>, <NAME>, <NAME>, <NAME>, Daniel
Chamberlain y <NAME> y Vicky Wong de Gameland.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Special Thanks: <NAME>, <NAME>, <NAME>,
<NAME>, <NAME> and <NAME>
</p>
</Column>
<Column>
<p>
Agradecimientos especiales: <NAME>, <NAME>, <NAME>, <NAME>, <NAME> y <NAME>
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Seabrook Studios acknowledges the Traditional Owners of the land on
which we work. We pay our respects to their Elders, past and present,
and the Aboriginal Elders of other communities visiting these lands.
Sovereignty has never been ceded. It always was and always will be,
Aboriginal land.
</p>
</Column>
<Column>
<p>
Seabrook Studios reconoce a los propietarios tradicionales de la
tierra en la que trabajamos. Presentamos nuestros respetos a sus
ancianos, pasados y presentes, y a los ancianos aborígenes de otras
comunidades que visitan estas tierras. La soberanía nunca ha sido
cedida. Siempre fue y siempre será, tierra aborigen.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
©2018 Seabrook Studios Pty Ltd, All rights reserved. Actual components
may vary from those shown. Made in China.
</p>
</Column>
<Column>
<p>
©2018 Seabrook Studios Pty Ltd, Todos los derechos reservados. Los
componentes reales pueden variar de los que se muestran. Hecho en
China.
</p>
</Column>
</Row>
<Row>
<Column>
<p>NOT INTENDED FOR USE BY PERSONS 13 YEARS OF AGE OR YOUNGER.</p>
</Column>
<Column>
<p>NO RECOMENDADO PARA PERSONAS DE 13 AÑOS O MENOS.</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Seabrook Studios</p>
</Column>
<Column>
<p>Seabrook Studios PO BOX 110 Flinders Lane Victoria 8009 Australia</p>
</Column>
</Row>
<Row>
<Column>
<p>PO BOX 110</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Flinders Lane</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Victoria 8009</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Australia</p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p><EMAIL></p>
</Column>
<Column>
<p><EMAIL> </p>
</Column>
</Row>
<Row>
<Column>
<p>www.seabrook-studios.com</p>
</Column>
<Column>
<p>www.seabrook-studios.com</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>www.18holesgame.com</p>
</Column>
<Column>
<p>www.18holesgame.com </p>
</Column>
</Row>
<Row>
<Column>
<p>designer.18holesgame.com</p>
</Column>
<Column>
<p>designer.18holesgame.com</p>
</Column>
</Row>
<Row>
<Column>
<p>facebook.com/18holesgame</p>
</Column>
<Column>
<p>facebook.com/18holesgame </p>
</Column>
</Row>
<Row>
<Column>
<p>twitter.com/18holesgame</p>
</Column>
<Column>
<p>twitter.com/18holesgame</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h1>YOUR FIRST GAME</h1>
</Column>
<Column>
<h1>TU PRIMER JUEGO</h1>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
To get to playing 18 Holes as quickly as possible, follow these
instructions for your first game.
</p>
</Column>
<Column>
<p>
Para llegar a jugar 18 Holes lo más rápido posible, sigue estas
instrucciones para tu primer juego.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Setup</h2>
</Column>
<Column>
<h2>Configuración</h2>
</Column>
</Row>
<Row>
<Column>
<p>
If you’ve not removed the course tiles from the punchboards, grab
punchboard #01 and turn it front side up. It’s written on the board in
the bottom right corner. If you need to build the course from tiles,
open up the course booklet and recreate the Starter Course from Page
5.
</p>
</Column>
<Column>
<p>
Si no has quitado las piezas del campo de los tableros perforados,
coge el tablero perforado 01 y ponlo con la parte delantera hacia
arriba. Está escrito en el tablero en la esquina inferior derecha. Si
necesitas construir el campo a partir de las losetas, abre el folleto
del campo y recrea el campo de iniciación desde la página 5.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Place a flag on each green as depicted on the layout. You will need
five flags, take these from other punchboards. You will need five
trees, assemble these and place over the tree hazards. These are the
small hexes with fenced off trees.
</p>
</Column>
<Column>
<p>
Coloca una bandera en cada green como se muestra en el diseño.
Necesitarás cinco banderas, cógelas de otros tableros perforados.
Necesitarás cinco árboles, ensámblalos y colócalos sobre hazards de
árboles. Estos son los pequeños hexágonos con árboles cercados.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Sort the shot cards into their respective decks (C, 2, 3, 4 and 5),
shuffle each deck and put within reach of all players. Next, take the
club cards, these have the 18 Holes logo on the back (and do not say
solo). In the bottom left corner of some of the cards is a small A, B,
C, D or E.
</p>
</Column>
<Column>
<p>
Ordena las cartas de tiro en sus respectivos mazos (C, 2, 3, 4 y 5),
baraja cada mazo y ponlo al alcance de todos los jugadores. Luego,
coge las cartas de los palos, éstas tienen el logo de 18 Holes en la
parte de atrás (no pone "solo"). En la esquina inferior
izquierda de algunas de las cartas hay una A, B, C, D o E pequeña.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Give the first player the As, the second the Bs, etc. These pre-made
hands let you skip the drafting phase.
</p>
</Column>
<Column>
<p>
Dale al primer jugador la A, al segundo la B, etc. Estas manos ya
hechas te permiten saltarte la fase de echar suertes para tirar.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Skip the golf persona cards. You should now have 5 clubs each, a small
course built and five decks of shot cards. You can get straight into
playing.
</p>
</Column>
<Column>
<p>
Sáltate las cartas de personajes de golfistas. Ahora deberíais tener 5
palos cada uno, un pequeño campo construido y cinco mazos de cartas de
tiro. Puedes jugar directamente.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Play</h2>
</Column>
<Column>
<h2>Juego</h2>
</Column>
</Row>
<Row>
<Column>
<p>
If a player has no clubs in their hand, they move their discarded
clubs to their hand. If you have the driver and are not on a tee box,
you may also reset your hand.
</p>
</Column>
<Column>
<p>
Si un jugador no tiene palos en la mano, mueve los palos desechados a
su mano. Si tienes el driver y no estás en un tee de salida, también
puedes reajustar tu mano.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Each player selects a club from their hand and places it on the table
face down. When all are ready, reveal your clubs.
</p>
</Column>
<Column>
<p>
Cada jugador selecciona un palo de su mano y lo coloca en la mesa boca
abajo. Cuando todos estén listos, revelan sus palos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Players take a turn in order from the lowest value initiative to
highest. The initiative is in the top-left corner.
</p>
</Column>
<Column>
<p>
El orden de los turnos de los jugadores lo establece la iniciativa, de
menor a mayor valor. La iniciativa está en la esquina superior
izquierda.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
On your turn, you can perform one action (see insert). Detailed rule
explanation starts on page 8. For most turns, you will follow the
instructions on your club cards and draw shot cards from one of the
decks.
</p>
</Column>
<Column>
<p>
En tu turno, puedes realizar una acción (ver inserción). La
explicación detallada de las reglas comienza en la página 8. En la
mayoría de los turnos, seguirás las instrucciones de las cartas de
palos y sacarás cartas de tiros de uno de los mazos.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
For shot decks numbered 2-5 you draw a card and then decide which
direction you wish to hit the ball. When you’re drawing a card from
the chip deck tell your playing group which direction you are hitting
beforehand.
</p>
</Column>
<Column>
<p>
Para los mazos de tiros numerados del 2 al 5 se saca una carta y luego
se decide en qué dirección se desea golpear la bola. Cuando saques una
carta de la baraja de chip, dile a tu grupo de juego en qué dirección
vas golpear de antemano.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
Once you have drawn your card, move your golfer up to where your ball
landed. Then turn the club you have used face down.
</p>
</Column>
<Column>
<p>
Una vez que hayas sacado tu carta, mueve tu golfista hasta donde cayó
tu bola. Entonces pon el palo que has usado boca abajo.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>If you land in a hazard, see “HAZARDS & OTHER TILES” on page 15.</p>
</Column>
<Column>
<p>
Si caes en un hazard, lee "HAZARDS Y OTRAS PIEZAS" en la
página 15.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<h2>Scoring</h2>
</Column>
<Column>
<h2>Puntuación</h2>
</Column>
</Row>
<Row>
<Column>
<p>
When a player reaches the green, give all players that reached the
green that turn either the flag or a 1-point score token. If you score
on your first turn for the hole, take a hole-in-one token.
</p>
</Column>
<Column>
<p>
Cuando un jugador llegue al green, todos los jugadores que lleguen al
green en esa ronda reciben la bandera o una ficha de 1 punto de
puntuación. Si anotas en tu primer turno para el hoyo, coge una ficha
de "hoyo en uno".
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>
The player with the most flags and score tokens after five holes wins.
The player with the most hole-in-one tokens wins the tie-break.
</p>
</Column>
<Column>
<p>
El jugador con más banderas y fichas de puntuación después de cinco
hoyos gana. El jugador con más fichas de hoyo en uno gana el empate.
</p>
</Column>
</Row>
<Row>
<Column>
<p></p>
</Column>
<Column>
<p></p>
</Column>
</Row>
<Row>
<Column>
<p>Detailed rules start on page 6.</p>
</Column>
<Column>
<p>Las reglas detalladas comienzan en la página 6.</p>
</Column>
</Row>
</>
);
export default Content;
| javascript |
package basic;
/**
* description: 贪心算法示例
* <p>
* 小明手中有 1,5,10,50,100 五种面额的纸币,每种纸币对应张数分别为 5,2,2,3,5 张。若小明需要支付 456 元,则需要多少张纸币?
* <p>
* (1)**建立数学模型**
* 设小明每次选择纸币面额为 Xi ,需要的纸币张数为 n 张,剩余待支付金额为 V ,则有:`X1 + X2 + … + Xn = 456`
* <p>
* (2)**问题拆分为子问题**
* 小明选择纸币进行支付的过程,可以划分为n个子问题,即每个子问题对应为:**在未超过456的前提下,在剩余的纸币中选择一张纸币**。
* <p>
* (3)**制定贪心策略,求解子问题**
* <p>
* 制定的贪心策略为:在允许的条件下选择面额最大的纸币。则整个求解过程如下:
* <p>
* - 选取面值为 100 的纸币,则 `X1 = 100, V = 456 – 100 = 356`;
* - 继续选取面值为 100 的纸币,则 `X2 = 100, V = 356 – 100 = 256`;
* - 继续选取面值为 100 的纸币,则 `X3 = 100, V = 256 – 100 = 156`;
* - 继续选取面值为 100 的纸币,则 `X4 = 100, V = 156 – 100 = 56`;
* - 选取面值为 50 的纸币,则 `X5 = 50, V = 56 – 50 = 6`;
* - 选取面值为 5 的纸币,则 `X6 = 5, V = 6 – 5 = 1`;
* - 选取面值为 1 的纸币,则 `X7 = 1, V = 1 – 1 = 0`;求解结束
* <p>
* (4)**将所有解元素合并为原问题的解**
* <p>
* 小明需要支付的纸币张数为 7 张,其中面值 100 元的 4 张,50 元 1 张,5 元 1 张,1 元 1 张。
*
* @author RenShiWei
* Date: 2021/9/15 16:20
**/
public class GreedyAlgorithm {
int greedyPayment(int payMoney) {
// 纸币的类型
int[] moneyType = new int[] {1, 5, 10, 50, 100};
// 每种纸币的张数
int[] count = new int[] {5, 2, 2, 3, 5};
int sum = 0;
for (int i = moneyType.length - 1; i >= 0 && payMoney > 0; i--) {
// 贪心算法,每次选取最大的纸币,计算需要的张数
int temp = Math.min(payMoney / moneyType[i], count[i]);
// 计算剩余待支付的金额
payMoney -= temp * moneyType[i];
sum += temp;
}
// 计算完,不够支付,返回-1
if (payMoney > 0) {
return - 1;
}
return sum;
}
public static void main(String[] args) {
GreedyAlgorithm test = new GreedyAlgorithm();
System.out.println(test.greedyPayment(456));
}
}
| java |
<reponame>MrNoIce/Blog
---
title: Vehicle Services
---
# How can I help you with your project?

---
# I specalize in weird swaps. LS series, 2JZGTE, 1JZGTE, K-Series, B-series, Honda, and many other computer controlled engine.
## I come to you and diagnose your vehicle. My expertise is in determining the issues and guiding you in how to solve them. I will, however, do small repairs as a I see fit. I can provide you with a detailed plan of your project's needs and I will work with you on an ongoing project if needed.
- Please provide a fully detailed write up of your vehicle ***and*** the physical space it is in
- List any known issues, work previously done to it, and what you have done so far
- I will travel up to 30 miles from Nashville - Any further will need to be discussed
## Please fill out the service request form below and I will get back to you in a timly manner
[Vehicle Service Request Form](/Request) | markdown |
The showdown between the Hisense U8K and the TCL QM8 is long overdue. This turns out to be one heck of a comparison, because these two TVs are both very, very good, especially considering their highly attractive price points. I think it’s fair to say that these TVs are setting the standard for what’s to be expected when it comes to performance for the price. The fact that these TVs do what they do at their price points means that TVs costing more need to offer some pretty significant upgrades to justify their higher prices. That makes them a driving force in the market, and kind of a big deal.
The race between these two TVs is pretty tight. I mean, they are neck and neck in so many ways that I can tell you right now which one you’ll prefer is probably going to come down to one, maybe two little considerations. It’s almost a toss-up. But, I know folks latch on to very specific issues that they find meaningful, so hopefully, I can help you figure out which one of these two TVs you would prefer to buy in this comparison.
Starting with the stands. The Hisense U8K has two feet that you can position at two different heights, and you can set them in toward the middle for a narrower stance that works with smaller media stands, or go for the wide look for more stability and to accommodate longer soundbars.
The TCL QM8 has a pedestal-style stand, and it also offers two different height settings for accommodating a soundbar, though it is worth pointing out that the soundbar will be kind of high-centered on the pedestal.
I mention soundbars because I think a lot of folks will want sound that’s as good as the picture, but unlike many TVs today, these both have better-than-average onboard audio, which I’ll discuss in a moment.
Both TVs are attractive enough, but the TCL is about half as thick, and I also like that its logo isn’t shiny, so if I had to pick a winner on aesthetic, I’d go with TCL in this case.
Both TVs have four HDMI inputs. On the Hisense, two inputs are labeled 4K 144Hz, indicating those two are HDMI 2.1-compliant, however, note that one of those 4K 144Hz ports is the eARC port. The TCL has one port marked 4K 144Hz, and one marked 4K 120Hz, but neither of those is the eARC port, so hooking up a soundbar or AV receiver to that eARC doesn’t take up one of your TV’s gaming ports. I like that. Another point for TCL.
The TCL remote is slimmer and longer and sits flat on a surface; the Hisense remote is shorter, wider, and wobbles on the table a bit. Not sure if you care, but thought that was worth pointing out. Drop a comment now if remote wobble rubs you the wrong way.
Both of these remotes are backlit, but the TCL remote backlight is usefully brighter, and it’s motion activated, so when you pick it up, it lights up. The Hisense remote dims a couple of seconds after your last button press and doesn’t light up until you press a button, so for me, that’s not especially helpful. I prefer the TCL remote, even if it is a bit larger.
Power the TVs on and you’re going to be greeted by the Google TV interface. There are no Roku versions of these TVs at this time, and I have my doubts there ever will be. I’ve spent a good amount of time clicking through these menus, and they both behave the same: They’re equally snappy and responsive and app loading times are about the same for each.
There are meaningful differences in performance, but the menus are broken down a bit differently, and as I’m always having to get into the menus, I’ve noticed that I tend to prefer how TCL has chosen to lay things out. I don’t think this is a meaningful difference for most people, though.
Let’s talk about support. These TVs offer so many features that it is impossible to list them all, but I’ll run through those I think are most important. Both offer HDR 10, HDR 10 plus, Dolby Vision (2745441), and HLG support. The Hisense packs an ATSC 3.0 tuner (1308536) in it, and the TCL does not, though so far, I don’t consider so-called NextGEN OTA broadcast support a bonus for most folks, and by the time ATSC 3.0 does offer something cool, it might be time for a new TV. That said, the Hisense has it and the TCL doesn’t, so props to Hisense.
As for sound quality, I first want to say that I appreciate that both Hisense and TCL put some effort into the onboard sound systems for these TVs. They both have big bass transducers on the back to help add fullness and richness to the sound, so it isn’t just a piercing, nasal mess. But the Hisense U8K sounds significantly better than the TCL QM8. The U8K has a better balanced sound signature, whereas the TCL tries to woo you with overly crispy treble and that big bass, but not enough in-between – the midrange is seriously lacking in comparison to the Hisense here. The QM8 sounds better than a lot of TVs, but this is a head-to-head, and the U8K handily takes the audio win.
Performing this side-by-side comparison was fun and revealing to me as a TV reviewer, and I’m very excited to share it with you. But I also need to remind everyone that many of the minute differences in picture quality that I’m going to point out could never be registered unless the TVs were side by side. If I were to put you in a room with one TV and let you watch a 5-minute clip on repeat and let you take notes for a full hour, then put you in another room with the other TV and asked you to do the same, I’m willing to bet money that you would not catch about 80% of what I found in this side-by-side comparison.
Some of this stuff, we’ll want to take with some skepticism, but there are a few elements here that I think make a meaningful impact on the daily TV-watching experience, so I’ll be sure to call those out.
I’ll take you through the experience I had, which started on the Google TV home screen. With the TCL in its movie mode and brightness set to 49, and the Hisense in its Filmmaker Mode ( I found this to be true in Theater Day and Theater Night as well), I noticed the black background on some of the slides was much blacker on the TCL QM8 than it was on Hisense U8K. This was consistent across multiple backgrounds. Also, I noticed that even with the brightness juiced up on the Hisense, the white tiles for Netflix and YouTube look brighter and whiter on the TCL.
Thinking this might just be a difference in how the TV handles the interface, I went into Netflix, and I noticed more of the same. It’s as if the black areas are made dark gray, even though the Hisense is very capable of dimming these areas down to black. Everything seems raised a bit, even though the picture doesn’t have the same brightness punch, which is interesting.
Keeping that in mind, I loaded up one of my favorite clips to use for evaluation, and the Hisense background was more dark gray, while the TCL’s was more black. Pulling up a YouTube clip in 8K HDR Dolby Vision – which not presented in Dolby Vision because YouTube doesn’t support it — we get something to dig our teeth into right away.
About 18 seconds in, the creator starts slowly illuminating the scene. What I noticed was the TCL started showing the signs of gold foil on a champagne bottle taking shape, but it was not to be seen on the Hisense. And I didn’t see it on the Hisense for almost a second after it emerged on the TCL, even though the timecodes were the same.
This surprised me because, based on the raised picture level I saw on those smart TV screens earlier, I figured the Hisense might show the bottle first. There were excellent blacks and no blooming as the backlight system needed to activate, yet I didn’t see the lowlight object. On the TCL, we got great blacks, and no blooming as the local dimming system kicked on those mini-LED backlights, but I could see the outline of the bottle on the screen.
Then as I proceeded to full brightness of the scene, the TCL was clearly a bit brighter than the U8K. And remember, this is HDR content, so the brightness and contrast are maxed and it’s really about how the TV’s processor decides it’s going to present the image. And the TCL QM8 is punching a little harder.
Is that a good thing? That’s up to you and what you want. The reason the TCL appears brighter and shows lowlight objects when the Hisense does not is because the TCL tracks high on the EOTF (electro-optical transfer function) curve — in other words, it generally overbrightens images relative to the instructions it is given by the content. I’m not going to weigh this as a win or loss for either TV. It just is.
But the same scene also shows where the QM8’s processing falls a bit short of the U8K’s. When examining the background of the scene where the light is cast against the backdrop, it at first looks like the light pool takes up a larger overall area on the QM8 than it does on the U8K. But look a bit closer and what you’ll notice is that what’s happening is the U8K is doing a better job with gradation. The transition from light to dark is smoother, with less banding and stair-stepping on the U8K than on the TCL QM8, where there’s a hotspot of brightness here, then some mid-shaded area, another big step down, and then it just dumps to black.
The transitions on the QM8 from light to dark are not nearly as smooth as they are on the U8K. This is where the U8K wins ,and this is an important win because when we talk about cleaning up low-bit depth content like the kind we get from some streaming services – especially live TV streaming – as well as some cable and satellite channels, you’ll want that that cleanup effort the U8K is bringing to the table.
In sample after sample, the U8K offered smoother gradations, but tracked a touch dimmer than the QM8 across the board. You can see that in how much dimmer the flower in the scene above is at 3:35 before the light intensifies, and then again after it dims down. At 3:55, there’s more of the same, with smoother gradation on the Hisense U8K than the TCL QM8. Get the idea?
Let’s move on to something else. And I’m afraid I have to pull out the old Spears and Munsil benchmark disc for this. I know, I know, we’ve seen it a million times, but it’s a known quantity, right? So we can really dig into a couple of scenes and pick apart the differences.
Obviously, I’m going straight for the horses in the snowy field. Now this is content mastered to 1,000 nits, so well within the capability of both TVs, and they can decide how to spend their brightness headroom – let’s see what they do. They both do just fine, but the TCL has higher average brightness again.
Bumping up to 2,000 nits, again they both do fine. The TCL is maybe retaining a little more of the trees in the background, but both TVs are doing well with this content overall. Now, I don’t have a 4,000-nit setting here, but I suspect that the Hisense U8K could end up clipping a little hard and taking some of the background detail out in an ultrabright scene like this because, when we jump to 10,000 nits, we can see it do that. However, I refuse to fault the U8K with anything since nobody will ever be throwing 10,000-nit content at this TV, and in fact, the number of times it sees 4,000-nit content will be slim to zero. So, for all the content we get on a daily basis, both TVs handle it well, but the TCL is brighter on average. And so far, I’ve enjoyed that, but there are some instances in which it is not necessarily a pure blessing.
Let’s look at these scenes from the Spears and Munsil disc. Watch what happens when I pause just as the sun reflecting off the right-most mountain peak reaches its ... well, peak in the TCL image. Look, it’s blown out compared to the Hisense. It only lasts a second, but we can see more of it if we look for it. Here, the picture on the whole is brighter on the QM8, but look at the top of the mountain, where you can see better contrast on the Hisense U8K than you can on the TCL QM8 – there are more of the dark lines.
You can see a little of this in bright colors, too. Here, the top of this cactus flower looks just a little overblown on the QM8, whereas the color is deeper and the texture is more apparent on the Hisense u8K.
Finally, here, on the Ferris wheel, there is clearly more detail of the lights in the center on the Hisense U8K than on the TCL QM8.
As for motion resolution, resolution upscaling, and game mode picture quality, it’s pretty much a dead heat. So, where does that leave us?
Well, from an everyday use standpoint, I tend to prefer the TCL. I like the remote better, I like the layout of the menu better, and I think I’m just going to enjoy interacting with this TV more.
From a sound quality perspective, the Hisense is better, though you could remove sound quality from your decision by getting a decent soundbar.
There are aspects of each TV that I want. I wish one TV did them all.
From a picture quality perspective, the Hisense does a better job with color gradation from lower-quality sources, which I think is worth weighing fairly heavily. But then there’s the overall brightness and low-luminance picture performance, where the TCL tends to stand out. The QM8 is just a brighter TV. So, if you need a lot of punch, the TCL is the better pick. And if you watch a lot of really dark content, the TCL could be a better choice for general visibility, while the Hisense tends to have less noise and macroblocking with the lowlight images it does show you.
So, for me? This is a very tough call. There are aspects of each TV that I want. I wish one TV did them all. But, if I had to choose, right now, I’m probably going to choose the TCL if I’m pressured, but I would be very pleased to own the U8K as well. Folks, it’s that close.
Now, as if this decision wasn’t hard enough, there’s the Sony X90L out there, too. And if that TV was in this mix here? It would be an even tougher decision. But ... I would probably pick the Sony if this was a three-way competition. Again, that’s a very personal decision, and which TV you think is the winner comes down to your priorities. Hopefully, I’ve helped arm you with enough knowledge to make a decision. It’s going to be a tough one, as both of these TVs offer outstanding performance for the price. Perhaps the best news coming out of this comparison is that, no matter which TV you get, I think you’re going to be pretty happy.
| english |
MANGALDAI: Dr Lutan Sarkar, Managing Director-cum-Principal of Koupati Jatiya Vidyalya situated along the border of Udalguri and Darrang and dominated by religious and linguistic minority people, is among the two persons who have been recognized and honoured in the ceremonial function of celebration of the completion of two years of the BTC government at Udalguri on Monday.
Dr Sarkar is honoured for his commitments, years of dedicated services, outstanding performance, exemplary contributions and accomplishments as a young entrepreneur in the field of education. Dr Sarkar who started his journey of entrepreneurship in the year 2005 by setting up the educational institution with a motive to impart quality education to the children of the remote area at a minimum cost has now been able to enroll more than 2200 students from class I to XII standards overcoming many challenges and also offered direct and indirect employment to more than 110 unemployed youths of Darrang, Udalguri and other nearby districts. He has already adopted one local government-run school where he engaged two teachers from his own resources to balance the gap of the teachers and students. Moreover he is widely known for his benevolence for which several children being victims of poverty, broken family, domestic violence etc and on the verge of being dropped out used to avail their rights of education free of cost.
Also Watch: | english |
{
"$schema": "http://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json",
"contentVersion": "1.0.0.0",
"parameters": {
"databaseName": {
"type": "string",
"metadata": {
"description": "The name of the database"
}
},
"elasticPoolName": {
"type": "string",
"metadata": {
"description": "The name of the SQL Elastic Pool"
}
},
"transparentDataEncryption": {
"type": "string",
"allowedValues": [
"Enabled",
"Disabled"
],
"defaultValue": "Enabled",
"metadata": {
"description": "Enable or disable Transparent Data Encryption (TDE) for the database."
}
},
"sqlserverName": {
"type": "string",
"metadata": {
"description": "SQL Server name to deploy the databases to"
}
},
"databaseMaxSizeBytes": {
"type": "string",
"defaultValue": "1073741824",
"metadata": {
"description": "The maximum size of the database in bytes"
}
},
"databaseSku": {
"type": "object",
"defaultValue": {
"name": "ElasticPool",
"tier": "Standard"
},
"metadata": {
"description": "If provided the database will be deployed outside of the Elastic Pool with the specified Service Tier"
}
}
},
"variables": {
"isElasticDatabase": "[equals(parameters('databaseSku').name,'ElasticPool')]",
"databaseProperties": {
"elasticPoolDatabase": {
"collation": "SQL_Latin1_General_CP1_CI_AS",
"maxSizeBytes": "[parameters('databaseMaxSizeBytes')]",
"elasticPoolId": "[resourceId('Microsoft.Sql/servers/elasticpools',parameters('sqlserverName'),parameters('elasticPoolName'))]"
},
"standardDatabase": {
"collation": "SQL_Latin1_General_CP1_CI_AS",
"maxSizeBytes": "[parameters('databaseMaxSizeBytes')]"
}
}
},
"resources": [
{
"name": "[concat(parameters('sqlserverName'), '/', parameters('databaseName'))]",
"type": "Microsoft.Sql/servers/databases",
"location": "[resourceGroup().location]",
"tags": {
"displayName": "Database"
},
"apiVersion": "2017-10-01-preview",
"properties": "[if(variables('isElasticDatabase'), variables('databaseProperties').elasticPoolDatabase, variables('databaseProperties').standardDatabase)]",
"sku": "[parameters('databaseSku')]",
"resources": [
{
"comments": "Transparent Data Encryption",
"name": "current",
"type": "transparentDataEncryption",
"apiVersion": "2014-04-01",
"properties": {
"status": "[parameters('transparentDataEncryption')]"
},
"dependsOn": [
"[parameters('databaseName')]"
]
}
]
}
]
}
| json |
Thankfully for us that cover professional wrestling round the clock, it was not a pay-per-view week, a rarity in these times. However, it certainly was an eventful week, with many happenings that shaped, moulded and transformed the wrestling world.
While we always encourage you to keep checking the Sportskeeda Wrestling page, to be up to date with recent updates from sports entertainment, here is an alternative. These are some highlights of the events that transpired through the week.
As is tradition, let's begin with the viewership numbers for Raw and SmackDown Live.
Not even Brock Lesnar can save the product, it seems. On the heels of what was a good show last week, the red brand put on a fairly solid show this week too. Unfortunately, much of the WWE Universe did not agree with our qualitative assessment of the episode as Raw’s viewership dipped by 4% when compared to last week.
Essentially, 2. 976 million viewers tuned in, as compared to the 3 million plus viewers during last week’s episode.
However, SmackDown Live’s viewership saw a slight increase with the Women’s MITB match in the main event spot. The number rose slightly to 2. 603 million viewers this week when compared to the 2. 597 million viewers that had tuned into the blue brand last week. Next week’s episode should see an even further rise, and we’ll tell you why on the very next page.
Fourth of July episodes have traditionally not clocked the highest numbers for WWE, but we are glad to see that the company is giving it their all, to put on a packed show. Not only will John Cena return next week, there will also be an Independence Day Battle Royal at the show, with the winner getting a shot at Kevin Owens’ US Championship.
Moreover, Lana claims that Naomi had not really pinned her in the contest last week, so she gets yet another rematch. And that’s not all, there will also be a rap battle between The Usos and The New Day, next Tuesday.
The card looks stacked, and we couldn’t be happier at WWE's positive approach.
Alas! While Lita won't be competing in the Mae Young Classic tournament, she will indeed grace our screens. She will join fellow Hall of Famer Jim Ross and call the action at the Mae Young Classic tournament, come Monday, August 28th.
Lita had been a part of the Raw pre-show until not too long ago, and we are glad to see her back in the fold. While she may not be JR, in terms of calling the action live, her laurels in the ring certainly make her an ideal candidate for the job.
Chris Jericho surprised the WWE Universe, by returning as a heel at a WWE Live Event in Singapore. This was the first time we’d seen him since he moved to SmackDown Live and was beaten down by Kevin Owens, following the Superstar Shake-Up.
Unfortunately, Jericho had a sour return as Itami hit him with a GTS, to pick up the win. We wait with bated breath to find out when Jericho will return to WWE television and put us on the list.
Seth Rollins faced Jinder Mahal for the WWE Championship in Vancouver. According to the Wrestling Observer Newsletter, Shinsuke Nakamura was supposed to be Mahal’s opponent at first.
However, certain travel issues prevented the King of Strong Style from making it to Canada, forcing WWE to replace him with Rollins. Jinder got a massive pop in Canada and went on to retain his championship.
Former Impact Wrestling Star Gunner, who is best known for his TNA Television Title reign as well as his Tag Team Championship reign (with James Storm) arrived at an NXT live event and set social media on fire.
He faced off against No Way Jose in a losing effort, and wrestled under his real name, Chad Lail, hailing from Charlotte, North Carolina. We wait to see what gimmick he will wrestle under when he makes his NXT television debut in due course of time.
Some say it was done merely to promote the Netflix series GLOW that celebrates women's wrestling. Whatever the reason, the women of WWE made history as Raw, SmackDown Live and NXT had women superstars competing in their main event matches. Congratulations to the women, and may this be the beginning of something special!
That concludes our weekly news recap feature. We’ll join you again next week, with more news from SKFabe. | english |
<reponame>yeo/spf<filename>dns_test.go
package spf
import (
"context"
"net"
"strings"
)
// DNS overrides for testing.
type TestResolver struct {
txt map[string][]string
mx map[string][]*net.MX
ip map[string][]net.IP
addr map[string][]string
errors map[string]error
}
func NewResolver() *TestResolver {
return &TestResolver{
txt: map[string][]string{},
mx: map[string][]*net.MX{},
ip: map[string][]net.IP{},
addr: map[string][]string{},
errors: map[string]error{},
}
}
func NewDefaultResolver() *TestResolver {
dns := NewResolver()
defaultResolver = dns
return dns
}
func (r *TestResolver) LookupTXT(ctx context.Context, domain string) (txts []string, err error) {
if ctx.Err() != nil {
return nil, ctx.Err()
}
domain = strings.ToLower(domain)
domain = strings.TrimRight(domain, ".")
return r.txt[domain], r.errors[domain]
}
func (r *TestResolver) LookupMX(ctx context.Context, domain string) (mxs []*net.MX, err error) {
if ctx.Err() != nil {
return nil, ctx.Err()
}
domain = strings.ToLower(domain)
domain = strings.TrimRight(domain, ".")
return r.mx[domain], r.errors[domain]
}
func (r *TestResolver) LookupIPAddr(ctx context.Context, host string) (as []net.IPAddr, err error) {
if ctx.Err() != nil {
return nil, ctx.Err()
}
host = strings.ToLower(host)
host = strings.TrimRight(host, ".")
return ipsToAddrs(r.ip[host]), r.errors[host]
}
func ipsToAddrs(ips []net.IP) []net.IPAddr {
as := []net.IPAddr{}
for _, ip := range ips {
as = append(as, net.IPAddr{IP: ip, Zone: ""})
}
return as
}
func (r *TestResolver) LookupAddr(ctx context.Context, host string) (addrs []string, err error) {
if ctx.Err() != nil {
return nil, ctx.Err()
}
host = strings.ToLower(host)
host = strings.TrimRight(host, ".")
return r.addr[host], r.errors[host]
}
func init() {
// Override the default resolver to make sure the tests are not using the
// one from net. Individual tests will override this as well, but just in
// case.
NewDefaultResolver()
}
| go |
The director of Yeto Vellipoyindi Manasu says that he finds working with Nani (as also Jiiva for the film's Tamil version) a learning experience. Refusing to draw comparisons between the performances of the two actors, he says that both Jiiva and Nani have performed differently within the same structure.
Heaping laurels on Nani, Gautham says, "With Nani, what struck me was his confidence. It has been a revelation. Nani, the most confident actor and it is a pleasure to work with him. Will do a film with him anytime given a chance. "
Talking about the film, he says: "Simple film, beautiful music, very good actors, Jiiva, Nani and Samantha. Adithya too, actually. Great experience for me. Loved every moment. "
Nani is one of the few actors to have got compliments from two ace directors in one year. Earlier before the release of Eega, Rajamouli called him a complete natural. Wait for the release of Krishna Vamsi's tentatively titled Paisaa!
Follow us on Google News and stay updated with the latest! | english |
- Hafeez bowled a double drop delivery to Australia opener David Warner, leading one of the weirdest moments in cricket.
- The incident occurred on the very first delivery of the 8th over. The ball pitched twice and was punished straight away for six.
- The on-field umpire Richard Kettleborough called it no-ball that followed a free hit, leading to embarrassment for the former Pakistan captain.
- On the contrary, it was an incredible hit from Warner as he stooped low, he got underneath the low bounce and generated all the power.
- Since being shared on social media, the video has gone viral on social media.
Watch the funny video below:
What does the ICC law state: All those who are wondering why it wasn’t called a dead-ball check out the rule below.
If the ball bounces twice before it reaches the popping crease, it’s a no-ball.
If it bounces twice on or after the popping crease, it’s a fair delivery.
| english |
After Zomato’s punny jibe at the Nirav Modi-Punjab National Bank fraud case recently, it is actor Riteish Deshmukh’s tweet that seems to have stirred up Twitter. Deshmukh, who has not exactly had a great run in Bollywood in recent times, took to Internet to make a reference to his dud film from 2017 ‘Bank Chor‘ and wrote: ‘I am the only ‘BANK-CHOR’ that failed. ’ While he did not make any obvious reference to Modi, Twitterati think his post is funny, clever and well, obvious.
Here are some of the reactions that Deshmukh’s tweet meanwhile garnered.
भाई रितेश…तुम कौन से बैंक में चोरी करोगे?
Meanwhile, Modi’s advocate Vijay Aggarwal spoke to the media that the loan amount was Rs 280 crores which might go up to Rs 5,000 crores and not 11,500 crores, citing CBI’s data. | english |
<reponame>sniperkit/xrank<gh_stars>1-10
package server
import (
"bufio"
"fmt"
"io"
"net"
"sync"
"time"
"github.com/golang/glog"
"github.com/golang/protobuf/proto"
"github.com/jacobwpeng/sirius/frame"
"github.com/jacobwpeng/sirius/serverproto"
)
const (
MAX_BUFFERED_JOB_RESULT = 128
CONN_READ_TIMEOUT = time.Millisecond * 100
CONN_WRITE_TIMEOUT = time.Millisecond * 100
)
type TCPClient struct {
dispatcher *Dispatcher
conn *net.TCPConn
wg sync.WaitGroup
doneChan chan struct{}
errChan chan error
jobResultQueue chan JobResult
}
func NewTCPClient(dispatcher *Dispatcher, conn *net.TCPConn) *TCPClient {
return &TCPClient{
dispatcher: dispatcher,
conn: conn,
doneChan: make(chan struct{}, 2),
errChan: make(chan error, 2),
jobResultQueue: make(chan JobResult, MAX_BUFFERED_JOB_RESULT),
}
}
func MustMarshal(pb proto.Message) []byte {
data, err := proto.Marshal(pb)
if err != nil {
glog.Fatal(err)
}
return data
}
func (c *TCPClient) Run() {
defer c.conn.Close()
c.wg.Add(1)
go c.StartReading()
c.wg.Add(1)
go c.StartWriting()
select {
case err := <-c.errChan:
serr, ok := err.(*Error)
if ok && serr.PrevErr == io.EOF {
glog.V(2).Infof("TCPClient %s disconnected", c.conn.RemoteAddr())
} else {
glog.Warningf("TCPClient %s error: %s", c.conn.RemoteAddr(), err)
}
c.Stop()
case <-c.doneChan:
}
c.conn.Close()
c.wg.Wait()
glog.V(2).Infof("TCPClient %s done", c.conn.RemoteAddr())
}
func (c *TCPClient) StartReading() {
defer c.wg.Done()
for {
var frame frame.Frame
br := bufio.NewReader(c.conn)
if _, err := frame.ReadFrom(br); err != nil {
select {
case <-c.doneChan:
return
default:
}
c.errChan <- NewError("Read frame", err)
break
}
glog.V(2).Infof("New frame from %s", c.conn.RemoteAddr())
if err := frame.Check(); err != nil {
c.errChan <- NewError("Check frame", err)
break
}
job, err := c.CreateJob(&frame)
if err != nil {
c.errChan <- NewError("Create job", err)
break
}
c.dispatcher.jobQueue <- job
}
}
func (c *TCPClient) CreateJob(frame *frame.Frame) (job Job, err error) {
msgType := serverproto.MessageType(frame.PayloadType)
var msg proto.Message
switch msgType {
case serverproto.MessageType_TypeGetRequest:
msg = &serverproto.GetRequest{}
case serverproto.MessageType_TypeGetByRankRequest:
msg = &serverproto.GetByRankRequest{}
case serverproto.MessageType_TypeGetRangeRequest:
msg = &serverproto.GetRangeRequest{}
case serverproto.MessageType_TypeUpdateRequest:
msg = &serverproto.UpdateRequest{}
case serverproto.MessageType_TypeDeleteRequest:
msg = &serverproto.DeleteRequest{}
default:
return job, fmt.Errorf("Unexpected type: %d", msgType)
}
if err = proto.Unmarshal(frame.Payload, msg); err != nil {
return job, err
}
glog.V(2).Info("New message: ", msg)
switch m := msg.(type) {
case *serverproto.GetRequest:
job.RankID = m.GetRank()
case *serverproto.GetByRankRequest:
job.RankID = m.GetRank()
case *serverproto.GetRangeRequest:
job.RankID = m.GetRank()
case *serverproto.UpdateRequest:
job.RankID = m.GetRank()
case *serverproto.DeleteRequest:
job.RankID = m.GetRank()
default:
glog.Warning("Unexpected message type")
}
job.Frame = frame
job.Msg = msg
job.resultChan = c.jobResultQueue
return job, nil
}
func (c *TCPClient) StartWriting() {
defer c.wg.Done()
for {
select {
case <-c.doneChan:
return
case jobResult := <-c.jobResultQueue:
var payload []byte
if jobResult.Msg != nil {
payload = MustMarshal(jobResult.Msg)
}
replyFrame := frame.New(jobResult.FramePayloadType, payload)
replyFrame.ErrCode = jobResult.ErrCode
replyFrame.Ctx = jobResult.FrameCtx
if _, err := replyFrame.WriteTo(c.conn); err != nil {
select {
case <-c.doneChan:
return
default:
}
c.errChan <- NewError("Write frame", err)
return
}
glog.V(2).Infof("Write frame to %s, %v", c.conn.RemoteAddr(), replyFrame)
}
}
}
func (c *TCPClient) Stop() {
select {
case <-c.doneChan:
return
default:
close(c.doneChan)
}
}
func (c *TCPClient) StopAndWait() {
c.Stop()
c.wg.Wait()
}
| go |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.