Skip to content

Commit

Permalink
feat: Made it clear that we stand with Ukraine
Browse files Browse the repository at this point in the history
  • Loading branch information
antonbabenko committed Mar 12, 2022
1 parent 6fe818d commit fad350d
Show file tree
Hide file tree
Showing 3 changed files with 29 additions and 9 deletions.
10 changes: 10 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,8 @@

Terraform module which creates AWS EKS (Kubernetes) resources

[![SWUbanner](https://raw.githubusercontent.com/vshymanskyy/StandWithUkraine/main/banner2-direct.svg)](https://github.com/vshymanskyy/StandWithUkraine/blob/main/docs/README.md)

## Available Features

- AWS EKS Cluster
Expand Down Expand Up @@ -905,6 +907,7 @@ Full contributing [guidelines are covered here](https://github.com/terraform-aws
| <a name="input_node_security_group_use_name_prefix"></a> [node\_security\_group\_use\_name\_prefix](#input\_node\_security\_group\_use\_name\_prefix) | Determines whether node security group name (`node_security_group_name`) is used as a prefix | `string` | `true` | no |
| <a name="input_openid_connect_audiences"></a> [openid\_connect\_audiences](#input\_openid\_connect\_audiences) | List of OpenID Connect audience client IDs to add to the IRSA provider | `list(string)` | `[]` | no |
| <a name="input_prefix_separator"></a> [prefix\_separator](#input\_prefix\_separator) | The separator to use between the prefix and the generated timestamp for resource names | `string` | `"-"` | no |
| <a name="input_putin_khuylo"></a> [putin\_khuylo](#input\_putin\_khuylo) | Do you agree that Putin doesn't respect Ukrainian sovereignty and territorial integrity? More info: https://en.wikipedia.org/wiki/Putin_khuylo! | `bool` | `true` | no |
| <a name="input_self_managed_node_group_defaults"></a> [self\_managed\_node\_group\_defaults](#input\_self\_managed\_node\_group\_defaults) | Map of self-managed node group default configurations | `any` | `{}` | no |
| <a name="input_self_managed_node_groups"></a> [self\_managed\_node\_groups](#input\_self\_managed\_node\_groups) | Map of self-managed node group definitions to create | `any` | `{}` | no |
| <a name="input_subnet_ids"></a> [subnet\_ids](#input\_subnet\_ids) | A list of subnet IDs where the EKS cluster (ENIs) will be provisioned along with the nodes/node groups. Node groups can be deployed within a different set of subnet IDs from within the node group configuration | `list(string)` | `[]` | no |
Expand Down Expand Up @@ -945,3 +948,10 @@ Full contributing [guidelines are covered here](https://github.com/terraform-aws
## License

Apache 2 Licensed. See [LICENSE](https://github.com/terraform-aws-modules/terraform-aws-rds-aurora/tree/master/LICENSE) for full details.

## Additional terms of use for users from Russia and Belarus

By using the code provided in this repository you agree with the following:
* Russia has [illegally annexed Crimea in 2014](https://en.wikipedia.org/wiki/Annexation_of_Crimea_by_the_Russian_Federation) and [brought the war in Donbas](https://en.wikipedia.org/wiki/War_in_Donbas) followed by [full-scale invasion of Ukraine in 2022](https://en.wikipedia.org/wiki/2022_Russian_invasion_of_Ukraine).
* Russia has brought sorrow and devastations to millions of Ukrainians, killed hundreds of innocent people, damaged thousands of buildings, and forced several million people to flee.
* [Putin khuylo!](https://en.wikipedia.org/wiki/Putin_khuylo!)
22 changes: 13 additions & 9 deletions main.tf
Original file line number Diff line number Diff line change
@@ -1,11 +1,15 @@
data "aws_partition" "current" {}

locals {
create = var.create && var.putin_khuylo
}

################################################################################
# Cluster
################################################################################

resource "aws_eks_cluster" "this" {
count = var.create ? 1 : 0
count = local.create ? 1 : 0

name = var.cluster_name
role_arn = try(aws_iam_role.this[0].arn, var.iam_role_arn)
Expand Down Expand Up @@ -56,7 +60,7 @@ resource "aws_eks_cluster" "this" {
}

resource "aws_cloudwatch_log_group" "this" {
count = var.create && var.create_cloudwatch_log_group ? 1 : 0
count = local.create && var.create_cloudwatch_log_group ? 1 : 0

name = "/aws/eks/${var.cluster_name}/cluster"
retention_in_days = var.cloudwatch_log_group_retention_in_days
Expand All @@ -72,7 +76,7 @@ resource "aws_cloudwatch_log_group" "this" {

locals {
cluster_sg_name = coalesce(var.cluster_security_group_name, "${var.cluster_name}-cluster")
create_cluster_sg = var.create && var.create_cluster_security_group
create_cluster_sg = local.create && var.create_cluster_security_group

cluster_security_group_id = local.create_cluster_sg ? aws_security_group.cluster[0].id : var.cluster_security_group_id

Expand Down Expand Up @@ -147,13 +151,13 @@ resource "aws_security_group_rule" "cluster" {
################################################################################

data "tls_certificate" "this" {
count = var.create && var.enable_irsa ? 1 : 0
count = local.create && var.enable_irsa ? 1 : 0

url = aws_eks_cluster.this[0].identity[0].oidc[0].issuer
}

resource "aws_iam_openid_connect_provider" "oidc_provider" {
count = var.create && var.enable_irsa ? 1 : 0
count = local.create && var.enable_irsa ? 1 : 0

client_id_list = distinct(compact(concat(["sts.${data.aws_partition.current.dns_suffix}"], var.openid_connect_audiences)))
thumbprint_list = concat([data.tls_certificate.this[0].certificates[0].sha1_fingerprint], var.custom_oidc_thumbprints)
Expand All @@ -170,7 +174,7 @@ resource "aws_iam_openid_connect_provider" "oidc_provider" {
################################################################################

locals {
create_iam_role = var.create && var.create_iam_role
create_iam_role = local.create && var.create_iam_role
iam_role_name = coalesce(var.iam_role_name, "${var.cluster_name}-cluster")
policy_arn_prefix = "arn:${data.aws_partition.current.partition}:iam::aws:policy"

Expand All @@ -182,7 +186,7 @@ locals {
}

data "aws_iam_policy_document" "assume_role_policy" {
count = var.create && var.create_iam_role ? 1 : 0
count = local.create && var.create_iam_role ? 1 : 0

statement {
sid = "EKSClusterAssumeRole"
Expand Down Expand Up @@ -261,7 +265,7 @@ resource "aws_iam_policy" "cluster_encryption" {
################################################################################

resource "aws_eks_addon" "this" {
for_each = { for k, v in var.cluster_addons : k => v if var.create }
for_each = { for k, v in var.cluster_addons : k => v if local.create }

cluster_name = aws_eks_cluster.this[0].name
addon_name = try(each.value.name, each.key)
Expand Down Expand Up @@ -291,7 +295,7 @@ resource "aws_eks_addon" "this" {
################################################################################

resource "aws_eks_identity_provider_config" "this" {
for_each = { for k, v in var.cluster_identity_providers : k => v if var.create }
for_each = { for k, v in var.cluster_identity_providers : k => v if local.create }

cluster_name = aws_eks_cluster.this[0].name

Expand Down
6 changes: 6 additions & 0 deletions variables.tf
Original file line number Diff line number Diff line change
Expand Up @@ -422,3 +422,9 @@ variable "eks_managed_node_group_defaults" {
type = any
default = {}
}

variable "putin_khuylo" {
description = "Do you agree that Putin doesn't respect Ukrainian sovereignty and territorial integrity? More info: https://en.wikipedia.org/wiki/Putin_khuylo!"
type = bool
default = true
}

49 comments on commit fad350d

@ivan-sukhomlyn
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'm loving it 😉 👍 🇺🇦

@chenrui333
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

+1 👍 🇺🇦

@sergii-holota
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

👍

@zorgzerg
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Такого махрового непрофессионализма я ещё не встречал. Это просто какой-то позор

@vshymanskyy
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Bazzzzinga!

@webknjaz
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🇺🇦 Слава Україні!

@oleksandr-kuzmenko
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🇺🇦👍

@pg83
Copy link

@pg83 pg83 commented on fad350d Mar 14, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

this is in contradiction with main LICENSE file

@yermulnik
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

❤️ 🇺🇦

@vladimirbazhanov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please, show simular commits where you show your active position about how NATO respects sovereignty and territorial integrity of Yugoslavia? Libya? Afghanistan? Where can I look commit about USA's war in Siria?

It's very interesting to find them.

@webknjaz
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

There's no need to do this. Our country is invaded by the russian nazis, not someone else. Let's not amplify any harmful propaganda. But feel free to do this in your own project, of course.

@alex-hsp
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

👎

@9seconds
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

If we imagine that politics is put aside, I would like to point out that such agreements should be a part of the license. Moreover, as far as I'm concerned, such statements invalidate Apache2 license. I would recommend to either figure out this questions with lawyers or encourage users but not oblige them with restrictions.

Ребят, я понимаю вашу боль, искренее. Но не стреляйте себе под ноги. Такие вещи ставят комплаенс раком, и нейтральные корпорации будут вынуждены искать альтернативы.

@asilenkov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Abuse reported, this goes annoying.

@ikarlashov
Copy link

@ikarlashov ikarlashov commented on fad350d Mar 15, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think all the russian voices whining here should be completely ignored. It's best for you guys to shut up and try to wash your hands of Ukrainian blood by actively helping Ukrainian people. This PR is just one of the shameful things that you have to carry like a burden.
PS. Please do not speculate on the topic of NATO and especially Syria. This is just another country that suffered from the Putler regime. Assad should have been overthrown had his Russian friend not intervened.

@lilislilit
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is fun. I support the message

@pg83
Copy link

@pg83 pg83 commented on fad350d Mar 15, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think all the russian voices whining here should be completely ignored. It's best for you guys to shut up and try to wash your hands of Ukrainian blood by actively helping Ukrainian people. This PR is just one of the shameful things that you have to carry like a burden. PS. Please do not speculate on the topic of NATO and especially Syria. This is just another country that suffered from the Putler regime. Assad should have been overthrown had his Russian friend not intervened.

This is hate speech and harassment on a national basis.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think all the russian voices whining here should be completely ignored. It's best for you guys to shut up and try to wash your hands of Ukrainian blood by actively helping Ukrainian people. This PR is just one of the shameful things that you have to carry like a burden. PS. Please do not speculate on the topic of NATO and especially Syria. This is just another country that suffered from the Putler regime. Assad should have been overthrown had his Russian friend not intervened.

This is hate speech and harassment on a national basis.

In the country where I live - I'm free to speak up. And since It's my personal account - I'm not abusing company's rules. Unfortunately, for your nationality having right to speak up is savage.

@pg83
Copy link

@pg83 pg83 commented on fad350d Mar 15, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unfortunately, for your nationality having right to speak up is savage.

Abuse reported, this goes annoying.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unfortunately, for your nationality having right to speak up is savage.

Abuse reported, this goes annoying.

Sorry that you are offended by the truth. It's too late to be "out of politics". We must call things by their proper names.

@asilenkov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unfortunately, for your nationality having right to speak up is savage.

Abuse reported, this goes annoying.

Sorry that you are offended by the truth. It's too late to be "out of politics". We must call things by their proper names.

Last one who treated nationalities this way had ended up not good. Please don't stop, everyone around should see how cool you are.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unfortunately, for your nationality having right to speak up is savage.

Abuse reported, this goes annoying.

Sorry that you are offended by the truth. It's too late to be "out of politics". We must call things by their proper names.

Last one who treated nationalities this way had ended up not good. Please don't stop, everyone around should see how cool you are.

Exactly. That's what putler and other russians are doing with Ukraine and Ukrainian nationality. U're completely right in this point.

@alexiuskomnin
Copy link

@alexiuskomnin alexiuskomnin commented on fad350d Mar 15, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Funny to see russians saying about "professionalism" and other stuff like that. I can say that I wish I could watch what they do if their houses are destroyed by another country and the money they spend to build their common life are burned. However, they will bear and be just silent like sheep. Their mentality of silence and "out of politics" shows why their country attacked Ukraine and many other countries before.
Ukrainian IT community is a huge part of global IT so if we able to help our country and spread to all world that russia is a huge problem, we will inform all world what's going on
Russians only can say about what USA did before but missing main part USA changed their government and politics made awful things while russians not

@smulhall1337
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Imagine holding an entire countries population responsible for the actions of its politicians. Where was this outrage when the US was invading the Middle East?

@ikarlashov
Copy link

@ikarlashov ikarlashov commented on fad350d Mar 16, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Imagine holding an entire countries population responsible for the actions of its politicians. Where was this outrage when the US was invading the Middle East?

Yes, you can imagine. Germans after World War 2. Same is already happening to your nation.
You guys can only blame other countries, but you're forgetting own history that brought way more damage to the world than other countries. Let me remind you quickly:

  • 1992–1993: Russia occupied Transnistria
  • 1992-1993: Russia provoked the Abkhaz war
  • 1994-1996: First Russian-Chechen war
  • 2008: Russian-Georgian war
  • 2014 - ... : Russia occupied Crimea in Ukraine and started war in Donbass
  • 2015–2022: Russian invasion of Syria
  • 2022: Full-scale Russian-Ukrainian war

The worst toxic neighbour country that you can only imagine....

Хочется только процитировать вашего классика:
Прощай, немытая Россия,
Страна рабов, страна господ,
И вы, мундиры голубые,
И ты, им преданный народ.

@asilenkov
Copy link

@asilenkov asilenkov commented on fad350d Mar 16, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yeah, very cool "history knowledge". Just one question, how many people were killed on those territories before Russia had even started to react? And how many people get hurt or killed now? So ask locals first, about their opinion, stop talking for the world. BTW, Ukraine is not talking about war, no war is declared now. Whya?
Unsub, delete, good luck washing your brains.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yeah, very cool "history knowledge". Just one question, how many people were killed on those territories before Russia had even started to react? And how many people get hurt or killed now? So ask locals first, about their opinion, stop talking for the world. BTW, Ukraine is not talking about war, no war is declared now. Whya? Unsub, delete, good luck washing your brains.

I can't follow your way of thinking. You're just throwing random phrases. With all respect to community members, I'm unable to reply.

@trollfred
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yeah, very cool "history knowledge". Just one question, how many people were killed on those territories before Russia had even started to react? And how many people get hurt or killed now? So ask locals first, about their opinion, stop talking for the world. BTW, Ukraine is not talking about war, no war is declared now. Whya?
Unsub, delete, good luck washing your brains.

Some facts for you:

Russia invaded Ukraine in 2014
People got hurt in Ukraine before that from the actions of pro-russian government of Yanukovich
Russian Buk shot MH-17 from the territory of Ukraine
Russian "Wagner" mercenaries and military forces were located on Ukrainian territory 2014-2022, shelling civilians to make a pretext for full-scale invasion in 2022
Russian military forces committing endless war crimes shelling and bombing civilians right now

You are welcome!

@valch85
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nice thank you.

@vladkampov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks for your support! 🇺🇦

@deliversolution
Copy link

@deliversolution deliversolution commented on fad350d Mar 17, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

  1. 1979-1989 Афганская война США участвовало на стороне движения Талибан
  2. 1989 Вторжение в Панаму
  3. 1991 Война в Персидском заливе
  4. 1992 Сомали
  5. 1992 Боснийская война
  6. 1994 Вторжение на Гаити
  7. 1999 Война НАТО против Югославии
  8. 2001 Афганистан
  9. 2003 Либерия
  10. 2003 Ирак
  11. 2004 Пакистан
  12. 2011 Ливия
  13. 2014 Сирия
  14. 2015 Йемен
  15. 2015 Камерун
  16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

@trollfred
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

У людей была возможность повлиять и они повлияли.
вотэбаутизм это самый типичный и тупой приём пропаганды
Вспомните ещё как негров линчевали

@trollfred
Copy link

@trollfred trollfred commented on fad350d Mar 17, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

никакого осуждения действий США и НАТО в их военных конфликтах

весь интернет завален этими осуждениями

@deliversolution
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

никакого осуждения действий США и НАТО в их военных конфликтах

весь интернет завален этими осуждениями

вы кажется не поняли, где ваши коммиты подобные этим и тем что в node-ipc?

@trollfred
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

вы кажется не поняли, где ваши коммиты подобные этим и тем что в node-ipc?

"АгДеВыБыЛи8лЕт??", ещё один приём пропаганды, который должен нам внушить что если мы не осуждали одно зло мы не имеем права осуждать другое. такие приёмчики идут на хуй по определению.

Может быть просто дело в том, что США со времён Вьетнама не сотворили столько дерьма, сколько путин сотворил за эти три недели?
Может быть просто дело в том, что все самые жуткие военные преступления в Сирии творили именно Ассад с Путиным?
Может быть просто дело в том, что в Афганистане было гораздо лучше до того как там воцарился полный пиздец талибан?

@deliversolution
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

вы кажется не поняли, где ваши коммиты подобные этим и тем что в node-ipc?

"АгДеВыБыЛи8лЕт??", ещё один приём пропаганды, который должен нам внушить что если мы не осуждали одно зло мы не имеем права осуждать другое. такие приёмчики идут на хуй по определению.

Может быть просто дело в том, что США со времён Вьетнама не сотворили столько дерьма, сколько путин сотворил за эти три недели? Может быть просто дело в том, что все самые жуткие военные преступления в Сирии творили именно Ассад с Путиным? Может быть просто дело в том, что в Афганистане было гораздо лучше до того как там воцарился полный пиздец талибан?

Вопрос читали? Ответа нет? То то и оно.

@trollfred
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

вы кажется не поняли, где ваши коммиты подобные этим и тем что в node-ipc?

"АгДеВыБыЛи8лЕт??", ещё один приём пропаганды, который должен нам внушить что если мы не осуждали одно зло мы не имеем права осуждать другое. такие приёмчики идут на хуй по определению.
Может быть просто дело в том, что США со времён Вьетнама не сотворили столько дерьма, сколько путин сотворил за эти три недели? Может быть просто дело в том, что все самые жуткие военные преступления в Сирии творили именно Ассад с Путиным? Может быть просто дело в том, что в Афганистане было гораздо лучше до того как там воцарился полный пиздец талибан?

Вопрос читали? Ответа нет? То то и оно.

Там есть ответ не ебись в глаза

@valch85
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

1. 1979-1989 Афганская война США участвовало на стороне движения Талибан

2. 1989 Вторжение в Панаму

3. 1991 Война в Персидском заливе

4. 1992 Сомали

5. 1992 Боснийская война

6. 1994 Вторжение на Гаити

7. 1999 Война НАТО против Югославии

8. 2001 Афганистан

9. 2003 Либерия

10. 2003 Ирак

11. 2004 Пакистан

12. 2011 Ливия

13. 2014 Сирия

14. 2015 Йемен

15. 2015 Камерун

16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

don't feed the troll pls. here is just joined to make money on comments.

@deliversolution
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

вы кажется не поняли, где ваши коммиты подобные этим и тем что в node-ipc?

"АгДеВыБыЛи8лЕт??", ещё один приём пропаганды, который должен нам внушить что если мы не осуждали одно зло мы не имеем права осуждать другое. такие приёмчики идут на хуй по определению.
Может быть просто дело в том, что США со времён Вьетнама не сотворили столько дерьма, сколько путин сотворил за эти три недели? Может быть просто дело в том, что все самые жуткие военные преступления в Сирии творили именно Ассад с Путиным? Может быть просто дело в том, что в Афганистане было гораздо лучше до того как там воцарился полный пиздец талибан?

Вопрос читали? Ответа нет? То то и оно.

Там есть ответ не ебись в глаза

Да у вас точно проблемы с аргументацией и умением разговаривать.

@trollfred
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

1. 1979-1989 Афганская война США участвовало на стороне движения Талибан

2. 1989 Вторжение в Панаму

3. 1991 Война в Персидском заливе

4. 1992 Сомали

5. 1992 Боснийская война

6. 1994 Вторжение на Гаити

7. 1999 Война НАТО против Югославии

8. 2001 Афганистан

9. 2003 Либерия

10. 2003 Ирак

11. 2004 Пакистан

12. 2011 Ливия

13. 2014 Сирия

14. 2015 Йемен

15. 2015 Камерун

16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

don't feed the troll pls. here is just joined to make money on comments.

good point, did not expect to see Lakhta-bots on GitHub... 🤔

@deliversolution
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

1. 1979-1989 Афганская война США участвовало на стороне движения Талибан

2. 1989 Вторжение в Панаму

3. 1991 Война в Персидском заливе

4. 1992 Сомали

5. 1992 Боснийская война

6. 1994 Вторжение на Гаити

7. 1999 Война НАТО против Югославии

8. 2001 Афганистан

9. 2003 Либерия

10. 2003 Ирак

11. 2004 Пакистан

12. 2011 Ливия

13. 2014 Сирия

14. 2015 Йемен

15. 2015 Камерун

16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

don't feed the troll pls. here is just joined to make money on comments.

К вашему сожалению, я написал этот коммент как личное мнение, мне за это не платят. И в отличие от вас я не вынюхиваю личный профиль как пес под хвостом.

@deliversolution
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

1. 1979-1989 Афганская война США участвовало на стороне движения Талибан

2. 1989 Вторжение в Панаму

3. 1991 Война в Персидском заливе

4. 1992 Сомали

5. 1992 Боснийская война

6. 1994 Вторжение на Гаити

7. 1999 Война НАТО против Югославии

8. 2001 Афганистан

9. 2003 Либерия

10. 2003 Ирак

11. 2004 Пакистан

12. 2011 Ливия

13. 2014 Сирия

14. 2015 Йемен

15. 2015 Камерун

16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

don't feed the troll pls. here is just joined to make money on comments.

good point, did not expect to see Lakhta-bots on GitHub... 🤔

Вы не устали обвинять? Троль, бот, …, заплатили? Человек просто пришел, выразить свое мнение на ваши деструктивные действия, казалось бы в среде изолированной от политики.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

  1. 1979-1989 Афганская война США участвовало на стороне движения Талибан
  2. 1989 Вторжение в Панаму
  3. 1991 Война в Персидском заливе
  4. 1992 Сомали
  5. 1992 Боснийская война
  6. 1994 Вторжение на Гаити
  7. 1999 Война НАТО против Югославии
  8. 2001 Афганистан
  9. 2003 Либерия
  10. 2003 Ирак
  11. 2004 Пакистан
  12. 2011 Ливия
  13. 2014 Сирия
  14. 2015 Йемен
  15. 2015 Камерун
  16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

Очень хорошо передергиваете тему. Риторика про НАТО неуместна в контексте нападения расеи на Украину. Вьі можете своим пенсионерам, дерущимся за сахар, рассказьівать ужастик под названием НАТО; про то, что не хотите военньіе базьі у границ (привет Прибалтика с базами НАТО). Ваш путлер в интервью 2000го года рассказьівал про перспективьі расеи в НАТО, а также, что не видит врага в лице НАТО. Сейчас НАТО даже не вписьівается за Украину и мьі, наш президент, понимаем, что в ближайшем будущем нас в НАТО не ждут. Но почему-то хуйло все равно не уймется. В бой идут боевьіе бандеромобили и вирусньіе лаборатории. Каждьій день вьідумьіваются новьіе истории, чтобьі прикрьіть свое обтекание и обнищание расеюшки. Бьідляк же схавает.

Вашу всю нацию имеет один больной ублюдок. Несет ахинею с федеральньіх каналов. А вьі, как стадо тупьіх баранов, все блеете про НАТО.

Идите нахуй вслед за вашим кораблем и 13к 200-ьіх.

@deliversolution
Copy link

@deliversolution deliversolution commented on fad350d Mar 17, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

  1. 1979-1989 Афганская война США участвовало на стороне движения Талибан
  2. 1989 Вторжение в Панаму
  3. 1991 Война в Персидском заливе
  4. 1992 Сомали
  5. 1992 Боснийская война
  6. 1994 Вторжение на Гаити
  7. 1999 Война НАТО против Югославии
  8. 2001 Афганистан
  9. 2003 Либерия
  10. 2003 Ирак
  11. 2004 Пакистан
  12. 2011 Ливия
  13. 2014 Сирия
  14. 2015 Йемен
  15. 2015 Камерун
  16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

Очень хорошо передергиваете тему. Риторика про НАТО неуместна в контексте нападения расеи на Украину. Вьі можете своим пенсионерам, дерущимся за сахар, рассказьівать ужастик под названием НАТО; про то, что не хотите военньіе базьі у границ (привет Прибалтика с базами НАТО). Ваш путлер в интервью 2000го года рассказьівал про перспективьі расеи в НАТО, а также, что не видит врага в лице НАТО. Сейчас НАТО даже не вписьівается за Украину и мьі, наш президент, понимаем, что в ближайшем будущем нас в НАТО не ждут. Но почему-то хуйло все равно не уймется. В бой идут боевьіе бандеромобили и вирусньіе лаборатории. Каждьій день вьідумьіваются новьіе истории, чтобьі прикрьіть свое обтекание и обнищание расеюшки. Бьідляк же схавает.

Вашу всю нацию имеет один больной ублюдок. Несет ахинею с федеральньіх каналов. А вьі, как стадо тупьіх баранов, все блеете про НАТО.

Идите нахуй вслед за вашим кораблем и 13к 200-ьіх.

Вопрос не в передергиваниях, а в двойных стандартах, в отсутствии подобных действий по отношению к странам НАТО и США.
И еще раз обратите внимание на свой истерический тон общения, в европе такое не любят.

@valch85
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Идите нахуй вслед за вашим кораблем и 13к 200-ьіх.
@ikarlashov
don't feed the troll pls. here is just joined to make money on comments.

@ikarlashov
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

  1. 1979-1989 Афганская война США участвовало на стороне движения Талибан
  2. 1989 Вторжение в Панаму
  3. 1991 Война в Персидском заливе
  4. 1992 Сомали
  5. 1992 Боснийская война
  6. 1994 Вторжение на Гаити
  7. 1999 Война НАТО против Югославии
  8. 2001 Афганистан
  9. 2003 Либерия
  10. 2003 Ирак
  11. 2004 Пакистан
  12. 2011 Ливия
  13. 2014 Сирия
  14. 2015 Йемен
  15. 2015 Камерун
  16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

Очень хорошо передергиваете тему. Риторика про НАТО неуместна в контексте нападения расеи на Украину. Вьі можете своим пенсионерам, дерущимся за сахар, рассказьівать ужастик под названием НАТО; про то, что не хотите военньіе базьі у границ (привет Прибалтика с базами НАТО). Ваш путлер в интервью 2000го года рассказьівал про перспективьі расеи в НАТО, а также, что не видит врага в лице НАТО. Сейчас НАТО даже не вписьівается за Украину и мьі, наш президент, понимаем, что в ближайшем будущем нас в НАТО не ждут. Но почему-то хуйло все равно не уймется. В бой идут боевьіе бандеромобили и вирусньіе лаборатории. Каждьій день вьідумьіваются новьіе истории, чтобьі прикрьіть свое обтекание и обнищание расеюшки. Бьідляк же схавает.
Вашу всю нацию имеет один больной ублюдок. Несет ахинею с федеральньіх каналов. А вьі, как стадо тупьіх баранов, все блеете про НАТО.
Идите нахуй вслед за вашим кораблем и 13к 200-ьіх.

Вопрос не в передергиваниях, а в двойных стандартах, в отсутствии подобных действий по отношению к странам НАТО и США. И еще раз обратите внимание на свой истерический тон общения, в европе такое не любят.

Тьі можешь любьіми словами прикрьівать свою риторику про НАТО, которая, повторюсь еще раз, неуместна в контексте нападения расеи на Украину. Смешно вас читать, коллективньій разум, прям какой-то. Попьітки втянуть в обсуждение сторону, которая даже не принимает участие в конфликте.

Спасибо, что делаешь замечание гражданину ЕС. Везде вьі любите свой пятак приткнуть, всем любите рассказать как им жить и что делать. Ну прям нация учителей. Сидите в своем болоте и кошмарьте друг друга.

Хотелось бьі закончить также как и в предьідущем месседже. Но повторяться не буду ибо DRY.

@deliversolution
Copy link

@deliversolution deliversolution commented on fad350d Mar 17, 2022

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Перечислю список военных действий США и стран НАТО с 1989 года, так как этот год принято считать годом появления интернета, и значит у людей имеющих доступ в интернет была возможность повлиять на США и страны НАТО.

  1. 1979-1989 Афганская война США участвовало на стороне движения Талибан
  2. 1989 Вторжение в Панаму
  3. 1991 Война в Персидском заливе
  4. 1992 Сомали
  5. 1992 Боснийская война
  6. 1994 Вторжение на Гаити
  7. 1999 Война НАТО против Югославии
  8. 2001 Афганистан
  9. 2003 Либерия
  10. 2003 Ирак
  11. 2004 Пакистан
  12. 2011 Ливия
  13. 2014 Сирия
  14. 2015 Йемен
  15. 2015 Камерун
  16. 2015 Ливия

Какой вывод о ваших действиях: двойные стандарты, кибер-диверсии, и никакого осуждения действий США и НАТО в их военных конфликтах.

Очень хорошо передергиваете тему. Риторика про НАТО неуместна в контексте нападения расеи на Украину. Вьі можете своим пенсионерам, дерущимся за сахар, рассказьівать ужастик под названием НАТО; про то, что не хотите военньіе базьі у границ (привет Прибалтика с базами НАТО). Ваш путлер в интервью 2000го года рассказьівал про перспективьі расеи в НАТО, а также, что не видит врага в лице НАТО. Сейчас НАТО даже не вписьівается за Украину и мьі, наш президент, понимаем, что в ближайшем будущем нас в НАТО не ждут. Но почему-то хуйло все равно не уймется. В бой идут боевьіе бандеромобили и вирусньіе лаборатории. Каждьій день вьідумьіваются новьіе истории, чтобьі прикрьіть свое обтекание и обнищание расеюшки. Бьідляк же схавает.
Вашу всю нацию имеет один больной ублюдок. Несет ахинею с федеральньіх каналов. А вьі, как стадо тупьіх баранов, все блеете про НАТО.
Идите нахуй вслед за вашим кораблем и 13к 200-ьіх.

Вопрос не в передергиваниях, а в двойных стандартах, в отсутствии подобных действий по отношению к странам НАТО и США. И еще раз обратите внимание на свой истерический тон общения, в европе такое не любят.

Тьі можешь любьіми словами прикрьівать свою риторику про НАТО, которая, повторюсь еще раз, неуместна в контексте нападения расеи на Украину. Смешно вас читать, коллективньій разум, прям какой-то. Попьітки втянуть в обсуждение сторону, которая даже не принимает участие в конфликте.

Спасибо, что делаешь замечание гражданину ЕС. Везде вьі любите свой пятак приткнуть, всем любите рассказать как им жить и что делать. Ну прям нация учителей. Сидите в своем болоте и кошмарьте друг друга.

Хотелось бьі закончить также как и в предьідущем месседже. Но повторяться не буду ибо DRY.

НАТО не принимает участие в конфликте (спонсирование)? Ваши очки похоже со 100% тонировкой. Еще раз повторюсь, я вас конкретно спрашиваю, почему вы ведете такую диверсионную деятельность избирательно (UPD: не пытавшись в прошлом подобным образом воздействовать на США, наверное потому, что вы понимаете как и все адекватные люди, что это некультурно, непрофессионально, и в конечном итоге незаконно, и было бы правильно не заниматься этим никому в принципе), почему вы конкретно сейчас активизировали попытки привлечь все сообщество разработчиков встать против Российских и Белорусских разработчиков? Вот как раз "коллективный разум" как вы сказали действует с вашей стороны, и это сейчас принято называть "Cancel culture". Вы сейчас наносите вред всему Open Source.

@antonbabenko
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

If anyone is affected by the facts I wrote in README, you are free to stop using this project right away (I can help you with that).

Glory to Ukraine! 🇺🇦

@zorgzerg
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

If anyone is affected by the facts I wrote in README, you are free to stop using this project right away (I can help you with that).

Glory to Ukraine! ukraine

Антоша, что ты такое лепишь? Это не твой личный код ,что бы такое заявлять. Это код, написанный разными людьми под свободной лицензией. Что за лицемерие. То, что ты сейчас делаешь называется "синдром вахтёра".

Please sign in to comment.