forked from Lexxeous/google_search_scraper
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgoogle_search_scraper.py
254 lines (201 loc) · 230 KB
/
google_search_scraper.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
# coding: utf-8
# ––––––––––––––––––––––––––––––––––––––––––––––––– IMPORT LIBRARIES –––––––––––––––––––––––––––––––––––––––––––––––– #
import re
import sys
import urllib.parse
import urllib.request
try:
from googlesearch import search
except ImportError:
print("No library named \'google\' found.")
sys.exit(1)
# ––––––––––––––––––––––––––––––––––––––––––––––––– GLOBAL VARIABLES –––––––––––––––––––––––––––––––––––––––––––––––– #
DATE_THRESHOLD = 2010
INPUT_FILE = "search_strings.csv"
OUTPUT_FILE = "scraper_results.csv"
# ––––––––––––––––––––––––––––––––––––––––––––––– PROTOTYPED FUNCTIONS –––––––––––––––––––––––––––––––––––––––––––––– #
def urlify(s):
# Remove all non-word characters (everything except numbers and letters)
s = re.sub(r"[^\w\s]", '', s)
# Replace all runs of whitespace with a single dash
s = re.sub(r"\s+", '-', s)
return s
def print_url_list_lengths(mat):
print("\n")
total = 0
for idx in range(len(mat)):
print("Length of list", str(idx+1) + ':', len(mat[idx]))
total += len(mat[idx])
print("Total:", total)
# –––––––––––––––––––––––––––––––––––––––––––––––– PROTOTYPED CLASSES ––––––––––––––––––––––––––––––––––––––––––––––– #
class Dictionary(dict):
def __init__(self):
self = dict()
def set_dict_entry(self, key, value):
self[key] = value
# –––––––––––––––––––––––––––––––––––––––––––––––––– MAIN FUNCTION –––––––––––––––––––––––––––––––––––––––––––––––––– #
def main():
# –––––––––––––––––––––––––––––––––––––––––––––––– CMD LINE ARGUMENTS ––––––––––––––––––––––––––––––––––––––––––––––– #
cli_bools = ["True", "False"]
temp = sys.argv[1]
search = sys.argv[2]
dupe = sys.argv[3]
date = sys.argv[4]
verbose = int(sys.argv[5])
if(temp not in cli_bools or search not in cli_bools or dupe not in cli_bools or date not in cli_bools):
print("ERROR 1639: Invalid command line argument booleans.")
sys.exit(1)
if(verbose not in [0,1,2]):
print("ERROR 1639: Invalid command line argument verbosity.")
sys.exit(1)
temp = False if temp == "False" else True
search = False if search == "False" else True
dupe = False if dupe == "False" else True
date = False if date == "False" else True
# ––––––––––––––––––––––––––––––––––––––––––––––––– SEARCH STRINGS –––––––––––––––––––––––––––––––––––––––––––––––––– #
# TODO: READ IN THE SEARCH STRING QUERY DATA FROM THE CSV FILE INSTEAD OF STRICTLY DEFINING IT HERE, WILL MAKE IT MORE GENERAL
queries = [
"kubernetes usage",
"kubernetes challenges",
"kubernetes flaws",
"kubernetes security",
"kubernetes benefits",
"kubernetes production",
"kubernetes learned",
"kubernetes use cases",
"kubernetes deployment challenges",
"kubernetes security challenges",
"kubernetes adoption challenges",
"kubernetes lesson learned",
"kubernetes tradeoff",
"kubernetes in cloud"
]
# –––––––––––––––––––––––––––––––––––––––––––––––– INDIVIDUAL SEARCH –––––––––––––––––––––––––––––––––––––––––––––––– #
# Get individual list of 100 results if necessary
if(temp):
if(verbose >= 1): print("\nPerforming single search...")
temp_list = []
for j in search("SINGLE SEARCH STRING HERE", num=100, stop=100, pause=10):
temp_list.append(j)
print(temp_list)
if(not temp):
if(verbose >= 1): print("\nSkipping single search...")
# ––––––––––––––––––––––––––––––––––––––––––––––––––– MULTI SEARCH ––––––––––––––––––––––––––––––––––––––––––––––––– #
if(search):
if(verbose >= 1): print("\nPerforming multi-search...")
# Create dictionary instance
search_dict = Dictionary()
# Initialize dictionary with shortened key & array with [1-based index, actual search string, empty list for URLs]
if(verbose >= 1): print("Initializing dictionary...")
for q in range(len(queries)):
search_dict.set_dict_entry(urlify(queries[q][11:]), [q+1, queries[q], []])
if(verbose >= 1): print("Populating dictionary with Google search results URLs...")
for q_idx in range(len(queries)):
results = []
for j in search(search_dict[urlify(queries[q_idx][11:])][1], num=100, stop=100, pause=10):
results.append(j)
search_dict.set_dict_entry(urlify(queries[q_idx][11:]), [q_idx+1, queries[q_idx], results])
print(search_dict[urlify(queries[q_idx][11:])], '\n')
if(not search):
if(verbose >= 1): print("\nSkipping multi-search...")
# Original dictionary formed from 100 Google search results for 14 search strings
search_dict = {
"usage": [1, 'kubernetes usage', ['https://kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://kubernetes.io/docs/concepts/overview/components/', 'https://kubernetes.io/blog/2015/04/borg-predecessor-to-kubernetes/', 'https://v1-18.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://v1-15.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://kubernetes.io/docs/tasks/debug-application-cluster/resource-usage-monitoring/', 'https://www.developintelligence.com/blog/2017/02/kubernetes-actually-use/', 'https://www.infoworld.com/article/3173266/4-reasons-you-should-use-kubernetes.html', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://hackernoon.com/why-and-when-you-should-use-kubernetes-8b50915d97d8', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://enterprisersproject.com/article/2017/10/how-explain-kubernetes-plain-english', 'https://opensource.com/article/19/6/reasons-kubernetes', 'https://www.weave.works/technologies/the-journey-to-kubernetes/', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://www.digitalocean.com/community/tutorials/an-introduction-to-kubernetes', 'https://thenewstack.io/kubernetes-deep-dive-and-use-cases/', 'https://www.datadoghq.com/container-report/', 'https://kubernetes.cn/docs/concepts/overview/components/', 'https://www.replex.io/blog/kubernetes-in-production-the-ultimate-guide-to-monitoring-resource-metrics', 'https://aws.amazon.com/kubernetes/', 'https://docs.oracle.com/cd/E52668_01/E88884/html/kubectl-basics.html', 'https://www.thoughtspot.com/codex/how-thoughtspot-uses-kubernetes-dev-infrastructure', 'https://stackoverflow.blog/2020/05/29/why-kubernetes-getting-so-popular/', 'https://www.vmware.com/topics/glossary/content/kubernetes', 'https://cloudacademy.com/blog/what-is-kubernetes/', 'https://azure.microsoft.com/en-us/services/kubernetes-service/', 'https://github.com/hjacobs/kube-resource-report', 'https://cloud.netapp.com/kubernetes-hub', 'https://docs.docker.com/docker-for-windows/kubernetes/', 'https://containerjournal.com/topics/container-ecosystems/kubernetes-vs-docker-a-primer/', 'https://sysdig.com/blog/monitoring-kubernetes/', 'https://docs.openshift.com/container-platform/4.1/cli_reference/usage-oc-kubectl.html', 'https://spark.apache.org/docs/latest/running-on-kubernetes.html', 'https://www.udemy.com/course/learn-devops-advanced-kubernetes-usage/', 'https://unofficial-kubernetes.readthedocs.io/en/latest/concepts/cluster-administration/resource-usage-monitoring/', 'https://cloud.ibm.com/docs/containers?topic=containers-getting-started', 'https://www.instana.com/docs/ecosystem/kubernetes/', 'https://rancher.com/kubernetes/', 'https://logz.io/blog/kubernetes-monitoring/', 'https://www.splunk.com/en_us/blog/it/monitoring-kubernetes.html', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://platform9.com/blog/kubernetes-use-cases/', 'https://docs.wavefront.com/kubernetes.html', 'https://helm.sh/', 'https://microk8s.io/docs', 'https://www.dynatrace.com/support/help/technology-support/cloud-platforms/kubernetes/monitoring/monitor-kubernetes-openshift-clusters/', 'https://docs.gitlab.com/ee/user/project/clusters/', 'https://dzone.com/articles/how-big-companies-are-using-kubernetes', 'https://matthewpalmer.net/kubernetes-app-developer/articles/how-does-kubernetes-use-etcd.html', 'https://phoenixnap.com/kb/what-is-kubernetes', 'https://www.redhat.com/en/topics/containers/what-is-a-kubernetes-operator', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://www.infoq.com/news/2020/03/cncf-kubernetes-cloud-native/', 'https://kubernetes.github.io/ingress-nginx/user-guide/basic-usage/', 'https://coreos.com/operators/', 'https://code.visualstudio.com/docs/azure/kubernetes', 'https://www.tutorialspoint.com/kubernetes/kubernetes_kubectl_commands.htm', 'https://learn.hashicorp.com/tutorials/vault/agent-kubernetes', 'https://www.anodot.com/blog/kubernetes-monitoring-best-practices/', 'https://builders.intel.com/docs/networkbuilders/cpu-pin-and-isolation-in-kubernetes-app-note.pdf', 'https://sematext.com/guides/kubernetes-monitoring/', 'https://www.fairwinds.com/blog/kubernetes-best-practice-efficient-resource-utilization', 'https://www.tigera.io/blog/top-6-kubernetes-trends-for-2019/', 'https://auth0.com/blog/kubernetes-tutorial-step-by-step-introduction-to-basic-concepts/', 'https://www.edureka.co/blog/kubernetes-architecture/', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://ubuntu.com/kubernetes/install', 'https://levelup.gitconnected.com/what-does-kubernetes-do-anyway-fa4efc3b57f8', 'https://epsagon.com/observability/the-top-5-kubernetes-metrics-you-need-to-monitor/', 'https://stackoverflow.com/questions/38746266/converting-datadog-m-cpu-unity-to-kubernetes-cpu-unity-m', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://www.bmc.com/blogs/state-of-kubernetes/', 'https://kublr.com/', 'https://www.simplilearn.com/tutorials/kubernetes-tutorial/kubernetes-architecture', 'https://www.jeffgeerling.com/blog/2019/monitoring-kubernetes-cluster-utilization-and-capacity-poor-mans-way', 'https://www.businesswire.com/news/home/20200528005123/en/Mirantis-Launches-New-Docker-Enterprise-Release-Adds-the-Only-Production-Ready-Kubernetes-Clusters-on-Windows-Servers-and-Industry-Leading-SLAs', 'https://www.bluematador.com/blog/kubernetes-log-management-the-basics', 'https://www.sdxcentral.com/articles/news/kubernetes-community-bows-to-the-real-world-with-1-9-release/2017/12/', 'http://docs.nvidia.com/datacenter/kubernetes/kubernetes-upstream/index.html', 'https://wiki.aquasec.com/display/containers/Kubernetes+Advantages+and+Use+Cases', 'https://www.linode.com/docs/kubernetes/kubernetes-use-cases/', 'https://securityboulevard.com/2019/09/survey-reveals-kubernetes-usage-skyrocketing-but-security-concerns-remain/', 'https://www.itprotoday.com/hybrid-cloud/when-use-kubernetes-orchestration-5-factors-consider', 'https://www.magalix.com/blog/understanding-kubernetes-objects', 'https://docs.prefect.io/orchestration/agents/kubernetes.html', 'https://www.cockroachlabs.com/docs/stable/kubernetes-performance.html', 'https://www.educative.io/collection/page/5376908829130752/4742963282313216/6085051441741824', 'https://www.padok.fr/en/blog/kubectl-cluster-kubernetes', 'https://www.f5.com/company/blog/Kubernetes-is-winning-the-multi-cloud-war', 'https://jaxenter.com/manage-container-resource-kubernetes-141977.html', 'https://devspace.cloud/blog/2019/10/31/advantages-and-disadvantages-of-kubernetes', 'https://www.gartner.com/en/documents/3980330/usage-and-adoption-of-kubernetes', 'https://www.cncf.io/blog/2018/08/29/cncf-survey-use-of-cloud-native-technologies-in-production-has-grown-over-200-percent/', 'http://mascaratu.com/bldra/kubernetes-prometheus-cpu-throttling.html', 'https://min.io/', 'https://engineering.opsgenie.com/advanced-kubernetes-objects-53f5e9bc0c28', 'https://stripe.com/blog/operating-kubernetes', 'https://codilime.com/harnessing-the-power-of-kubernetes-7-use-cases/']],
"challenges": [2, 'kubernetes challenges', ['https://techolution.com/kubernetes-challenges/?sa=X&ved=2ahUKEwjTtPvfyvPrAhW6JzQIHZZdBqcQ9QF6BAgVEAI', 'https://techolution.com/kubernetes-challenges/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://thenewstack.io/top-challenges-kubernetes-users-face-deployment/', 'https://platform9.com/blog/kubernetes-networking-challenges-at-scale/', 'https://d2iq.com/blog/the-top-5-challenges-to-getting-started-with-kubernetes', 'https://www.sdxcentral.com/articles/news/kubernetes-opportunities-challenges-escalated-in-2019/2019/12/', 'https://github.com/kubernetes/kubernetes/issues', 'https://logz.io/blog/kubernetes-challenges-at-scale/', 'https://containerjournal.com/topics/container-management/running-kubernetes-at-scale-top-2020-challenge/', 'https://www.itprotoday.com/hybrid-cloud/8-problems-kubernetes-architecture', 'https://kubernetes.io/', 'https://kubernetes.io/blog/', 'https://kubernetes.io/docs/tasks/debug-application-cluster/debug-application/', 'https://www.instana.com/blog/problems-solved-and-problems-created-by-kubernetes/', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://www.helpnetsecurity.com/2020/01/21/kubernetes-security-challenges/', 'https://www.fairwinds.com/blog/what-problems-does-kubernetes-solve', 'https://www.informationsecuritybuzz.com/articles/what-are-the-top-5-kubernetes-security-challenges-and-risks/', 'https://www.portshift.io/blog/challenges-adopting-k8s-production/', 'https://www.sumologic.com/blog/troubleshooting-kubernetes/', 'https://www.druva.com/blog/kubernetes-value-and-challenges-for-developing-cloud-apps/', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/vsphere/vmw-vsphere7-solution-brochure.pdf', 'https://www.infoworld.com/article/3545797/how-kubernetes-tackles-it-s-scaling-challenges.html', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://docs.microsoft.com/en-us/azure/aks/troubleshooting', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://medium.com/@srikanth.k/kubernetes-what-is-it-what-problems-does-it-solve-how-does-it-compare-with-its-alternatives-937fe80b754f', 'https://itnext.io/kubernetes-challenges-for-observability-platforms-21af913a9135', 'https://dzone.com/articles/the-challenges-of-adopting-k8s-for-production-and', 'https://docs.openstack.org/developer/performance-docs/issues/scale_testing_issues.html', 'https://appdevelopermagazine.com/kubernetes-advantages-and-challenges/', 'https://www.replex.io/blog/the-state-of-cloud-native-challenges-culture-and-technology', 'https://www.socallinuxexpo.org/sites/default/files/presentations/Scale%2015x.pdf', 'https://developers.redhat.com/blog/2018/11/27/microservices-debugging-openshift-kubernetes/', 'https://www.sitecore.com/knowledge-center/getting-started/should-my-team-adopt-docker', 'https://blog.overops.com/how-to-overcome-monitoring-challenges-with-kubernetes/', 'https://www.cncf.io/wp-content/uploads/2019/02/RobinK8S-CNCF-Webinar-Feb052019.pdf', 'https://tech.target.com/2018/08/08/running-cassandra-in-kubernetes-across-1800-stores.html', 'https://developer.ibm.com/components/redhat-openshift-ibm-cloud/blogs/build-smart-on-kubernetes-challenge-winners/', 'https://cloudacademy.com/course/deploying-cloud-native-app-into-kubernetes/k8s-rolling-update-deployment-challenge/', 'https://www.netapp.com/us/kubernetes-storage.aspx', 'https://www.splunk.com/en_us/blog/it/kubernetes-navigator-real-time-monitoring-and-ai-driven-analytics-for-kubernetes-environments-now-generally-available.html', 'https://banzaicloud.com/blog/cert-management-on-kubernetes/', 'https://enterprisersproject.com/article/2020/5/kubernetes-managing-7-tips', 'https://www.cockroachlabs.com/blog/kubernetes-databases/', 'https://www.flashmemorysummit.com/Proceedings2019/08-08-Thursday/20190808_SOFT-301-1_Mukku.pdf', 'https://www.prnewswire.com/news-releases/stackrox-report-reveals-that-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation-301007207.html', 'https://blog.openpolicyagent.org/securing-the-kubernetes-api-with-open-policy-agent-ce93af0552c3', 'https://www.cisco.com/c/dam/en/us/solutions/data-center/managing-kubernetes-performance-scale.pdf', 'https://aws.amazon.com/blogs/apn/monitoring-kubernetes-environments-with-aws-and-new-relics-cluster-explorer/', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://devopscon.io/kubernetes-ecosystem/challenges-in-building-a-multi-cloud-provider-platform-with-kubernetes/', 'https://epsagon.com/observability/the-top-5-kubernetes-metrics-you-need-to-monitor/', 'https://kublr.com/blog/what-is-kubernetes-and-enterprise-benefits/', 'https://blog.turbonomic.com/blog/on-technology/forget-k9-its-time-for-k8-k8s-that-is-a-kubernetes-primer-part-i', 'https://sysdig.com/use-cases/kubernetes-troubleshooting/', 'https://securityboulevard.com/2020/03/security-concerns-remain-with-containers-and-kubernetes-per-new-report/', 'https://blog.styra.com/blog/why-rbac-is-not-enough-for-kubernetes-api-security', 'https://www.tfir.io/challenges-for-kubernetes-cloud-foundry-users/', 'https://phoenixnap.com/blog/kubernetes-monitoring-best-practices', 'https://www.tigera.io/blog/kubernetes-issues-and-solutions/', 'https://blogs.juniper.net/en-us/enterprise-cloud-and-transformation/solving-kubernetes-networking-and-security-challenges-at-scale-with-contrail', 'https://www.dellemc.com/en-us/collaterals/unauth/white-papers/products/converged-infrastructure/dellemc-hci-for-kubernetes.pdf', 'https://www.redapt.com/blog/a-critical-aspect-of-day-2-kubernetes-operations', 'https://rollout.io/blog/scaling-your-containers-with-kubernetes/', 'https://engineering.saltside.se/migrating-to-kubernetes-day-20-problems-fbbda4905c23', 'https://coreos.com/blog/pitfalls-of-diy-kubernetes', 'https://blog.bosch-si.com/bosch-iot-suite/why-the-iot-needs-kubernetes/', 'https://searchitoperations.techtarget.com/news/252454267/Kubernetes-security-issues-raise-concerns-for-enterprise-shops', 'https://blog.kloud.com.au/2020/02/29/my-experience-at-microsoft-containers-openhack-featuring-kubernetes-challenges/', 'https://diginomica.com/kubernetes-evolving-enterprise-friendly-platform-challenges-remain', 'https://levelup.gitconnected.com/kubernetes-cka-example-questions-practical-challenge-86318d85b4d', 'https://www.securitymagazine.com/articles/91755-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation', 'https://blog.rafay.co/all-things-kubernetes-3-instances-when-kubernetes-namespaces-dont-work', 'https://www.kubermatic.com/resources/challenges-in-building-a-multi-cloud-provider-platform-with-managed-kubernetes/', 'https://www.anodot.com/blog/kubernetes-monitoring-best-practices/', 'https://www.openlogic.com/blog/why-move-kubernetes-orchestration', 'https://www.jeffgeerling.com/blog/2019/running-drupal-kubernetes-docker-production', 'https://www.brighttalk.com/webcast/17114/373913/the-problem-with-kubernetes-and-firewalls-and-how-to-solve-it', 'https://apprenda.com/blog/apprenda-kubernetes/', 'https://www.virtuozzo.com/kubernetes-whitepaper.html', 'https://kubevirtual.com/', 'https://cloudcomputing-news.net/news/2019/jan/30/understanding-kubernetes-today-misconceptions-challenges-and-opportunities/', 'https://platform.sh/guides/Platformsh-Fleet-Ops-Alternative-to-Kubernetes.pdf', 'https://acquisitiontalk.com/2020/01/f-16-running-on-kubernetes-and-the-challenges-of-a-disconnected-environment/', 'https://www.deployhub.com/kubernetes-pipelines/', 'https://www.infoq.com/news/2020/03/cncf-kubernetes-cloud-native/', 'https://www.cleardata.com/articles/kubernetes-in-healthcare/', 'https://rancher.com/products/rancher/', 'https://www.pinterest.com/pin/66639269471638454/', 'https://codeburst.io/kubernetes-cka-hands-on-challenge-3-advanced-scheduling-3fbeb67f2f2', 'https://www.threatstack.com/blog/16-kubernetes-experts-share-the-most-interesting-current-trends-to-look-for-in-kubernetes', 'https://cert-manager.io/docs/concepts/acme-orders-challenges/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production']],
"flaws": [3, 'kubernetes flaws', ['https://www.stackrox.com/post/2020/01/top-5-kubernetes-vulnerabilities-of-2019-the-year-in-review/', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://www.cvedetails.com/vulnerability-list/vendor_id-15867/product_id-34016/Kubernetes-Kubernetes.html', 'https://www.darkreading.com/vulnerabilities---threats/kubernetes-shows-built-in-weakness/d/d-id/1336956', 'https://containerjournal.com/topics/container-security/common-container-and-kubernetes-vulnerabilities/', 'https://threatpost.com/kubernetes-bugs-authentication-bypass-dos/149265/', 'https://rancher.com/blog/2020/kubernetes-security-vulnerabilities', 'https://kubernetes.io/docs/reference/issues-security/security/', 'https://devspace.cloud/blog/2019/10/31/advantages-and-disadvantages-of-kubernetes', 'https://www.trendmicro.com/vinfo/de/security/news/vulnerabilities-and-exploits/kubernetes-vulnerability-cve-2019-11246-discovered-due-to-incomplete-updates-from-a-previous-flaw', 'https://www.sdxcentral.com/articles/news/latest-kubernetes-security-flaw-linked-to-incomplete-patch-of-past-flaw/2019/06/', 'https://redmondmag.com/articles/2018/12/05/critical-kubernetes-flaws.aspx', 'https://siliconangle.com/2019/08/06/34-vulnerabilities-uncovered-security-audit-kubernetes-code/', 'https://techbeacon.com/security/lessons-kubernetes-flaw-why-you-should-shift-your-security-upstream', 'https://techbeacon.com/enterprise-it/hackers-guide-kubernetes-security', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://www.brighttalk.com/webcast/18009/392616/do-you-know-your-kubernetes-runtime-vulnerabilities', 'https://nvd.nist.gov/view/vuln/search-results?adv_search=true&cves=on&cpe_version=cpe%3A%2Fa%3Akubernetes%3Akubernetes%3A-', 'https://www.bleepingcomputer.com/news/security/severe-flaws-in-kubernetes-expose-all-servers-to-dos-attacks/', 'https://www.portshift.io/webinar/kubernetes-runtime-vulnerabilities/', 'https://www.hitechnectar.com/blogs/pros-cons-kubernetes/', 'https://www.zdnet.com/article/kubernetes-first-major-security-hole-discovered/', 'https://thenewstack.io/critical-vulnerability-allows-kubernetes-node-hacking/', 'https://cloudplex.io/blog/top-10-kubernetes-tools/', 'https://www.enterpriseai.news/2019/08/08/another-week-another-kubernetes-security-flaw/', 'https://blog.aquasec.com/topic/kubernetes-security', 'https://www.openshift.com/blog/what-customers-of-red-hat-openshift-hosted-services-should-know-about-the-april-2020-haproxy-http/2-flaws', 'https://github.com/aquasecurity/kube-hunter', 'https://www.cybersecurity-help.cz/vdb/kubernetes/kubernetes/1.9.6/', 'https://www.helpnetsecurity.com/2020/01/22/container-security-continuous-security/', 'https://kubernetes.cn/docs/tasks/administer-cluster/securing-a-cluster/', 'https://www.checkmarx.com/blog/checkmarx-research-race-condition-in-kubernetes', 'https://www.reliaquest.com/blog/best-practices-for-detecting-5-common-attacks-against-kubernetes/', 'https://logz.io/blog/kubernetes-security/', 'https://venturebeat.com/2020/01/14/cncf-google-and-hackerone-launch-kubernetes-bug-bounty-program/', 'https://securityboulevard.com/2019/08/cncf-led-open-source-kubernetes-security-audit-reveals-37-flaws-in-kubernetes-cluster-recommendations-proposed/', 'https://infosiftr.com/2020/08/07/tldr-last-weeks-container-news-08-01-20-08-07-20/', 'https://security.berkeley.edu/news/kubernetes-vulnerabilities-allow-authentication-bypass-dos-cve-2019-16276', 'https://www.cloudpassage.com/cloud-computing-security/container-security-halo-container-secure/', 'https://www.redhat.com/en/topics/containers/what-is-clair', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/ebook/vmware-press-ebook-on-containers-and-kubernetes.pdf', 'https://prophaze.com/category/cve/page/24/', 'https://prophaze.com/vapt/', 'https://www.bunnyshell.com/blog/security-flaws-kubernetes/', 'https://docs.aws.amazon.com/eks/latest/userguide/configuration-vulnerability-analysis.html', 'https://stackshare.io/posts/kubernetes-roundup-1', 'https://www.securityweek.com/public-bug-bounty-program-launched-kubernetes', 'https://docs.gitlab.com/ee/user/application_security/sast/', 'https://www.cncf.io/blog/2019/04/29/what-kubernetes-does-and-doesnt-do-for-security/', 'https://engineering.bitnami.com/articles/running-helm-in-production.html', 'https://blog.vulcan.io/the-vulcan-vulnerability-digest-top-threats-to-address-march', 'https://www.csoonline.com/article/3519688/infrastructure-as-code-templates-are-the-source-of-many-cloud-infrastructure-weaknesses.html', 'https://hub.packtpub.com/cncf-led-open-source-kubernetes-security-audit-reveals-37-flaws-in-kubernetes-cluster-recommendations-proposed/', 'https://blog.alcide.io/kubernetes-security', 'https://www.computing.co.uk/news/3068012/kubernetes-news-critical-vulnerability-discovered-new-relic-announces-kubernetes-cluster-explorer', 'https://vmblog.com/archive/2020/09/11/vmblog-expert-interview-amir-ofek-ceo-of-alcide-talks-kubernetes-security-aws-bottlerocket-and-its-latest-implementation-by-ooda-health.aspx', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://sighup.io/certified-kubernetes-images/', 'https://www.techzine.eu/tag/vulnerabilities/', 'https://lp.skyboxsecurity.com/rs/440-MPQ-510/images/Skybox_Cloud_Trends_Report.pdf', 'https://neuvector.com/docker-security/runc-docker-vulnerability/', 'https://security.netapp.com/advisory/', 'https://ubuntu.com/security/notices/USN-4220-1', 'https://apisecurity.io/issue-54-api-vulnerabilities-in-erosary-kubernetes-harbor/', 'https://platform9.com/blog/kubernetes-networking-challenges-at-scale/', 'https://cloudowski.com/articles/10-differences-between-openshift-and-kubernetes/', 'https://www.bluematador.com/blog/iam-access-in-kubernetes-the-aws-security-problem', 'https://itnext.io/can-kubernetes-keep-a-secret-it-all-depends-what-tool-youre-using-498e5dee9c25', 'https://www.igrc.eu/category/kubernetes/', 'https://news.ycombinator.com/item?id=19467067', 'https://blog.shiftleft.io/enabling-developer-friendly-security-in-kubernetes-for-gitops-95217902c3aa', 'https://www.defcon.org/html/defcon-27/dc-27-workshops.html', 'https://resources.whitesourcesoftware.com/blog-whitesource/top-5-open-source-security-vulnerabilities-january-2019', 'https://duo.com/decipher/critical-kubernetes-bug-gives-anyone-full-admin-privileges', 'http://www.smashcompany.com/technology/my-final-post-regarding-the-flaws-of-docker-kubernetes-and-their-eco-system', 'https://snyk.io/blog/top-ten-most-popular-docker-images-each-contain-at-least-30-vulnerabilities/', 'https://thecyberwire.com/newsletters/daily-briefing/7/232', 'https://sysdig.com/wp-content/uploads/2019/01/container-pci-compliance-guide.pdf', 'https://www.cpomagazine.com/cyber-security/dont-want-security-issues-then-dont-misuse-your-images-and-image-registries/', 'https://www.bizety.com/2019/01/31/basics-of-securing-kubernetes-services/', 'https://medium.com/faun/security-problems-of-kops-default-deployments-2819c157bc90', 'http://techgenix.com/kubernetes-security-tools/', 'https://blog.container-solutions.com/answers-to-11-big-questions-about-kubernetes-versioning', 'https://portswigger.net/daily-swig/bug-bounty-radar-the-latest-bug-bounty-programs-for-june-2020', 'https://opensource.com/article/18/8/tools-container-security', 'https://cisomag.eccouncil.org/5-cybersecurity-trends/', 'https://banzaicloud.com/blog/auto-dast/', 'https://secureteam.co.uk/news/vulnerabilities/docker-vulnerability-allows-host-root-escalation/', 'https://wideops.com/kubernetes-security-audit-what-gke-and-anthos-users-need-to-know/', 'https://www.sans.org/newsletters/newsbites/xxi/82', 'https://www.linkedin.com/posts/brianfink_dangerous-kubernetes-bugs-allow-authentication-activity-6590968985179738112-nPmp', 'https://www.reddit.com/r/programming/comments/ctx470/severe_flaws_in_kubernetes_expose_all_servers_to/', 'https://supergiant.io/blog/pros-and-cons-of-adopting-kubernetes-in-2019/', 'https://www.magalix.com/blog/container-security', 'http://www.eweek.com/web/index.php/security/how-shopify-avoided-a-data-breach-thanks-to-a-bug-bounty', 'https://www.globenewswire.com/news-release/2018/05/02/1494996/0/en/DigitalOcean-Introduces-Kubernetes-Product-for-Simple-Scalable-Container-Deployment-and-Orchestration.html', 'https://www.ren-isac.net/public-resources/weekly-watch/weekly-watch-archive.html', 'https://www.paloaltonetworks.com/prisma/cloud/compute-security/container-security', 'https://jaxenter.com/kubernetes-flaw-admin-access-152637.html', 'https://dzone.com/articles/kubernetes-security-best-practices']],
"security": [4, 'kubernetes security', ['https://kubernetes.io/docs/concepts/security/', 'https://kubernetes.io/docs/concepts/security/overview/', 'https://kubernetes.io/docs/concepts/security/pod-security-standards/', 'https://kubernetes.io/docs/concepts/policy/', 'https://kubernetes.io/fr/docs/concepts/security/', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#controlling-access-to-the-kubernetes-api', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#controlling-the-capabilities-of-a-workload-or-user-at-runtime', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#protecting-cluster-components-from-compromise', 'https://kubernetes.io/docs/concepts/security/overview/#the-4c-s-of-cloud-native-security', 'https://kubernetes.io/docs/concepts/security/overview/#cloud-provider-security', 'https://kubernetes.io/docs/concepts/security/overview/#infrastructure-security', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://www.aquasec.com/solutions/kubernetes-container-security/', 'https://kubernetes-security.info/', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://www.cncf.io/blog/2019/01/14/9-kubernetes-security-best-practices-everyone-must-follow/', 'https://techbeacon.com/enterprise-it/hackers-guide-kubernetes-security', 'https://neuvector.com/container-security/kubernetes-security-guide/', 'https://sysdig.com/products/kubernetes-security/', 'https://techbeacon.com/enterprise-it/4-kubernetes-security-challenges-how-address-them', 'https://www.vmware.com/topics/glossary/content/kubernetes-security', 'https://acloud.guru/learn/7d2c29e7-cdb2-4f44-8744-06332f47040e', 'https://www.sans.org/webcasts/state-kubernetes-security-110230', 'https://cloud.ibm.com/docs/containers?topic=containers-security', 'https://www.trendmicro.com/en_us/what-is/container-security/kubernetes.html', 'https://www.brighttalk.com/webcast/18009/413396/kubernetes-security-7-things-you-should-consider', 'https://training.linuxfoundation.org/certification/certified-kubernetes-security-specialist/', 'https://www.oreilly.com/library/view/kubernetes-security/9781492039075/', 'https://thenewstack.io/laying-the-groundwork-for-kubernetes-security-across-workloads-pods-and-users/', 'https://www.cisecurity.org/benchmark/kubernetes/', 'https://www.lacework.com/kubernetes-security/', 'https://logz.io/blog/kubernetes-security/', 'https://www.sumologic.com/kubernetes/security/', 'https://www.helpnetsecurity.com/2020/01/21/kubernetes-security-challenges/', 'https://securityboulevard.com/2020/08/using-kubelet-client-to-attack-the-kubernetes-cluster/', 'https://github.com/freach/kubernetes-security-best-practice', 'https://docs.microsoft.com/en-us/azure/aks/concepts-security', 'https://www.tigera.io/kubernetes-security/', 'https://www.bluematador.com/blog/kubernetes-security-essentials', 'https://platform9.com/blog/kubernetes-security-what-and-what-not-to-expect/', 'https://cloudplex.io/blog/top-10-kubernetes-tools/', 'https://phoenixnap.com/kb/kubernetes-security-best-practices', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://learn.hashicorp.com/tutorials/vault/kubernetes-security-concerns', 'https://www.guardicore.com/use-cases/container-security/kubernetes-security/', 'https://www.amazon.com/Learn-Kubernetes-Security-orchestrate-microservices/dp/1839216506', 'https://www.alcide.io/', 'https://snyk.io/learn/kubernetes-security/', 'https://rancher.com/docs/rancher/v2.x/en/security/', 'https://blog.sqreen.com/kubernetes-security-best-practices/', 'https://www.globenewswire.com/news-release/2020/08/17/2078995/0/en/NeuVector-Advances-Cloud-Native-Kubernetes-Security-Platform-with-Compliance-Templates-and-Vulnerability-Workflow-Management-for-PCI-DSS-GDPR-and-More.html', 'https://www.threatstack.com/blog/3-things-to-know-about-kubernetes-security', 'https://www.carbonblack.com/resources/three-common-kubernetes-security-mistakes-and-how-to-avoid-them/', 'https://owasp.org/www-project-kubernetes-security-testing-guide/', 'https://www.splunk.com/en_us/blog/security/approaching-kubernetes-security-detecting-kubernetes-scan-with-splunk.html', 'https://www.cloudflare.com/integrations/kubernetes/', 'https://www.packtpub.com/product/learn-kubernetes-security/9781839216503', 'https://www.cvedetails.com/vulnerability-list/vendor_id-15867/product_id-34016/Kubernetes-Kubernetes.html', 'https://www.inovex.de/blog/kubernetes-security-tools/', 'https://pages.awscloud.com/GLOBAL-partner-OE-containers-stackrox-sept-2020-reg-event.html?trk=ep_card-reg', 'https://www.techrepublic.com/article/kubernetes-rollouts-5-security-best-practices/', 'https://stackify.com/kubernetes-security-best-practices-you-must-know/', 'https://enterprisersproject.com/article/2019/1/kubernetes-security-4-areas-focus', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://containerjournal.com/topics/container-security/cyberark-discloses-potential-security-flaw-in-kubernetes-agent-software/', 'https://www.prnewswire.com/news-releases/stackrox-expands-in-emea-to-meet-global-demand-for-kubernetes-native-security-301113628.html', 'https://portswigger.net/daily-swig/kubiscan-open-source-kubernetes-security-tool-showcased-at-black-hat-2020', 'https://jaxlondon.com/wp-content/uploads/slides/Continuous_Kubernetes_Security.pdf', 'https://www.metricfire.com/blog/kubernetes-security-secrets-from-the-trenches/', 'https://labs.sogeti.com/kubernetes-security-basics/', 'https://www.cio.com/article/3411994/kubernetes-security-best-practices-for-enterprise-deployment.html', 'https://medium.com/better-programming/secure-your-kubernetes-cluster-with-pod-security-policies-bd511ec6d034', 'https://www.youtube.com/watch?v=v6a37uzFrCw', 'https://www.parsons.com/2020/08/kubernetes-security-embracing-built-in-primitives-for-more-secure-environments/', 'https://www.darkreading.com/black-hat/level-up-your-kubernetes-security-skills-at-black-hat-usa-/d/d-id/1338317', 'https://www.zdnet.com/article/kubernetes-first-major-security-hole-discovered/', 'https://www.altexsoft.com/blog/kubernetes-security/', 'https://resources.whitesourcesoftware.com/blog-whitesource/kubernetes-pod-security-policy', 'https://adtmag.com/blogs/watersworks/2020/09/alcide-aws-ready.aspx', 'https://techcrunch.com/2020/09/10/stackrox-nabs-26-5m-for-a-platform-that-secures-containers-in-kubernetes/', 'https://www.enterpriseai.news/2020/09/17/list-of-kubernetes-tools-defenses-grows/', 'https://blogs.oracle.com/developers/5-best-practices-for-kubernetes-security', 'https://techcloudlink.com/wp-content/uploads/2019/10/Operating-Kubernetes-Clusters-and-Applications-Safely.pdf', 'https://www.esecurityplanet.com/products/top-container-and-kubernetes-security-vendors.html', 'https://devops.com/how-to-secure-your-kubernetes-cluster-on-gke/', 'https://www.xenonstack.com/insights/kubernetes-security-tools/', 'https://hackerone.com/kubernetes', 'https://www.sdxcentral.com/articles/news/kubernetes-security-plagued-by-human-error-misconfigs/2020/02/', 'http://techgenix.com/kubernetes-security-tools/', 'https://blog.sonatype.com/kubesecops-kubernetes-security-practices-you-should-follow', 'https://developer.squareup.com/blog/kubernetes-pod-security-policies/', 'https://www.infoq.com/articles/Kubernetes-security/', 'https://www.cloudtp.com/doppler/how-to-ensure-end-to-end-kubernetes-security/', 'https://www.schneier.com/blog/archives/2020/04/kubernetes_secu.html', 'https://www.replex.io/blog/kubernetes-in-production-best-practices-for-governance-cost-management-and-security-and-access-control', 'https://www.reliaquest.com/blog/best-practices-for-detecting-5-common-attacks-against-kubernetes/', 'https://blog.checkpoint.com/2019/12/04/how-is-your-kubernetes-security-posture/', 'https://dev.to/petermbenjamin/kubernetes-security-best-practices-hlk', 'https://www.contrastsecurity.com/security-influencers/security-concerns-with-containers-kubernetes']],
"benefits": [5, 'kubernetes benefits', ['https://blog.kumina.nl/2018/04/the-benefits-and-business-value-of-kubernetes/', 'https://kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://kubernetes.io/docs/concepts/overview/components/', 'https://kubernetes.io/blog/2015/04/borg-predecessor-to-kubernetes/', 'https://v1-18.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://v1-15.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://devspace.cloud/blog/2019/10/31/advantages-and-disadvantages-of-kubernetes', 'https://www.weave.works/blog/6-business-benefits-of-kubernetes', 'https://www.criticalcase.com/blog/kubernetes-features-and-benefits.html', 'https://medium.com/platformer-blog/benefits-of-kubernetes-e6d5de39bc48', 'https://www.linkbynet.com/what-are-the-real-benefits-of-kubernetes', 'https://www.sumologic.com/blog/why-use-kubernetes/', 'https://www.linode.com/docs/kubernetes/kubernetes-use-cases/', 'https://the-report.cloud/benefits-of-kubernetes', 'https://www.hitechnectar.com/blogs/pros-cons-kubernetes/', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_ov', 'https://www.ericsson.com/en/blog/2020/3/benefits-of-kubernetes-on-bare-metal-cloud-infrastructure', 'https://www.infoworld.com/article/3173266/4-reasons-you-should-use-kubernetes.html', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://enterprisersproject.com/article/2017/10/how-explain-kubernetes-plain-english', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://stackify.com/kubernetes-docker-deployments/', 'https://www.guru99.com/kubernetes-vs-docker.html', 'https://wiki.aquasec.com/display/containers/Kubernetes+Advantages+and+Use+Cases', 'https://www.docker.com/products/kubernetes', 'https://vexxhost.com/blog/openstack-kubernetes/', 'https://rancher.com/kubernetes/', 'https://cloud.netapp.com/kubernetes-hub', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/microsites/vmware-kubernetes-for-executives-ebook.pdf', 'https://azure.microsoft.com/en-us/topic/what-is-kubernetes/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://coreos.com/operators/', 'https://www.computer.org/publications/tech-news/trends/what-you-need-to-know-about-managed-kubernetes-platforms/', 'https://platform9.com/wp-content/uploads/2018/08/why-kubernetes-matters.pdf', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://stfalcon.com/en/blog/post/kubernetes', 'https://www.bmc.com/blogs/what-is-kubernetes/', 'https://www.quora.com/What-are-some-benefits-in-using-Kubernetes', 'https://www.atlassian.com/continuous-delivery/microservices/kubernetes', 'https://www.rackspace.com/blog/kubernetes-explained-for-business-leaders', 'https://dzone.com/articles/kubernetes-benefits-microservices-architecture-for', 'https://www.urolime.com/blogs/benefits-of-microservices-architecture-and-kubernetes/', 'https://loft.sh/blog/virtual-clusters-for-kubernetes-benefits-use-cases/', 'https://www.zdnet.com/article/what-is-kubernetes-everything-your-business-needs-to-know/', 'https://cloudcomputing-news.net/news/2020/jul/23/is-kubernetes-the-key-to-unlocking-the-benefits-of-containerisation/', 'https://lucidworks.com/post/kubernetes-benefits-for-enterprise/', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://kublr.com/industry-info/what-is-kubernetes-and-how-can-enterprises-benefit/', 'https://aws.amazon.com/eks/', 'https://ubuntu.com/kubernetes/managed', 'https://www.ovhcloud.com/en/public-cloud/kubernetes/', 'https://techolution.com/the-7-benefits-of-kubernetes-that-will-lower-your-costs-time-to-market/', 'https://www.oracle.com/cloud/what-is-kubernetes/', 'https://www.missioncloud.com/blog/resource-what-are-the-benefits-of-amazon-elastic-kubernetes-service-eks', 'https://containerjournal.com/topics/container-ecosystems/why-is-enterprise-kubernetes-important/', 'https://www.sitecore.com/knowledge-center/getting-started/should-my-team-adopt-docker', 'https://searchitoperations.techtarget.com/definition/Google-Kubernetes', 'https://www.qlik.com/us/resource-library/business-value-of-containers-and-kubernetes', 'https://stackoverflow.blog/2020/05/29/why-kubernetes-getting-so-popular/', 'https://unofficial-kubernetes.readthedocs.io/en/latest/concepts/overview/what-is-kubernetes/', 'https://www.nebulaworks.com/blog/2019/10/30/three-benefits-to-using-a-helm-chart-on-kubernetes/', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://www.dellemc.com/en-in/collaterals/unauth/briefs-handouts/solutions/h18141-dellemc-dpd-kubernetes.pdf', 'https://www.getambassador.io/learn/multi-cluster-kubernetes/', 'https://virtualizationreview.com/articles/2020/05/13/state-of-kubernetes.aspx', 'https://www.sumologic.jp/blog/kubernetes-vs-docker/', 'https://www.capitalone.com/tech/cloud/why-kubernetes-alone-wont-solve-enterprise-container-needs/', 'https://www.cisco.com/c/dam/en/us/solutions/collateral/data-center-virtualization/application-centric-infrastructure/solution-overview-c22-739493.pdf', 'https://cloudacademy.com/blog/what-is-kubernetes/', 'https://www.openlogic.com/blog/why-move-kubernetes-orchestration', 'https://blog.equinix.com/blog/2020/05/26/is-just-one-kubernetes-cluster-enough/', 'https://thenewstack.io/3-reasons-to-bring-stateful-applications-to-kubernetes/', 'https://www.nutanix.com/content/dam/nutanix/resources/solution-briefs/sb-karbon.pdf', 'https://www.fairwinds.com/why-kubernetes', 'https://opsani.com/resources/kubernetes-everything-you-need-to-know/', 'https://www.educba.com/what-is-kubernetes/', 'https://blog.cloudticity.com/five-benefits-kubernetes-healthcare', 'https://avinetworks.com/glossary/container-orchestration/', 'https://www.cleardata.com/blog/kubernetes-for-leaders-in-healthcare/', 'https://supergiant.io/blog/pros-and-cons-of-adopting-kubernetes-in-2019/', 'https://towardsdatascience.com/the-pros-and-cons-of-running-apache-spark-on-kubernetes-13b0e1b17093', 'https://www.spec-india.com/blog/benefits-of-kubernetes-for-microservices-architecture', 'https://phoenixnap.com/blog/kubernetes-vs-openstack', 'https://about.gitlab.com/blog/2020/09/16/year-of-kubernetes/', 'https://www.techwell.com/techwell-insights/2020/01/should-you-use-managed-cloud-service-kubernetes', 'https://subscription.packtpub.com/book/virtualization_and_cloud/9781784394035/1/ch01lvl1sec11/advantages-of-kubernetes', 'https://revolgy.com/blog/kubernetes-for-business-in-a-nutshell/', 'https://www.redapt.com/blog/rancher-2.3-brings-kubernetes-benefits-to-microsoft-windows-applications', 'https://www.dragonspears.com/blog/powering-kubernetes-benefits-and-drawbacks-of-azure-vs-aws', 'https://www.linux.com/news/benefits-of-kubernetes-on-bare-metal-cloud-infrastructure/', 'https://geniusee.com/single-blog/kubernetes', 'https://docs.bytemark.co.uk/article/kubernetes-terminology-glossary/', 'https://www.cloudmanagementinsider.com/google-what-kubernetes-best-practices/', 'https://www.einfochips.com/blog/how-kubernetes-power-up-the-microservices-architecture/', 'https://www.networkcomputing.com/data-centers/kubernetes-capabilities-enterprise-it-workloads', 'https://www.suse.com/c/wp-content/uploads/2019/12/Why-Kubernetes-A-Deep-Dive-in-Options-Benefits-and-Use-Cases.pdf', 'https://insidebigdata.com/2019/11/20/10-kubernetes-features-you-must-know-about/', 'https://www.rapidvaluesolutions.com/azure-kubernetes-service-aks-simplifying-deployment-with-stateful-applications/']],
"production": [6, 'kubernetes production', ['https://kubernetes.io/docs/setup/production-environment/', 'https://kubernetes.io/docs/setup/production-environment/container-runtimes/', 'https://kubernetes.io/docs/setup/production-environment/tools/', 'https://kubernetes.io/docs/setup/production-environment/windows/', 'https://v1-16.docs.kubernetes.io/docs/setup/production-environment/', 'https://kubernetes.io/', 'https://kubernetes.io/case-studies/', 'https://kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/blog/', 'https://kubernetes.io/blog/2018/08/03/out-of-the-clouds-onto-the-ground-how-to-make-kubernetes-production-grade-anywhere/', 'https://www.replex.io/blog/kubernetes-in-production', 'https://thenewstack.io/7-key-considerations-for-kubernetes-in-production/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://learnk8s.io/production-best-practices', 'https://kubernetes-on-aws.readthedocs.io/en/latest/admin-guide/kubernetes-in-production.html', 'https://enterprisersproject.com/article/2018/11/kubernetes-production-4-myths-debunked', 'https://github.com/kubernetes/kubernetes', 'https://sysdig.com/blog/monitoring-kubernetes/', 'https://medium.com/better-programming/3-years-of-kubernetes-in-production-heres-what-we-learned-44e77e1749c8', 'https://www.stackrox.com/post/2019/05/how-to-build-production-ready-kubernetes-clusters-and-containers/', 'https://kubernetes.cn/docs/setup/production-environment/windows/intro-windows-in-kubernetes/', 'https://kubeprod.io/', 'https://gruntwork.io/guides/kubernetes/how-to-deploy-production-grade-kubernetes-cluster-aws/', 'https://rancher.com/docs/rancher/v2.x/en/cluster-provisioning/production/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://www.appdynamics.com/blog/product/kubernetes-cluster-monitoring/', 'https://platform9.com/blog/kubernetes-on-premises-why-and-how/', 'https://wiki.aquasec.com/display/containers/Kubernetes+in+Production', 'https://www.pulumi.com/blog/crosswalk-kubernetes/', 'https://www.weave.works/product/enterprise-kubernetes-platform/', 'https://www.amazon.com/Keras-Kubernetes-Journey-Learning-Production/dp/1119564832', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://stackify.com/kubernetes-in-production-6-key-considerations/', 'https://www.digitalocean.com/products/kubernetes/', 'https://bluemedora.com/monitor-kubernetes-in-production-with-automated-dashboards/', 'https://www.infoworld.com/article/3265059/10-kubernetes-distributions-leading-the-container-revolution.html', 'https://www.infoq.com/news/2020/03/kubernetes-multicloud-brandwatch/', 'https://www.docker.com/products/kubernetes', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://devops.com/running-kubernetes-in-production-make-sure-your-routing-strategy-works/', 'https://www.youtube.com/watch?v=IhhVe9OQeio', 'https://jaas.ai/kubernetes', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://microk8s.io/', 'https://caylent.com/k8s-in-production-and-development', 'https://jfrog.com/whitepaper/the-jfrog-journey-to-kubernetes-best-practices-for-taking-your-containers-all-the-way-to-production/', 'https://docs.safe.com/fme/html/FME_Server_Documentation/AdminGuide/Kubernetes/Kubernetes-Deploying-Production-Environment.htm', 'https://d2iq.com/kubernetes-platform', 'https://www.nutanix.com/products/karbon', 'https://conferences.oreilly.com/velocity/vl-eu-2018/public/schedule/detail/71360.html', 'https://docs.gitlab.com/ee/user/project/clusters/', 'https://k8s.vmware.com/running-containers-and-kubernetes-in-production/', 'https://docs.mattermost.com/install/install-kubernetes.html', 'https://k8s.af/', 'https://jaxenter.com/running-kubernetes-in-production-158555.html', 'https://itnext.io/kubernetes-resource-management-in-production-d5382c904ed1', 'https://blogs.cisco.com/cloud/kubernetes-in-production', 'https://cloudacademy.com/course/introduction-to-kubernetes/introduction/', 'https://www.vaultproject.io/docs/platform/k8s/helm/run', 'https://www.planetscale.com/blog/announcing-planetscaledb-for-kubernetes-production-grade-databases-in-your-own-kubernetes-with-the-ease-of-saas', 'https://azure.microsoft.com/en-us/services/kubernetes-service/', 'https://coreos.com/tectonic/', 'https://www.ibm.com/cloud/container-service', 'https://www.confluent.io/kafka-summit-san-francisco-2019/production-ready-kafka-on-kubernetes/', 'https://ubuntu.com/kubernetes/install', 'https://applatix.com/blog/page/2/', 'https://blog.jetstack.io/blog/k8s-getting-started-part1/', 'https://assets.ext.hpe.com/is/content/hpedam/documents/a00039000-9999/a00039700/a00039700enw.pdf', 'https://www.brighttalk.com/webcast/6793/347227/moving-to-production-ready-fast-affordable-kubernetes', 'https://bitnami.com/kubernetes/bkpr', 'https://docs.influxdata.com/platform/integrations/kubernetes/', 'https://www.getambassador.io/resources/dev-workflow-intro/', 'https://www.altoros.com/services/kubernetes-production-grade-mvp-on-eks', 'https://www.jeffgeerling.com/blog/2019/running-drupal-kubernetes-docker-production', 'https://www.jaegertracing.io/docs/1.19/operator/', 'https://spinnaker.io/guides/tutorials/codelabs/kubernetes-v2-source-to-prod/', 'https://jamesdefabia.github.io/docs/user-guide/production-pods/', 'https://logz.io/blog/a-practical-guide-to-kubernetes-logging/', 'https://www.gartner.com/en/documents/3902966/best-practices-for-running-containers-and-kubernetes-in-', 'https://softwarebrothers.co/blog/two-weeks-with-kubernetes-in-production/', 'https://www.magalix.com/blog/the-best-kubernetes-tools-for-managing-large-scale-projects', 'https://containerjournal.com/topics/container-networking/using-kubernetes-for-mission-critical-databases/', 'https://phoenixnap.com/kb/understanding-kubernetes-architecture-diagrams', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://hackernoon.com/kubernetes-production-to-be-or-not-to-be-3f79516016a6', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://www.cncf.io/news/2020/03/09/jaxenter-cncf-survey-reveals-78-use-kubernetes-in-production/', 'https://databricks.com/session_eu19/reliable-performance-at-scale-with-apache-spark-on-kubernetes', 'https://kubedb.com/', 'https://portworx.com/basic-guide-kubernetes-storage/', 'https://mlinproduction.com/k8s-jobs/', 'https://gravitational.com/blog/kubernetes-production-patterns/', 'https://srcco.de/posts/web-service-on-kubernetes-production-checklist-2019.html', 'https://nuclio.io/docs/latest/setup/k8s/running-in-production-k8s/', 'https://grafana.com/blog/2019/07/24/how-a-production-outage-was-caused-using-kubernetes-pod-priorities/', 'http://www.cozysystems.net/portfolio/production-grade-container-orchestration/', 'https://datera.io/blog/optimizing-kubernetes-storage-for-production/', 'https://searchitoperations.techtarget.com/tip/Rising-use-of-Kubernetes-in-production-brings-new-IT-demands', 'https://spring.io/guides/gs/spring-boot-kubernetes/']],
"learned": [7, 'kubernetes learned', ['https://kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/create-cluster/cluster-interactive/', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/deploy-app/deploy-intro/', 'https://v1-17.docs.kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/training/', 'https://about.gitlab.com/blog/2020/09/16/year-of-kubernetes/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://logz.io/blog/what-are-the-hardest-parts-of-kubernetes-to-learn/', 'https://www.leverege.com/iot-ebook/lessons-learned', 'https://www.katacoda.com/courses/kubernetes', 'https://softchris.github.io/pages/kubernetes-one.html', 'https://thenewstack.io/learning-kubernetes-the-need-for-a-realistic-playground/', 'https://www.freecodecamp.org/news/learn-kubernetes-in-under-3-hours-a-detailed-guide-to-orchestrating-containers-114ff420e882/', 'https://www.educative.io/courses/practical-guide-to-kubernetes', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://medium.com/faun/35-advanced-tutorials-to-learn-kubernetes-dae5695b1f18', 'https://medium.com/better-programming/3-years-of-kubernetes-in-production-heres-what-we-learned-44e77e1749c8', 'https://www.jeffgeerling.com/blog/2019/everything-i-know-about-kubernetes-i-learned-cluster-raspberry-pis', 'https://www.manning.com/books/learn-kubernetes-in-a-month-of-lunches', 'https://cloudacademy.com/course/kubernetes-patterns-for-application-developers/introduction/', 'https://cloudacademy.com/learning-paths/cloud-academy-introduction-to-kubernetes-92/', 'https://tutorials.botsfloor.com/top-tutorials-to-learn-kubernetes-e9507e76d9a4', 'https://www.digitalocean.com/community/curriculums/kubernetes-for-full-stack-developers', 'https://github.com/kelseyhightower/kubernetes-the-hard-way', 'https://kube.academy/courses/hands-on-with-kubernetes-and-containers', 'https://www.udemy.com/course/learn-kubernetes/', 'https://rx-m.com/kubernetes/the-kubernetes-learning-journey-for-developers/', 'https://jvns.ca/blog/2017/06/04/learning-about-kubernetes/', 'https://www.edx.org/course/introduction-to-kubernetes', 'https://www.capitalone.com/tech/software-engineering/create-and-deploy-kubernetes-clusters/', 'https://acloud.guru/learn/82b39fac-b9f7-43d1-8f52-6a89efe5202f', 'https://www.amazon.com/Keras-Kubernetes-Journey-Learning-Production/dp/1119564832', 'https://ieeexplore.ieee.org/document/8457916', 'https://www.oreilly.com/library/view/programming-kubernetes/9781492047094/ch01.html', 'https://opensource.com/article/20/6/kubernetes-garbage-collection', 'https://noti.st/jbaruch/Ok0wZ6', 'https://learn.openshift.com/', 'https://www.netapp.com/us/kubernetes-storage.aspx', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_cluster_tutorial', 'https://boxboat.com/', 'https://eng.lyft.com/improving-kubernetes-cronjobs-at-scale-part-1-cf1479df98d4', 'https://www.socallinuxexpo.org/sites/default/files/presentations/Scale%2015x.pdf', 'https://databricks.com/session/hdfs-on-kubernetes-lessons-learned', 'https://oteemo.com/training/kubernetes-for-sres-and-devsecops-engineers/', 'https://learn.oracle.com/ols/home/application-development-learning-subscription/37192', 'https://www.cisco.com/c/dam/en_us/training-events/le31/le46/cln/pdf/webinar_slides/roach-intro-kubernetes.pdf', 'https://www.lynda.com/learning-paths/Developer/master-cloud-native-infrastructure-with-kubernetes', 'https://www.computing.co.uk/news/4019233/monzo-learned-lot-self-hosting-kubernetes-wouldn%E2%80%99', 'https://www.weave.works/technologies/kubernetes-on-aws/', 'https://auth0.com/blog/kubernetes-tutorial-step-by-step-introduction-to-basic-concepts/', 'https://www.spectrumscaleug.org/wp-content/uploads/2020/03/SSSD20DE-Spectrum-Scale-use-cases-and-field-lessons-learned-with-Kubernetes-and-OpenShift.pdf', 'https://konghq.com/videos/what-weve-learned-building-a-multi-region-dbaas-on-kubernetes/', 'https://blog.bosch-si.com/bosch-iot-suite/lessons-learned-using-kubernetes-in-iot-deployments/', 'https://www.quora.com/What-are-some-good-ways-of-learning-Kubernetes', 'https://learn.hashicorp.com/tutorials/consul/service-mesh', 'https://learnk8s.io/blog', 'https://www.edureka.co/community/69951/what-are-the-prerequisites-required-to-learn-kubernetes', 'https://www.threatstack.com/blog/50-best-kubernetes-architecture-tutorials', 'https://mlinproduction.com/intro-to-kubernetes/', 'https://docs.microsoft.com/en-us/azure/aks/tutorial-kubernetes-deploy-application', 'https://engineering.hellofresh.com/lessons-learned-from-running-eks-in-production-a6dddb8368b8', 'https://www.cncf.io/news/2020/08/20/computing-monzo-we-learned-a-lot-from-self-hosting-kubernetes-but-we-wouldnt-do-it-again/', 'https://www.openstack.org/summit/denver-2019/summit-schedule/events/23461/lessons-learned-running-open-infrastructure-on-baremetal-kubernetes-clusters-in-production', 'https://www.alibabacloud.com/blog/learn-kubernetes-with-ease_596570', 'https://scaffold.digital/kubernetes-lessons-learned/', 'https://www.audible.com/pd/Kubernetes-A-Step-by-Step-Guide-to-Learn-and-Master-Kubernetes-Audiobook/B07QDP3P9L', 'https://blog.pythian.com/lessons-learned-kubernetes/', 'https://www.giantswarm.io/', 'https://www.magalix.com/blog/what-we-learned-from-running-fully-containerized-services-on-kubernetes-part-i', 'https://www.cockroachlabs.com/kubernetes-bootcamp/', 'https://www.businesswire.com/news/home/20190806005524/en/Sysdig-Introduces-Runtime-Profiling-and-Anomaly-Detection-with-Machine-Learning-to-Secure-Kubernetes-Environments-at-Scale', 'https://www.anodot.com/blog/kubernetes-monitoring-best-practices/', 'https://www.crn.com/news/data-center/nutanix-cto-new-kubernetes-paas-bests-vmware-via-simplicity-', 'https://itnext.io/kubernetes-is-hard-190f1d0c6d36', 'https://www.infoq.com/news/2019/12/kubernetes-hard-way-datadog/', 'https://geekflare.com/learn-kubernetes/', 'https://www.reddit.com/r/devops/comments/8xrthv/how_to_learn_kubernetes_quickly/', 'https://www.sitepoint.com/setting-up-on-premise-kubernetes/', 'https://www.brighttalk.com/webcast/6793/376028/simplifying-machine-learning-pipeline-deployments-on-kubernetes', 'https://www.carahsoft.com/learn/resource/3067-kubernetes-blog', 'https://kccnceu20.sched.com/event/ZeoY', 'https://goto.docker.com/rs/929-FJL-178/images/DockerCon19-Guide-to-Kubernetes-Agenda.pdf', 'https://stripe.com/blog/operating-kubernetes', 'https://news.ycombinator.com/item?id=21646762', 'https://www.fairwinds.com/blog/how-we-learned-to-stop-worrying-and-love-cluster-upgrades', 'https://portal.pixelfederation.com/it/blog/article/lessons-learned-from%20deploying-kubernetes-at-pixel-federation', 'https://nickjanetakis.com/blog/docker-swarm-vs-kubernetes-which-one-should-you-learn', 'https://acloudguru.com/learning-paths', 'https://www.jeremyjordan.me/kubernetes/', 'https://www.iotforall.com/ebooks/an-introduction-to-kubernetes/', 'https://coderanger.net/lessons-learned/', 'https://enterprisersproject.com/article/2020/2/kubernetes-6-secrets-success', 'https://www.thoughtworks.com/insights/blog/kubernetes-exciting-future-developers-and-infrastructure-engineering-0', 'https://dev.to/chuck_ha/learning-the-kubernetes-codebase-1324', 'https://kubernetes-io-vnext-staging.netlify.app/training/', 'https://jaxlondon.com/cloud-kubernetes-serverless/what-we-learned-moving-hundreds-of-services-into-the-cloud-a-java-kubernetes-cassandra-dynamodb-best-practices-story/', 'https://kubernetes-on-aws.readthedocs.io/en/latest/postmortems/jan-2019-dns-outage.html', 'https://sharing.luminis.eu/blog/what-ive-learned-about-kubernetes/', 'https://www.coursera.org/learn/foundations-google-kubernetes-engine-gke/reviews', 'https://www.ascend.io/tag/kubernetes']],
"use-cases": [8, 'kubernetes use cases', ['https://thenewstack.io/kubernetes-deep-dive-and-use-cases/', 'https://kubernetes.io/case-studies/', 'https://kubernetes.io/de/case-studies/', 'https://kubernetes.io/case-studies/pinterest/', 'https://kubernetes.io/case-studies/pearson/', 'https://kubernetes.io/case-studies/buffer/', 'https://platform9.com/blog/kubernetes-use-cases/', 'https://dzone.com/articles/how-big-companies-are-using-kubernetes', 'https://codilime.com/harnessing-the-power-of-kubernetes-7-use-cases/', 'https://cloud.netapp.com/kubernetes-hub', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://www.stackrox.com/post/2020/02/top-7-container-security-use-cases-for-kubernetes-environments/', 'https://www.linode.com/docs/kubernetes/kubernetes-use-cases/', 'https://www.developintelligence.com/blog/2017/02/kubernetes-actually-use/', 'https://www.simplilearn.com/tutorials/kubernetes-tutorial/kubernetes-architecture', 'https://rancher.com/customers/', 'https://wiki.aquasec.com/display/containers/Kubernetes+Advantages+and+Use+Cases', 'https://www.edureka.co/blog/kubernetes-architecture/', 'https://www.trustradius.com/products/kubernetes/reviews?qs=product-usage', 'https://www.sumologic.com/blog/why-use-kubernetes/', 'https://stackoverflow.com/questions/35900435/what-is-a-good-use-case-for-kubernetes-pod', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_uc_intro', 'https://robin.io/platform/use-cases/', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://www.weave.works/technologies/the-journey-to-kubernetes/', 'https://www.brighttalk.com/webcast/14745/345526/kubernetes-use-cases-cloud-native-apps-hybrid-clouds-at-the-edge', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/products/nsx/vmware-tanzu-usecases.pdf', 'https://searchitoperations.techtarget.com/feature/Kubernetes-use-cases-extend-beyond-container-orchestration', 'https://azure.microsoft.com/en-us/topic/what-is-kubernetes/', 'https://ubuntu.com/kubernetes/what-is-kubernetes', 'https://aws.amazon.com/eks/', 'https://docs.honeycomb.io/getting-data-in/integrations/kubernetes/usecases/', 'https://portworx.com/use-case/kubernetes-storage/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://www.xenonstack.com/use-cases/cloud-native-devops/', 'https://www.burwood.com/containers-kubernetes-workshop', 'https://www.spectrumscaleug.org/wp-content/uploads/2020/03/SSSD20DE-Spectrum-Scale-use-cases-and-field-lessons-learned-with-Kubernetes-and-OpenShift.pdf', 'https://diamanti.com/use-cases/', 'https://www.oracle.com/a/ocom/docs/cloud/oci-container-engine-oke-100.pdf', 'https://www.magalix.com/blog/deploying-an-application-on-kubernetes-from-a-to-z', 'https://www.infoworld.com/article/3455244/kubernetes-meets-the-real-world-3-success-stories.html', 'https://loft.sh/blog/virtual-clusters-for-kubernetes-benefits-use-cases/', 'https://morioh.com/p/249c7cc7ebb7', 'https://kublr.com/', 'https://www.cncf.io/case-studies/', 'https://apprenda.com/blog/customers-really-using-kubernetes/', 'https://kubernetesbyexample.com/', 'https://sysdig.com/use-cases/', 'https://www.youtube.com/watch?v=qZkkYECxabk', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://www.appoptics.com/use-cases/kubernetes-monitoring', 'https://www.docker.com/products/kubernetes', 'https://www.tigera.io/webinars/into-kubernetes-network-policy', 'https://www.kubeflow.org/docs/about/use-cases/', 'https://www.itprotoday.com/hybrid-cloud/when-use-kubernetes-orchestration-5-factors-consider', 'https://www.pulumi.com/docs/intro/cloud-providers/kubernetes/', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://www.openstack.org/use-cases/containers/leveraging-containers-and-openstack/', 'https://www.getambassador.io/use-cases/kubernetes-api-gateway/', 'https://www.capitalone.com/tech/cloud/why-kubernetes-alone-wont-solve-enterprise-container-needs/', 'https://enterprisersproject.com/article/2017/10/how-make-case-kubernetes', 'https://www.run.ai/guides/kubernetes-architecture/', 'https://www.cisco.com/c/en/us/products/cloud-systems-management/container-platform/index.html', 'https://blog.thundra.io/do-you-really-need-kubernetes', 'https://www.qwiklabs.com/quests/45', 'https://www.infoq.com/articles/kubernetes-workloads-serverless-era/', 'https://blog.bosch-si.com/bosch-iot-suite/why-the-iot-needs-kubernetes/', 'https://phoenixnap.com/blog/kubernetes-vs-openstack', 'https://www.hpe.com/us/en/newsroom/press-release/2019/11/Hewlett-Packard-Enterprise-introduces-Kubernetes-based-platform-for-bare-metal-and-edge-to-cloud-deployments.html', 'https://www.rackspace.com/solve/how-kubernetes-has-changed-face-hybrid-cloud', 'https://www.threatstack.com/blog/20-developers-and-kubernetes-experts-reveal-the-biggest-mistakes-people-make-during-the-transition-to-kubernetes', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://gravitational.com/blog/microservices-containers-kubernetes/', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://www.fairwinds.com/blog/heroku-vs.-kubernetes-the-big-differences-you-should-know', 'https://www.ben-morris.com/do-you-really-need-kubernetes/', 'https://www.researchgate.net/publication/339400726_Producing_Cloud-Native_Smart_Manufacturing_Use_Cases_on_Kubernetes', 'https://discuss.hashicorp.com/t/what-are-advantages-use-consul-in-kubernetes-use-cases-without-service-mesh/9901', 'https://www.cloudvisory.com/usecases.html', 'https://containerjournal.com/topics/container-networking/powering-edge-with-kubernetes-a-primer/', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://www.globenewswire.com/news-release/2018/09/26/1576651/0/en/Eclipse-Foundation-and-Cloud-Native-Computing-Foundation-Collaborate-to-Grow-Kubernetes-Use-Cases-in-Trillion-Dollar-IoT-Market.html', 'https://www.openshift.com/blog/red-hat-chose-kubernetes-openshift', 'https://ieeexplore.ieee.org/document/9040152', 'https://www.idevnews.com/stories/7258/Rancher-Labs-Unveils-Lightweight-Kubernetes-for-Edge-and-IoT-Use-Cases', 'https://www.splunk.com/en_us/devops/kubernetes-monitoring.html', 'https://networkbuilders.intel.com/intel-technologies/container-experience-kits', 'https://rafay.co/the-kubernetes-current/', 'https://www.eksworkshop.com/beginner/140_assigning_pods/affinity_usecases/', 'https://www.cohesity.com/blog/kubernetes-backup-understanding-the-challenges/', 'https://www.lacework.com/kubernetes-security/', 'https://www.slideshare.net/chrisaarongaun5/kubernetes-community-growth-and-use-case-66066001', 'https://www.thoughtspot.com/codex/how-thoughtspot-uses-kubernetes-dev-infrastructure', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://www.couchbase.com/products/cloud/kubernetes', 'https://d2iq.com/blog/the-top-5-challenges-to-getting-started-with-kubernetes', 'https://stackify.com/kubernetes-docker-deployments/', 'https://www.ansible.com/blog/how-useful-is-ansible-in-a-cloud-native-kubernetes-environment', 'https://www.kasten.io/kubernetes/backup-restore', 'https://www.mirantis.com/blog/multi-container-pods-and-container-communication-in-kubernetes/']],
"deployment-challenges": [9, 'kubernetes deployment challenges', ['https://techolution.com/kubernetes-challenges/?sa=X&ved=2ahUKEwjgxfruyvPrAhUDJzQIHdUEArMQ9QF6BAgMEAI', 'https://techolution.com/kubernetes-challenges/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://thenewstack.io/top-challenges-kubernetes-users-face-deployment/', 'https://platform9.com/blog/kubernetes-networking-challenges-at-scale/', 'https://www.sdxcentral.com/articles/news/kubernetes-opportunities-challenges-escalated-in-2019/2019/12/', 'https://logz.io/blog/kubernetes-challenges-at-scale/', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://d2iq.com/blog/the-top-5-challenges-to-getting-started-with-kubernetes', 'https://d2iq.com/blog/the-4-top-service-orchestration-challenges', 'https://containerjournal.com/topics/container-management/running-kubernetes-at-scale-top-2020-challenge/', 'https://www.instana.com/blog/problems-solved-and-problems-created-by-kubernetes/', 'https://www.helpnetsecurity.com/2020/01/21/kubernetes-security-challenges/', 'https://www.portshift.io/blog/challenges-adopting-k8s-production/', 'https://www.itprotoday.com/hybrid-cloud/8-problems-kubernetes-architecture', 'https://cloudacademy.com/course/deploying-cloud-native-app-into-kubernetes/k8s-rolling-update-deployment-challenge/', 'https://www.hyscale.io/blog/kubernetes-in-production-five-challenges-youre-likely-to-face-and-how-to-approach-them/', 'https://kubernetes.io/docs/tasks/debug-application-cluster/debug-application/', 'https://dzone.com/articles/the-challenges-of-adopting-k8s-for-production-and', 'https://medium.com/@srikanth.k/kubernetes-what-is-it-what-problems-does-it-solve-how-does-it-compare-with-its-alternatives-937fe80b754f', 'https://kubernetes.io/docs/setup/best-practices/cluster-large/', 'https://kubernetes.io/', 'https://blogs.vmware.com/load-balancing/2020/08/21/overcoming-application-delivery-challenges-for-kubernetes/', 'https://www.informationsecuritybuzz.com/articles/what-are-the-top-5-kubernetes-security-challenges-and-risks/', 'https://www.deployhub.com/kubernetes-pipeline-challenges/', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://www.druva.com/blog/kubernetes-value-and-challenges-for-developing-cloud-apps/', 'https://www.fairwinds.com/blog/what-problems-does-kubernetes-solve', 'https://www.qwiklabs.com/focuses/10457?parent=catalog', 'https://www.infoworld.com/article/3545797/how-kubernetes-tackles-it-s-scaling-challenges.html', 'https://www.pinterest.com/pin/66639269471638454/', 'https://blog.bosch-si.com/bosch-iot-suite/why-the-iot-needs-kubernetes/', 'https://diginomica.com/kubernetes-evolving-enterprise-friendly-platform-challenges-remain', 'https://www.sitecore.com/knowledge-center/getting-started/should-my-team-adopt-docker', 'https://docs.microsoft.com/en-us/azure/aks/troubleshooting', 'https://www.sumologic.com/blog/troubleshooting-kubernetes/', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://www.dellemc.com/en-us/collaterals/unauth/white-papers/products/converged-infrastructure/dellemc-hci-for-kubernetes.pdf', 'https://www.tigera.io/blog/kubernetes-issues-and-solutions/', 'https://github.com/dennyzhang/challenges-kubernetes', 'https://stackify.com/kubernetes-service/', 'https://developer.ibm.com/components/redhat-openshift-ibm-cloud/blogs/build-smart-on-kubernetes-challenge/', 'https://cloud.netapp.com/blog/gcp-cvo-blg-multicloud-kubernetes-centralizing-multicloud-management', 'https://virtualizationreview.com/articles/2020/05/13/state-of-kubernetes.aspx', 'https://blog.overops.com/how-to-overcome-monitoring-challenges-with-kubernetes/', 'https://blog.rafay.co/all-things-kubernetes-3-instances-when-kubernetes-namespaces-dont-work', 'https://rancher.com/blog/2018/2018-10-18-scaling-kubernetes-in-hybrid-cloud/', 'https://itnext.io/kubernetes-challenges-for-observability-platforms-21af913a9135', 'https://jaxenter.com/kubernetes-practical-implications-171647.html', 'https://www.splunk.com/en_us/blog/it/kubernetes-navigator-real-time-monitoring-and-ai-driven-analytics-for-kubernetes-environments-now-generally-available.html', 'https://docs.openstack.org/developer/performance-docs/issues/scale_testing_issues.html', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://www.getambassador.io/learn/multi-cluster-kubernetes/', 'https://www.metricfire.com/blog/kubernetes-security-secrets-from-the-trenches/', 'https://www.brighttalk.com/webcast/6793/435999/how-to-accelerate-kubernetes-deployment-in-the-enterprise', 'https://www.weave.works/', 'https://www.skytap.com/blog/docker-kubernetes-deployment-grew/', 'https://enterprisersproject.com/article/2020/1/kubernetes-trends-watch-2020', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://www.wwt.com/article/kubernetes-101', 'https://www.redapt.com/blog/a-critical-aspect-of-day-2-kubernetes-operations', 'https://itinfrastructure.report/live-webinar/cncf-webinar-series-%E2%80%93-challenges-in-deploying-kubernetes-on-hyperconverged-infrastructure-hci/2932', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://learnk8s.io/troubleshooting-deployments', 'https://vmblog.com/archive/2019/10/25/using-machine-learning-to-catch-problems-in-a-distributed-kubernetes-deployment.aspx', 'https://platform.sh/guides/Platformsh-Fleet-Ops-Alternative-to-Kubernetes.pdf', 'https://devops.com/running-kubernetes-in-production-make-sure-your-routing-strategy-works/', 'https://www.dynatrace.com/news/blog/mastering-kubernetes-with-dynatrace/', 'https://searchitoperations.techtarget.com/news/252454267/Kubernetes-security-issues-raise-concerns-for-enterprise-shops', 'https://www.jeffgeerling.com/blog/2018/kubernetes-complexity', 'https://diamanti.com/resources/deploying-kubernetes-on-hyperconverged-infrastructure/', 'https://www.cohesity.com/blog/kubernetes-backup-understanding-the-challenges/', 'https://www.thefabricnet.com/how-kubernetes-vulnerability-is-about-the-challenges-of-securing-distributed-microservices-part-2/', 'https://www.cncf.io/blog/2020/07/10/how-kubernetes-empowered-nubank-engineers-to-deploy-200-times-a-week/', 'https://sysdig.com/use-cases/kubernetes-troubleshooting/', 'https://engineering.monday.com/kubernetes_migration/', 'https://www.redhat.com/en/blog/containers-and-kubernetes-can-be-essential-hybrid-cloud-computing-strategy', 'https://www.f5.com/services/resources/white-papers/f5-and-containerization', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://devspace.cloud/blog/2020/01/27/kubernetes-platform-for-developers', 'https://www.businesswire.com/news/home/20190226005172/en/ParallelM-Solves-Real-World-Machine-Learning-Deployment-Challenge-Kubernetes', 'https://kubernetes-on-aws.readthedocs.io/en/latest/admin-guide/kubernetes-in-production.html', 'https://www.synopsys.com/blogs/software-security/container-adoption-numbers/', 'https://www.kentik.com/blog/the-visibility-challenge-for-network-overlays/', 'https://www.confluent.io/blog/apache-kafka-kubernetes-could-you-should-you/', 'https://blogs.gartner.com/tony-iams/prepare-to-deploy-and-operate-multiple-kubernetes-clusters-at-scale/', 'https://kubevirtual.com/', 'https://phoenixnap.com/blog/kubernetes-monitoring-best-practices', 'https://www.infoq.com/articles/kubernetes-multicluster-comms/', 'https://blog.kloud.com.au/2020/02/29/my-experience-at-microsoft-containers-openhack-featuring-kubernetes-challenges/', 'https://ubuntu.com/engage/kubernetes-deployment-enterprise-whitepaper', 'https://wiki.aquasec.com/display/containers/Kubernetes+Deployment+101', 'https://nordcloud.com/kubernetes-the-simple-way/', 'https://securityboulevard.com/2020/03/security-concerns-remain-with-containers-and-kubernetes-per-new-report/', 'https://aws.amazon.com/blogs/apn/monitoring-kubernetes-environments-with-aws-and-new-relics-cluster-explorer/', 'https://developer-docs.citrix.com/projects/citrix-k8s-ingress-controller/en/latest/certificate-management/acme/', 'https://about.att.com/innovationblog/2020/05/airship_community.html']],
"security-chellenges": [10, 'kubernetes security challenges', ['https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://techbeacon.com/enterprise-it/4-kubernetes-security-challenges-how-address-them', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://www.informationsecuritybuzz.com/articles/what-are-the-top-5-kubernetes-security-challenges-and-risks/', 'https://www.helpnetsecurity.com/2020/01/21/kubernetes-security-challenges/', 'https://kubernetes.io/docs/reference/issues-security/security/', 'https://neuvector.com/container-security/kubernetes-security-guide/', 'https://www.brighttalk.com/webcast/18009/413396/kubernetes-security-7-things-you-should-consider', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://securityboulevard.com/2020/03/security-concerns-remain-with-containers-and-kubernetes-per-new-report/', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://logz.io/blog/kubernetes-security/', 'https://stackify.com/kubernetes-security-best-practices-you-must-know/', 'https://platform9.com/blog/kubernetes-security-what-and-what-not-to-expect/', 'https://snyk.io/learn/kubernetes-security/', 'https://securityboulevard.com/2020/05/security-in-kubernetes-environment/', 'https://www.portshift.io/blog/what-kubernetes-does-for-security/', 'https://www.trendmicro.com/vinfo/us/security/news/virtualization-and-cloud/guidance-on-kubernetes-threat-modeling', 'https://vexxhost.com/blog/address-these-4-kubernetes-security-challenges-now/', 'https://query.prod.cms.rt.microsoft.com/cms/api/am/binary/RE36AY2', 'https://subscription.packtpub.com/book/application_development/9781788999786/5/ch05lvl1sec42/understanding-kubernetes-security-challenges', 'https://medium.com/@jain.sm/security-challenges-with-kubernetes-818fad4a89f2', 'https://containerjournal.com/topics/container-ecosystems/threatstack-report-highlights-common-kubernetes-security-issues/', 'https://www.threatstack.com/blog/3-things-to-know-about-kubernetes-security', 'https://wiki.aquasec.com/display/containers/Kubernetes+Security+Best+Practices', 'https://strategicfocus.com/2020/07/16/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://enterprisersproject.com/article/2019/1/kubernetes-security-4-areas-focus', 'https://www.checkpoint.com/downloads/products/checkpoint-cloud-native-security.pdf', 'https://www.metricfire.com/blog/kubernetes-security-secrets-from-the-trenches/', 'https://www.newsbreak.com/news/0Ovu6Me9/4-kubernetes-security-challenges-and-how-to-address-them', 'https://dzone.com/articles/container-and-kubernetes-security-a-2020-update', 'https://www.sumologic.com/kubernetes/security/', 'https://www.cio.com/article/3411994/kubernetes-security-best-practices-for-enterprise-deployment.html', 'https://github.com/kubernetes/community/tree/master/wg-iot-edge/whitepapers/edge-security-challenges', 'https://searchitoperations.techtarget.com/news/252454267/Kubernetes-security-issues-raise-concerns-for-enterprise-shops', 'https://www.securitymagazine.com/articles/91755-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation', 'https://cilium.io/blog/2020/07/27/2020-07-27-multitenancy-network-security/', 'https://rancher.com/tags/security', 'https://www.techrepublic.com/resource-library/downloads/kubernetes-security-guide-free-pdf/', 'https://www.vmware.com/topics/glossary/content/kubernetes-security', 'https://www.sdxcentral.com/articles/news/latest-kubernetes-security-flaw-linked-to-incomplete-patch-of-past-flaw/2019/06/', 'https://www.bankinfosecurity.com/next-cloud-security-challenge-containers-kubernetes-a-13762', 'https://kubernetes.cn/docs/tasks/administer-cluster/securing-a-cluster/', 'https://www.cpomagazine.com/cyber-security/dont-want-security-issues-then-dont-misuse-your-images-and-image-registries/', 'https://www.prnewswire.com/news-releases/stackrox-report-reveals-that-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation-301007207.html', 'https://www.cloudmanagementinsider.com/5-security-challenges-for-containers-and-their-remedies/', 'https://www.lacework.com/enhancing-native-kubernetes-security/', 'https://www.alcide.io/kubernetes-security', 'https://www.fireeye.com/products/cloud-security.html', 'https://blog.container-solutions.com/security-challenges-in-microservice-implementations', 'https://www.altostack.io/company/blog/kubernetes-best-practices-security/', 'https://www.oreilly.com/library/view/kubernetes-security/9781492039075/', 'https://www.peerlyst.com/posts/using-cloud-native-technologies-to-solve-application-security-challenges-in-kubernetes-deployments-cequence-security', 'https://sysdig.com/wp-content/uploads/2019/01/kubernetes-security-guide.pdf', 'https://konghq.com/blog/10-ways-microservices-create-new-security-challenges/', 'https://www.darkreading.com/cloud/why-devsecops-is-critical-for-containers-and-kubernetes/a/d-id/1337735', 'https://www.cequence.ai/blog/application-security-in-kubernetes-why-we-joined-cncf/', 'https://www.businesswire.com/news/home/20200727005219/en/Sysdig-Cuts-Container-and-Kubernetes-Visibility-and-Security-Onboarding-to-5-Minutes', 'https://www.qualys.com/apps/container-security/', 'https://www.slideshare.net/karthequian/kubernetes-security-119557185', 'https://insights.thirdrepublic.com/kubernetes-security-the-four-key-areas-to-focus-on/', 'https://resources.whitesourcesoftware.com/blog-whitesource/top-container-security-tools-you-should-know', 'https://www.heliossolutions.co/blog/kubernetes-security-defined-explained-and-explored/', 'https://www.redhat.com/cms/managed-files/cl-container-security-openshift-cloud-devops-tech-detail-f7530kc-201705-en.pdf', 'https://webinars.devops.com/kubernetes-security-best-practices-for-devops', 'https://thenewstack.io/implementing-effective-container-security-strategies/', 'https://www.devopsdigest.com/the-kubernetes-security-paradox', 'https://www.aisec.fraunhofer.de/content/dam/aisec/Dokumente/Publikationen/Studien_TechReports/englisch/caas_threat_analysis_wp.pdf', 'https://www.cleardata.com/articles/kubernetes-in-healthcare/', 'https://www.twistlock.com/wp-content/uploads/2019/05/kubecon-talk.pdf', 'https://www.cloudexpoeurope.com/__media/theatre-15/Day-2-T15-1145-Lorenzo-Galleli_K8s-Security-BP_Cloud_Expo.pdf', 'https://www.paladion.net/blogs/kubernetes-introduction-and-security-aspects', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://www.meetup.com/Bay-Area-OWASP/events/272516000/', 'https://www.globaldots.com/webinar/kubernetes-security-by-design', 'https://www.cncf.io/wp-content/uploads/2019/08/CNCF-Cequence-Webinar-Slides-1.pdf', 'https://portswigger.net/daily-swig/cloud-security-microsoft-launches-att-amp-ck-inspired-matrix-for-kubernetes', 'https://www.ethicalhat.com/kubernetes-security-audit/', 'https://www.datacenterknowledge.com/cloud/cloud-configurations-continue-pose-data-center-security-challenges', 'https://blogs.juniper.net/en-us/enterprise-cloud-and-transformation/solving-kubernetes-networking-and-security-challenges-at-scale-with-contrail', 'https://www.urolime.com/blogs/kubernetes-security-challenges-top-tools-available/', 'https://www.youtube.com/watch?v=cRbHILH4f0A', 'https://www.infoq.com/articles/Kubernetes-security/', 'https://www.altoros.com/blog/ensuring-security-across-kubernetes-deployments/', 'https://engineering.bitnami.com/articles/running-helm-in-production.html', 'https://www.tripwire.com/state-of-security/devops/kubernetes-usage-skyrocketing-security-concerns-remain/', 'https://www.forbes.com/sites/forbestechcouncil/2019/11/20/the-kubernetes-ship-has-set-sail-is-your-security-team-on-board/', 'https://www.fairwinds.com/blog/kubernetes-best-practices-for-security', 'https://www.fortinet.com/content/dam/fortinet/assets/alliances/sb-xtending-enterprise-security-into-kubernetes-environments.pdf', 'http://techgenix.com/container-security/', 'https://www.esecurityplanet.com/applications/tips-for-container-and-kubernetes-security.html', 'https://www.esecurityplanet.com/products/top-container-and-kubernetes-security-vendors.html', 'http://photoarian.com/8yd4g1v/kubernetes-security-pdf.html', 'https://techcloudlink.com/network-security/operating-kubernetes-clusters-and-applications-safely/', 'https://www.weave.works/', 'https://www.csoonline.com/article/3268922/why-securing-containers-and-microservices-is-a-challenge.html', 'https://blog.styra.com/blog/why-rbac-is-not-enough-for-kubernetes-api-security', 'https://techcrunch.com/2020/09/10/stackrox-nabs-26-5m-for-a-platform-that-secures-containers-in-kubernetes/', 'https://frinkzintl.com/tmf9x/kubernetes-security-issues.html', 'https://www.thefabricnet.com/how-kubernetes-vulnerability-is-about-the-challenges-of-securing-distributed-microservices-part-2/']],
"adoption-challenges": [11, 'kubernetes adoption challenges', ['https://www.openshift.com/blog/kubernetes-adoption-challenges-solved?sa=X&ved=2ahUKEwjkv-PzyvPrAhXLIDQIHW9MBy4Q9QF6BAgLEAI', 'https://www.openshift.com/blog/kubernetes-adoption-challenges-solved', 'https://www.portshift.io/blog/challenges-adopting-k8s-production/', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://thenewstack.io/top-challenges-kubernetes-users-face-deployment/', 'https://medium.com/swlh/hurdles-and-challenges-hindering-mass-kubernetes-adoption-9a7134f581a1', 'https://containerjournal.com/topics/container-management/running-kubernetes-at-scale-top-2020-challenge/', 'https://www.sdxcentral.com/articles/news/kubernetes-opportunities-challenges-escalated-in-2019/2019/12/', 'https://techbeacon.com/enterprise-it/top-5-container-adoption-management-challenges-it-ops', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://diginomica.com/kubernetes-evolving-enterprise-friendly-platform-challenges-remain', 'https://dzone.com/articles/the-challenges-of-adopting-k8s-for-production-and', 'https://platform9.com/blog/kubernetes-networking-challenges-at-scale/', 'https://techolution.com/kubernetes-challenges/', 'https://d2iq.com/blog/the-top-5-challenges-to-getting-started-with-kubernetes', 'https://www.informationsecuritybuzz.com/articles/what-are-the-top-5-kubernetes-security-challenges-and-risks/', 'https://diamanti.com/wp-content/uploads/2019/06/Diamanti_2019_Container_Survey.pdf', 'https://www.sitecore.com/knowledge-center/getting-started/should-my-team-adopt-docker', 'https://rancher.com/blog/2019/container-industry-survey-results', 'https://devops.com/kubernetes-adoption-are-you-game-for-it/', 'https://www.replex.io/blog/the-state-of-cloud-native-challenges-culture-and-technology', 'https://www.brighttalk.com/webcast/6793/435999/how-to-accelerate-kubernetes-deployment-in-the-enterprise', 'https://virtualizationreview.com/articles/2020/05/13/state-of-kubernetes.aspx', 'https://blogs.vmware.com/load-balancing/2020/08/21/overcoming-application-delivery-challenges-for-kubernetes/', 'https://kublr.com/industry-info/docker-and-kubernetes-survey/', 'https://jaxenter.com/kubernetes-practical-implications-171647.html', 'https://blog.checkpoint.com/2020/06/08/container-adoption-trends/', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://venturebeat.com/2020/04/28/red-hat-shift-to-kubernetes-and-microservices-is-happening-faster-than-expected/', 'https://www.hyscale.io/blog/kubernetes-in-production-five-challenges-youre-likely-to-face-and-how-to-approach-them/', 'https://www.fairwinds.com/the-guide-to-kubernetes-adoption?hsLang=en', 'https://ubuntu.com/engage/kubernetes-deployment-enterprise-whitepaper', 'https://cloudacademy.com/blog/kubernetes-the-current-and-future-state-of-k8s-in-the-enterprise/', 'https://wiki.aquasec.com/display/containers/Container+Challenges', 'https://www.linkedin.com/pulse/challenges-running-stateful-workloads-kubernetes-mark-pannekoek', 'https://loft.sh/blog/why-adopting-kubernetes-is-not-the-solution/', 'https://www.cncf.io/wp-content/uploads/2020/08/CNCF_Survey_Report.pdf', 'https://www.splunk.com/en_us/blog/it/kubernetes-navigator-real-time-monitoring-and-ai-driven-analytics-for-kubernetes-environments-now-generally-available.html', 'https://www.infoq.com/news/2020/03/cncf-kubernetes-cloud-native/', 'https://www.dellemc.com/en-us/collaterals/unauth/white-papers/products/converged-infrastructure/dellemc-hci-for-kubernetes.pdf', 'https://www.hpe.com/us/en/insights/articles/building-a-container-strategy13-potholes-to-avoid-2004.html', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://sponsorcontent.cnn.com/interactive/vmware/kubernetes/', 'https://www.fingent.com/blog/5-reasons-to-adopt-kubernetes-into-your-business-it/', 'https://www.ibm.com/downloads/cas/BBKLLK1L', 'https://www.nutanix.com/content/dam/nutanix-cxo/pdf/Why-is-DevOps-so-Hard.pdf', 'https://kubernetes.io/case-studies/huawei/', 'http://info.signalfx.com/Observability-Strategy-for-Kubernetes-and-ServiceMesh?utm_campaign=K8s-ServiceMesh-Webinar&utm_medium=SignalFx&utm_source=SignalFxl', 'https://portworx.com/wp-content/uploads/2019/05/2019-container-adoption-survey.pdf', 'https://www.itopstimes.com/contain/how-the-lack-of-kubernetes-experts-is-hindering-kubernetes-adoption/', 'https://get.alcide.io/2019-report-the-state-of-kubernetes-adoption-and-security', 'https://www.projectcalico.org/event/addressing-the-challenges-of-the-five-stage-kubernetes-journey/', 'https://www.redapt.com/blog/a-critical-aspect-of-day-2-kubernetes-operations', 'https://www.businesswire.com/news/home/20200721005086/en/Fujitsu-Rancher-Labs-Join-Forces-Drive-Kubernetes', 'https://www.techrepublic.com/article/kubecon-highlights-huge-growth-in-the-adoption-of-kubernetes/', 'https://www.zdnet.com/article/corporate-culture-complicates-kubernetes-and-container-collaboration/', 'https://www.synopsys.com/blogs/software-security/container-adoption-numbers/', 'https://www.netapp.com/us/kubernetes-storage.aspx', 'https://www.weave.works/', 'https://nirmata.com/2019/01/24/new-survey-yields-kubernetes-as-mainstream/', 'https://securityboulevard.com/2020/03/6-container-adoption-trends-of-2020/', 'https://www.sumologic.com/blog/troubleshooting-kubernetes/', 'https://hackernoon.com/challenges-in-container-adoption-72540b0be7ad', 'https://appdevelopermagazine.com/kubernetes-advantages-and-challenges/', 'https://www.f5.com/company/blog/Kubernetes-is-winning-the-multi-cloud-war', 'https://devspace.cloud/blog/2019/10/31/advantages-and-disadvantages-of-kubernetes', 'https://blog.christianposta.com/challenges-of-adopting-service-mesh-in-enterprise-organizations/', 'https://www.microsoft.com/security/blog/2020/04/02/attack-matrix-kubernetes/', 'https://www.metricfire.com/blog/aws-ecs-vs-kubernetes/', 'https://www.redhat.com/en/blog/containers-and-kubernetes-can-be-essential-hybrid-cloud-computing-strategy', 'https://www.infoworld.com/article/3455244/kubernetes-meets-the-real-world-3-success-stories.html', 'https://www.getambassador.io/resources/challenges-api-gateway-kubernetes/', 'https://cloudcomputing-news.net/news/2020/jul/23/is-kubernetes-the-key-to-unlocking-the-benefits-of-containerisation/', 'https://wikibon.com/google-hybrid-cloud-challenges/', 'https://info.roundtower.com/hubfs/app/pdf/roundtower-rancher-how_to_build_an_enterprise_kubernetes_strategy.pdf', 'https://www.vamsitalkstech.com/?p=8014', 'https://www.crn.com/news/cloud/vmware-unleashes-its-kubernetes-strategy', 'https://techhq.com/2020/07/how-kubernetes-adds-agility-in-challenging-times/', 'https://searchitoperations.techtarget.com/tip/An-overview-of-Knative-use-cases-benefits-and-challenges', 'https://www.forbes.com/sites/janakirammsv/2020/03/04/15-most-interesting-cloud-native-trends-from-the-cncf-survey/', 'https://www.magalix.com/blog/why-teams-adopting-kubernetes-fight-over-capacity-management', 'https://blog.paloaltonetworks.com/2020/07/network-cn-series-firewalls/', 'https://www.wwt.com/article/kubernetes-101', 'https://www.prweb.com/releases/new_nirmata_study_more_than_half_of_kubernetes_users_cite_lack_of_expertise_prevents_wider_adoption_across_the_organization/prweb16055189.htm', 'https://blog.styra.com/blog/why-rbac-is-not-enough-for-kubernetes-api-security', 'https://www.idc.com/getdoc.jsp?containerId=US45213619', 'https://victorops.com/blog/kubernetes-vs-docker-swarm', 'https://www.appdynamics.com/blog/product/kubernetes-monitoring-with-appdynamics/', 'https://www.flexera.com/about-us/press-center/rightscale-2019-state-of-the-cloud-report-from-flexera-identifies-cloud-adoption-trends.html', 'https://blog.newrelic.com/engineering/what-is-kubernetes/', 'https://www.telesemana.com/wp-content/uploads/2019/08/OpenShift-Telefonica-Chile-Peru-Columbia.pdf', 'https://instruqt.com/', 'https://www.threatstack.com/blog/16-kubernetes-experts-share-the-most-interesting-current-trends-to-look-for-in-kubernetes', 'https://www.pinterest.com/baldwin8209/kubernetes-market-analysis/', 'https://www.openlogic.com/blog/why-move-kubernetes-orchestration', 'https://www.idgconnect.com/document/1b4b8285-bd80-48cc-86ea-2a7083ce9776/the-state-of-kubernetes-adoption-and-security-%E2%80%93-2019-report', 'https://enterprisersproject.com/article/2019/8/multi-cloud-statistics', 'https://www.instana.com/blog/tame-the-complexity-of-kubernetes-with-instana-and-rancher/', 'https://www.helpnetsecurity.com/2020/01/26/week-in-review-kubernetes-security-challenges-nist-privacy-framework-mitsubishi-electric-breach/', 'https://www.globaldots.com/blog/why-you-should-adopt-kubernetes']],
"lesson-learned": [12, 'kubernetes lesson learned', ['https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://medium.com/@alexho140/kubernetes-best-practices-lessons-learned-e7437c158bb2', 'https://www.leverege.com/iot-ebook/lessons-learned', 'https://noti.st/jbaruch/Ok0wZ6', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/docs/tutorials/', 'https://www.socallinuxexpo.org/sites/default/files/presentations/Scale%2015x.pdf', 'https://scaffold.digital/kubernetes-lessons-learned/', 'https://github.com/cuongnv23/awesome-k8s-lessons-learned', 'https://acotten.com/post/1year-kubernetes', 'https://opensource.com/article/20/6/kubernetes-garbage-collection', 'https://about.gitlab.com/blog/2020/09/16/year-of-kubernetes/', 'https://www.youtube.com/watch?v=zOKVzRX8Fk4', 'https://www.youtube.com/watch?v=jzdhUGdYay0', 'https://learnk8s.io/blog/kubernetes-chaos-engineering-lessons-learned', 'https://hackernoon.com/lessons-learned-from-moving-my-side-project-to-kubernetes-c28161a16c69', 'https://www.weave.works/blog/kubernetes-best-practices', 'https://blog.pythian.com/lessons-learned-kubernetes/', 'https://www.udacity.com/course/scalable-microservices-with-kubernetes--ud615', 'https://www.slideshare.net/AgileSparks/kubernetes-is-hard-lessons-learned-taking-our-apps-to-kubernetes-by-eldad-assis', 'https://databricks.com/session/hdfs-on-kubernetes-lessons-learned', 'https://www.brighttalk.com/webcast/8251/279115/hdfs-on-kubernetes-lessons-learned', 'https://coderanger.net/lessons-learned/', 'https://blog.bosch-si.com/bosch-iot-suite/lessons-learned-using-kubernetes-in-iot-deployments/', 'https://www.manning.com/books/learn-kubernetes-in-a-month-of-lunches', 'https://grafana.com/blog/2019/05/08/kubernetes-co-creator-brendan-burns-lessons-learned-monitoring-cloud-native-systems/', 'https://kube.academy/courses/kubernetes-in-depth', 'https://kccnceu20.sched.com/event/ZeoG/lesson-learned-on-running-hadoop-on-kubernetes-chen-qiang-linkedin', 'https://www.information-age.com/five-devops-lessons-kubernetes-scale-secure-access-control-123491216/', 'https://www.udemy.com/course/kubernetesmastery/', 'https://www.pulumi.com/blog/crosswalk-kubernetes/', 'https://devopspoints.com/kubernetes-lessons-learned-from-production.html', 'https://hazelcast.org/resources/tech-talk-advanced-kubernetes-lesson-learned-from-building-a-managed-service/', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_cluster_tutorial', 'https://conferences.oreilly.com/velocity/vl-eu/public/schedule/detail/78924.html', 'https://www.katacoda.com/courses/kubernetes', 'https://training.hazelcast.com/tech-talk-advanced-kubernetes-lesson-learned-from-building-a-managed-service', 'https://platform9.com/resource/five-lessons-learned-from-large-scale-implementation-of-kubernetes-in-the-enterprise/', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://dl.acm.org/citation.cfm?id=2898444', 'https://www.itopstimes.com/contain/what-we-learned-7-field-tested-best-practices-for-kubernetes/', 'https://logz.io/blog/resources-learn-kubernetes/', 'https://dev.to/marcosx/lessons-learned-from-one-year-with-kubernetes-and-istio-2p79', 'https://www.pearsonitcertification.com/store/hands-on-kubernetes-livelessons-video-training-9780136702863', 'https://ieeexplore.ieee.org/document/8457916', 'https://thenewstack.io/7-key-considerations-for-kubernetes-in-production/', 'https://www.instana.com/blog/lessons-learned-from-dockerizing-our-application/', 'https://azure.microsoft.com/en-us/resources/kubernetes-learning-and-training/', 'https://petabridge.com/cluster/lesson5.html', 'https://seleniumcamp.com/talk/selenium-in-kubernetes-lessons-learned/', 'https://engineering.hellofresh.com/lessons-learned-from-running-eks-in-production-a6dddb8368b8', 'https://www.digitalocean.com/resources/kubernetes/', 'https://www.educative.io/courses/practical-guide-to-kubernetes', 'https://www.meetup.com/fr-FR/devdialogue/events/261305734/', 'https://app.livestorm.co/forefront-events/kubernetes-in-production-lessons-learned', 'https://www.spectrumscaleug.org/wp-content/uploads/2020/03/SSSD20DE-Spectrum-Scale-use-cases-and-field-lessons-learned-with-Kubernetes-and-OpenShift.pdf', 'https://www.newsbreak.com/news/1584691327323/hard-lessons-learned-about-kubernetes-garbage-collection', 'https://containerjournal.com/topics/container-ecosystems/real-world-lessons-from-devops-dockerizing-applications/', 'https://www.reddit.com/r/kubernetes/comments/hih5cl/whats_your_one_important_lesson_learned_by_using/', 'https://rancher.com/tutorials/', 'https://www.openstack.org/videos/summits/denver-2019/kubernetes-7-lessons-learned-from-7-data-centers-in-7-months', 'https://dave.cheney.net/paste/lessons-learnt-building-kubernetes-controllers-brisbane.pdf', 'https://auth0.com/blog/kubernetes-tutorial-step-by-step-introduction-to-basic-concepts/', 'https://webinars.devops.com/five-lessons-learned-from-large-scale-implementation-of-kubernetes-in-the-enterprise', 'https://cloudacademy.com/course/introduction-to-kubernetes/introduction/', 'https://www.computing.co.uk/analysis/3074966/kubernetes-lessons-learned-from-deploying-it-at-adobe-advertising-cloud', 'https://leap.jfrog.com/WN-2018-12-LessonsLearnedOnImplementingKubernetesandJFrog-US_RegistrationPage-2speakers.html', 'https://blog.container-solutions.com/riding-the-tiger-lessons-learned-implementing-istio', 'https://confs.space/conf/barcelona-kubecon-cloudnativecon/lessons-learned-migrating-kubernetes-from-docker-to-containerd-runtime/', 'https://portal.pixelfederation.com/it/blog/article/lessons-learned-from%20deploying-kubernetes-at-pixel-federation', 'https://www.semanticscholar.org/paper/Deploying-Microservice-Based-Applications-with-and-Vayghan-Saied/18a720c86ed6e166c26f7d39490bfd11b93ea3ec', 'https://www.researchgate.net/publication/327814344_Deploying_Microservice_Based_Applications_with_Kubernetes_Experiments_and_Lessons_Learned', 'https://www.airshipit.org/blog/airship2-is-alpha/', 'https://www.linkedin.com/pulse/one-year-using-kubernetes-production-lessons-learned-sanjeeb-sarangi?articleId=6693552001202180097', 'https://sysdig.com/blog/troubleshoot-kubernetes-oom/', 'https://www.pinterest.com/pin/115686284166223635/', 'https://itnext.io/kubernetes-is-hard-190f1d0c6d36', 'https://acloud.guru/learn/2e0bad96-a602-4c91-9da2-e757d32abb8f?utm_source=legacyla&utm_medium=redirect&utm_campaign=one_platform', 'https://enterprisersproject.com/article/2019/11/kubernetes-3-ways-get-started', 'https://kubernetes-on-aws.readthedocs.io/en/latest/postmortems/jan-2019-dns-outage.html', 'https://retgits.com/2018/12/lessons-learned-on-implementing-kubernetes-and-jfrog/', 'https://www.sisense.com/blog/9-lessons-learned-migrating-from-heroku-to-kubernetes-with-zero-downtime/', 'https://freecontent.manning.com/learn-kubernetes-from-the-ground-up/', 'https://www.techrepublic.com/article/4-critical-lessons-devops-admins-can-learn-from-netflixs-container-journey/', 'http://londonjavacommunity.co.uk/spring-cloud-docker-kubernetes-lessons-learned-in-the-context-of-an-oss-project/', 'https://www.openshift.com/blog/kubernetes-1.18-strengthens-networking-and-storage-while-getting-ready-for-the-next-big-adventure', 'https://www.docker.com/blog/mydockerbday-discounts-on-docker-captain-content/', 'https://www.ciscopress.com/store/kubernetes-in-the-data-center-livelessons-9780135646496', 'https://openai.com/blog/scaling-kubernetes-to-2500-nodes/', 'https://www.sandervanvugt.com/course/getting-started-with-kubernetes-video-training-course/', 'https://www.msb.com/', 'https://www.usenix.org/biblio-3185', 'https://slideslive.com/38911596/lessons-learned-building-scalable-elastic-akka-clusters-on-google-managed-kubernetes', 'https://www.cockroachlabs.com/kubernetes-bootcamp/', 'https://www.eventbrite.com/e/20000-upgrades-later-lessons-from-a-year-of-managed-kubernetes-upgrades-registration-116135700005', 'https://insights.dice.com/2018/11/07/expert-tips-resources-learning-kubernetes/', 'https://2020.jnation.pt/talks/lessons-learned-implementing-microservices-in-kubernetes/', 'https://k8s.af/', 'https://about.sourcegraph.com/go/valuable-lessons-in-over-engineering-the-core-of-kubernetes-kops/', 'https://devopsdays.org/events/2019-vancouver/program/shane-gearon/']],
"tradeoff": [13, 'kubernetes tradeoff', ['https://www.weave.works/blog/aws-and-kubernetes-networking-options-and-trade-offs-part-3', 'https://kubernetes.io/docs/concepts/workloads/controllers/job/', 'https://kubernetes.io/blog/2017/08/kubernetes-meets-high-performance/', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://softwareengineeringdaily.com/2018/01/13/the-gravity-of-kubernetes/', 'https://github.blog/2017-08-16-kubernetes-at-github/', 'http://blog.kubecost.com/blog/requests-and-limits/', 'https://dzone.com/articles/aws-and-kubernetes-networking-options-and-trade-of', 'https://www.getambassador.io/resources/building-kubernetes-based-platform/', 'https://www.cisco.com/c/dam/en/us/solutions/data-center/managing-kubernetes-performance-scale.pdf', 'https://stackoverflow.com/questions/32093067/microservices-styles-and-tradeoffs-akka-cluster-vs-kubernetes-vs', 'https://thenewstack.io/guide-for-2019-what-to-consider-about-vms-and-kubernetes/', 'https://blog.quasardb.net/quasardb-on-kubernetes', 'https://www.cockroachlabs.com/blog/kubernetes-databases/', 'https://www.bluematador.com/blog/kubernetes-on-aws-eks-vs-kops', 'https://ocelot.readthedocs.io/en/latest/features/kubernetes.html', 'https://docs.newrelic.com/docs/integrations/kubernetes-integration/installation/kubernetes-integration-install-configure', 'https://www.accenture.com/_acnmedia/PDF-104/Accenture-Great-Migration-Shifting-appliance-to-cloud-native-architecture.pdf', 'https://www.reddit.com/r/kubernetes/comments/adzqyo/what_are_the_tradeoffs_to_using_one_vs_multiple/', 'https://www.jaegertracing.io/docs/1.19/operator/', 'https://qconlondon.com/london2020/presentation/kubernetes-not-your-platform-foundation', 'https://owasp.org/www-chapter-singapore/assets/presos/Microservices%20Security%2C%20Container%20Runtime%20Security%2C%20MITRE%20ATT%26CK%C2%AE%20%20for%20Kubernetes%20(K8S)%20and%20Service%20Mesh%20for%20Security.pdf', 'https://snyk.io/blog/secure-your-kubernetes-applications-with-snyk-container/', 'https://www.postgresql.org/about/news/2004/', 'https://subscription.packtpub.com/book/cloud_and_networking/9781839211256/3/ch03lvl1sec23/large-cluster-performance-cost-and-design-trade-offs', 'https://www.confluent.io/blog/apache-kafka-kubernetes-could-you-should-you/', 'https://www.gartner.com/smarterwithgartner/6-best-practices-for-creating-a-container-platform-strategy/', 'https://moorinsightsstrategy.com/cisco-introduces-first-hybrid-kubernetes-platform-support-for-amazon-eks/', 'https://opensource.com/article/19/12/zen-python-trade-offs', 'https://tanzu.vmware.com/content/slides/design-tradeoffs-in-distributed-systems-how-southwest-airlines-uses-geode', 'https://itnext.io/load-balancing-strategies-in-kubernetes-6213a5becd66', 'https://www.enterpriseai.news/2020/01/08/kubernetes-gets-a-runtime-security-tool/', 'https://www.splunk.com/en_us/blog/it/strategies-for-monitoring-docker-and-kubernetes.html', 'https://docs.logdna.com/docs/logdna-agent-kubernetes', 'https://enterprisersproject.com/article/2020/5/kubernetes-migrations-5-mistakes', 'https://www.openshift.com/learn/topics/databases', 'https://linkerd.io/2020/02/25/multicluster-kubernetes-with-service-mirroring/', 'https://twitter.com/kubernetesio/status/1136688181439451137', 'http://ask.portworx.com/what-to-look-for-with-scalable-data-storage-for-kubernetes-on-demand/', 'https://gigaom.com/webinar/what-to-look-for-with-scalable-data-storage-for-kubernetes/', 'https://devopsdays.org/events/2020-madrid/program/manuel-pais', 'https://blog.turbonomic.com/kubernetes-resource-management-best-practices', 'https://www.freecodecamp.org/news/docker-swarm-vs-kubernetes-how-to-setup-both-in-two-virtual-machines-f8897fce7967/', 'https://kubernetescommunitydays.org/organizing-faq/', 'https://docs.microsoft.com/en-us/azure/architecture/reference-architectures/containers/aks/secure-baseline-aks', 'https://rancher.com/configuring-kubernetes-maximum-scalability', 'https://www.solo.io/blog/guidance-for-building-a-control-plane-for-envoy-part-5-deployment-tradeoffs/', 'https://github.com/kubernetes/kubernetes/issues/78140', 'https://containerjournal.com/features/docker-not-faster-vms-just-efficient/', 'https://medium.com/palantir/spark-scheduling-in-kubernetes-4976333235f3', 'https://devopscon.io/blog/kubernetes-is-not-an-afterthought/', 'https://www.brighttalk.com/webcast/17111/337388/enterprise-wide-kubernetes-episode-2-security', 'https://www.pulumi.com/docs/intro/concepts/organizing-stacks-projects/', 'https://www.capitalone.com/tech/software-engineering/conquering-statefulness-on-kubernetes/', 'https://www.pachyderm.com/blog/kubernetes-as-a-service/', 'https://kccnceu20.sched.com/event/Zeot/banking-on-kubernetes-the-hard-way-in-production-miles-bryant-suhail-patel-monzo-bank', 'https://platform9.com/blog/top-considerations-for-migrating-kubernetes-across-platforms/', 'https://kubernetes.cn/docs/reference/setup-tools/kubeadm/kubeadm-join/', 'https://searchitoperations.techtarget.com/tip/Istio-service-mesh-tech-boosts-Kubernetes-work-with-trade-offs', 'https://builtin.com/software-engineering-perspectives/deploy-manage-containers-kubernetes', 'https://www.spectrocloud.com/blog/kubernetes-multi-tenant-vs-single-tenant-clusters/', 'https://www.coalfire.com/the-coalfire-blog/december-2018/kubernetes-vulnerability-what-you-can-should-do', 'https://aspenmesh.io/category/kubernetes/', 'https://www.cloudjourney.io/articles/publiccloud/cost-matters-the-serverless-edition-ls/', 'https://linuxhint.com/stateful-vs-stateless-kubernetes/', 'https://www.jetstack.io/talks/bates-christian-puppet/', 'https://www.cncf.io/blog/2019/12/12/demystifying-kubernetes-as-a-service-how-does-alibaba-cloud-manage-10000s-of-kubernetes-clusters/', 'https://www.lastweekinaws.com/podcast/screaming-in-the-cloud/episode-25-kubernetes-is-named-after-the-greek-god-of-spending-money-on-cloud-services/', 'https://cloudowski.com/articles/4-ways-to-manage-kubernetes-resources/', 'https://www.digitalocean.com/community/tutorials/modernizing-applications-for-kubernetes', 'https://solute.us/wp-content/uploads/2019/11/SOLUTE-Choosing-a-Container-Based-PaaS.pdf', 'https://logz.io/blog/serverless-vs-containers/', 'https://blogs.mulesoft.com/dev/resources-dev/k8s-kubernetes/', 'https://www.int.com/blog/what-is-kubernetes/', 'https://www.ateam-oracle.com/aqua-oke', 'https://www.manning.com/livevideo/kubernetes-microservices', 'https://www.infoq.com/articles/kubernetes-multicluster-comms/', 'https://helm.sh/docs/topics/advanced/', 'https://events19.linuxfoundation.org/wp-content/uploads/2017/11/Patterns-and-Pains-of-Migrating-Legacy-Applications-to-Kubernetes-Josef-Adersberger-Michael-Frank-QAware-Robert-Bichler-Allianz-Germany.pdf', 'https://www.softwaredaily.com/post/5e145b64844b2a000c59b1d5/Amazon-Kubernetes-with-Abby-Fuller', 'https://www.infoworld.com/article/3387982/how-to-run-stateful-applications-on-kubernetes.html', 'https://www.datastax.com/blog/2012/01/your-ideal-performance-consistency-tradeoff-0', 'https://devtron.ai/', 'https://www.edgexfoundry.org/author/edgexfoundry/page/3/', 'https://www.getrevue.co/profile/devops-week-news/archive/141382', 'https://help.replicated.com/community/t/kubernetes-optional-embedded-database/318', 'https://www.linkedin.com/jobs/view/cloud-devops-engineer-kubernetes-docker-at-cloudix-1726072175', 'https://wideops.com/get-the-most-out-of-google-kubernetes-engine-with-priority-and-preemption/', 'https://developers.redhat.com/devnation/tech-talks/kubelet-no-masters', 'https://qconnewyork.com/ny2018/presentation/cri-runtimes-deep-dive-whos-running-my-kubernetes-pod', 'https://discourse.drone.io/t/strategy-for-pod-cpu-settings-on-kubernetes-runner/7813', 'https://www.ibm.com/blogs/cloud-archive/2017/04/deprecation-tradeoff-analytics/', 'https://content.pivotal.io/intersect/the-cios-guide-to-kubernetes?_lrsc=8cc3610b-bd30-4319-9210-8558e099fd9d', 'https://blog.scottlowe.org/2019/10/29/programmatically-creating-kubernetes-manifests/', 'https://docs.influxdata.com/influxdb/v1.8/concepts/insights_tradeoffs/', 'https://epsagon.com/development/aws-fargate-the-future-of-serverless-containers/', 'https://vianalabs.com/kubernetes-vs-docker/', 'https://www.slideshare.net/AmazonWebServices/running-a-highperformance-kubernetes-cluster-with-amazon-eks-con318r1-aws-reinvent-2018', 'https://cloudplex.io/blog/microservices-orchestration-with-kubernetes/', 'https://gruntwork.io/repos/v0.15.1/terraform-aws-eks/core-concepts.md']],
"in-cloud": [14, 'kubernetes in cloud', ['https://kubernetes.io/blog/2019/04/17/the-future-of-cloud-providers-in-kubernetes/', 'https://kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://en.wikipedia.org/wiki/Kubernetes#History', 'https://en.wikipedia.org/wiki/Kubernetes#Kubernetes_Objects', 'https://en.wikipedia.org/wiki/Kubernetes#Managing_Kubernetes_objects', 'https://en.wikipedia.org/wiki/Kubernetes#Cluster_API', 'https://aws.amazon.com/kubernetes/', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://codefresh.io/kubernetes-tutorial/kubernetes-cloud-aws-vs-gcp-vs-azure/', 'https://www.digitalocean.com/products/kubernetes/', 'https://ubuntu.com/kubernetes', 'https://www.ibm.com/cloud/learn/kubernetes', 'https://cloud.ibm.com/docs/containers?topic=containers-getting-started', 'https://enterprisersproject.com/article/2017/10/how-explain-kubernetes-plain-english', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://www.cloudfoundry.org/container-runtime/', 'https://azure.microsoft.com/en-us/services/kubernetes-service/', 'https://www.qwiklabs.com/quests/29', 'https://docs.cloud.oracle.com/iaas/Content/ContEng/Concepts/contengoverview.htm', 'https://www.vmware.com/topics/glossary/content/kubernetes', 'https://www.infoworld.com/article/3574853/kubernetes-and-cloud-portability-its-complicated.html', 'https://blog.newrelic.com/engineering/what-is-kubernetes/', 'https://spring.io/projects/spring-cloud-kubernetes', 'https://www.elastic.co/guide/en/cloud-on-k8s/current/index.html', 'https://cloudacademy.com/blog/what-is-kubernetes/', 'https://rancher.com/docs/rancher/v1.6/en/kubernetes/providers/', 'https://www.cncf.io/', 'https://www.docker.com/products/kubernetes', 'https://platform9.com/docs/deploy-kubernetes-the-ultimate-guide/', 'https://www.barrons.com/articles/kubernetes-is-the-next-big-thing-in-cloud-computing-and-its-free-51575576969', 'https://www.alibabacloud.com/product/kubernetes', 'https://www.ovhcloud.com/en/public-cloud/kubernetes/', 'https://juju.is/docs/kubernetes', 'https://www.weave.works/technologies/the-journey-to-kubernetes/', 'https://www.replex.io/blog/the-ultimate-kubernetes-cost-guide-aws-vs-gce-vs-azure-vs-digital-ocean', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://cloud.netapp.com/kubernetes-hub', 'https://towardsdatascience.com/is-kubernetes-on-premise-viable-8b488368af56', 'https://github.com/kubernetes-sigs/cloud-provider-azure', 'https://www.rackspace.com/managed-kubernetes', 'https://www.nutanix.com/blog/enterprise-kubernetes-done-right-nutanix-cloud-native', 'https://www.cisco.com/c/en/us/products/cloud-systems-management/hybrid-solution-kubernetes-on-aws/index.html', 'https://www.coursera.org/courses?query=kubernetes', 'https://diginomica.com/kubernetes-and-misconception-multi-cloud-portability', 'https://cognitiveclass.ai/courses/kubernetes-course', 'https://docs.mirantis.com/mcp/q4-18/mcp-ref-arch/kubernetes-cluster-plan/cloud-provider-overview.html', 'https://okteto.com/', 'https://www.cloudflare.com/integrations/kubernetes/', 'https://www.stackrox.com/post/2020/02/eks-vs-gke-vs-aks/', 'https://thenewstack.io/how-to-deploy-a-kubernetes-cluster-to-the-google-cloud-platform/', 'https://geekflare.com/managed-kubernetes-platform/', 'https://www.delltechnologies.com/en-us/cloud/hybrid-cloud-computing/hci-for-kubernetes.htm', 'https://www.scaleway.com/en/docs/deploy-kubernetes-cluster-kubeadm-cloud-controller-manager/', 'https://www.dynatrace.com/technologies/kubernetes-monitoring/', 'https://www.zdnet.com/article/red-hat-takes-kubernetes-to-the-clouds-edge/', 'https://cloud.gov/docs/ops/runbook/troubleshooting-kubernetes/', 'https://www.accenture.com/us-en/blogs/software-engineering-blog/kralj-orchestrate-modern-cloud-kubernetes', 'https://microk8s.io/', 'https://www.pulumi.com/docs/intro/cloud-providers/kubernetes/', 'https://kubesail.com/', 'https://www.linkedin.com/learning/paths/master-cloud-native-infrastructure-with-kubernetes', 'https://www.bmc.com/blogs/kubernetes-patterns/', 'https://plugins.jenkins.io/kubernetes/', 'https://itnext.io/kubernetes-journey-up-and-running-out-of-the-cloud-kubernetes-overview-5012994b8955', 'https://devspace.cloud/', 'https://www.learncloudnative.com/blog/2020-05-26-getting-started-with-kubernetes-part-1/', 'https://www.ericsson.com/en/blog/2020/3/benefits-of-kubernetes-on-bare-metal-cloud-infrastructure', 'https://www.presslabs.com/blog/kubernetes-cloud-providers-2019/', 'https://divvycloud.com/deploying-kubernetes-across-multiple-clouds/', 'https://www.msystechnologies.com/services/devops/kubernetes-cloud-providers/', 'https://www.hpe.com/us/en/insights/articles/why-cloud-native-open-source-kubernetes-matters-2002.html', 'https://www.atlassian.com/continuous-delivery/microservices/kubernetes', 'https://www.f5.com/company/blog/Kubernetes-is-winning-the-multi-cloud-war', 'https://blog.logrocket.com/comparing-kubernetes-across-cloud-providers-gcp-aws-azure-f7653730cd09/', 'https://kubernetes.cn/docs/tasks/administer-cluster/developing-cloud-controller-manager/', 'https://medium.com/techprimers/free-tiers-in-different-cloud-platforms-for-trying-out-kubernetes-2ccda3f296dc', 'https://www.infoq.com/news/2020/06/kubernetes-storage-kubera/', 'https://www.itproportal.com/features/kubernetes-as-a-cloud-native-operating-system/', 'https://www.druva.com/blog/kubernetes-value-and-challenges-for-developing-cloud-apps/', 'https://kublr.com/blog/application-portability-with-kubernetes-and-cloud-native/', 'https://acloud.guru/learn/kubernetes-deep-dive', 'https://containerjournal.com/topics/container-ecosystems/multi-cloud-hybrid-cloud-and-kubernetes/', 'https://learnk8s.io/cloud-resources-kubernetes', 'https://techcrunch.com/2019/04/02/cloud-foundry-kubernetes/', 'https://ieeexplore.ieee.org/document/8666479', 'https://www.forbes.com/sites/forbestechcouncil/2020/06/04/how-to-jumpstart-your-hybrid-and-multi-cloud-strategy-with-microservices-and-kubernetes/', 'https://jaxenter.com/kubernetes-cloud-foundry-162118.html', 'https://www.techwell.com/techwell-insights/2020/01/should-you-use-managed-cloud-service-kubernetes', 'https://threatpost.com/teamtnt-remote-takeover-cloud-instances/159075/', 'https://www.datacenterknowledge.com/open-source/cloud-foundry-goes-all-kubernetes', 'https://logz.io/blog/5-hosted-kubernetes-platforms/', 'https://convox.com/blog/cost-of-running-k8s', 'https://banzaicloud.com/blog/hybrid-cloud-kubernetes/', 'https://portworx.com/', 'https://www.youtube.com/watch?v=4WP_uh1Ro4E', 'https://min.io/', 'https://www.techradar.com/how-to/kubernetes-taming-the-cloud', 'https://www.cloudtp.com/doppler/kubernetes-and-multicloud/']]
}
# –––––––––––––––––––––––––––––––––––––––––––––––– REMOVE DUPLICATES ––––––––––––––––––––––––––––––––––––––––––––––– #
url_mat = [[],[],[],[],[],[],[],[],[],[],[],[],[],[]]
# Remove all duplicates from the original dictionary
if(dupe):
if(verbose >= 1): print("\nRemoving duplicate search strings...")
for key in search_dict:
url_mat[search_dict[key][0]-1] = search_dict[key][2]
for count in range(13):
for url_list_idx in range(len(url_mat)):
url_mat[url_list_idx] = [x for x in url_mat[url_list_idx] if not x in url_mat[(url_list_idx+(count+1))%14]]
# URL matrix after removing duplicates
if(not dupe):
if(verbose >= 1): print("\nSkipping duplicate removal...")
url_mat = [
['https://kubernetes.io/docs/tasks/debug-application-cluster/resource-usage-monitoring/', 'https://hackernoon.com/why-and-when-you-should-use-kubernetes-8b50915d97d8', 'https://opensource.com/article/19/6/reasons-kubernetes', 'https://www.digitalocean.com/community/tutorials/an-introduction-to-kubernetes', 'https://www.datadoghq.com/container-report/', 'https://kubernetes.cn/docs/concepts/overview/components/', 'https://www.replex.io/blog/kubernetes-in-production-the-ultimate-guide-to-monitoring-resource-metrics', 'https://aws.amazon.com/kubernetes/', 'https://docs.oracle.com/cd/E52668_01/E88884/html/kubectl-basics.html', 'https://www.vmware.com/topics/glossary/content/kubernetes', 'https://github.com/hjacobs/kube-resource-report', 'https://docs.docker.com/docker-for-windows/kubernetes/', 'https://containerjournal.com/topics/container-ecosystems/kubernetes-vs-docker-a-primer/', 'https://docs.openshift.com/container-platform/4.1/cli_reference/usage-oc-kubectl.html', 'https://spark.apache.org/docs/latest/running-on-kubernetes.html', 'https://www.udemy.com/course/learn-devops-advanced-kubernetes-usage/', 'https://unofficial-kubernetes.readthedocs.io/en/latest/concepts/cluster-administration/resource-usage-monitoring/', 'https://cloud.ibm.com/docs/containers?topic=containers-getting-started', 'https://www.instana.com/docs/ecosystem/kubernetes/', 'https://logz.io/blog/kubernetes-monitoring/', 'https://www.splunk.com/en_us/blog/it/monitoring-kubernetes.html', 'https://docs.wavefront.com/kubernetes.html', 'https://helm.sh/', 'https://microk8s.io/docs', 'https://www.dynatrace.com/support/help/technology-support/cloud-platforms/kubernetes/monitoring/monitor-kubernetes-openshift-clusters/', 'https://matthewpalmer.net/kubernetes-app-developer/articles/how-does-kubernetes-use-etcd.html', 'https://phoenixnap.com/kb/what-is-kubernetes', 'https://www.redhat.com/en/topics/containers/what-is-a-kubernetes-operator', 'https://kubernetes.github.io/ingress-nginx/user-guide/basic-usage/', 'https://code.visualstudio.com/docs/azure/kubernetes', 'https://www.tutorialspoint.com/kubernetes/kubernetes_kubectl_commands.htm', 'https://learn.hashicorp.com/tutorials/vault/agent-kubernetes', 'https://builders.intel.com/docs/networkbuilders/cpu-pin-and-isolation-in-kubernetes-app-note.pdf', 'https://sematext.com/guides/kubernetes-monitoring/', 'https://www.fairwinds.com/blog/kubernetes-best-practice-efficient-resource-utilization', 'https://www.tigera.io/blog/top-6-kubernetes-trends-for-2019/', 'https://levelup.gitconnected.com/what-does-kubernetes-do-anyway-fa4efc3b57f8', 'https://stackoverflow.com/questions/38746266/converting-datadog-m-cpu-unity-to-kubernetes-cpu-unity-m', 'https://www.bmc.com/blogs/state-of-kubernetes/', 'https://www.jeffgeerling.com/blog/2019/monitoring-kubernetes-cluster-utilization-and-capacity-poor-mans-way', 'https://www.businesswire.com/news/home/20200528005123/en/Mirantis-Launches-New-Docker-Enterprise-Release-Adds-the-Only-Production-Ready-Kubernetes-Clusters-on-Windows-Servers-and-Industry-Leading-SLAs', 'https://www.bluematador.com/blog/kubernetes-log-management-the-basics', 'https://www.sdxcentral.com/articles/news/kubernetes-community-bows-to-the-real-world-with-1-9-release/2017/12/', 'http://docs.nvidia.com/datacenter/kubernetes/kubernetes-upstream/index.html', 'https://securityboulevard.com/2019/09/survey-reveals-kubernetes-usage-skyrocketing-but-security-concerns-remain/', 'https://www.magalix.com/blog/understanding-kubernetes-objects', 'https://docs.prefect.io/orchestration/agents/kubernetes.html', 'https://www.cockroachlabs.com/docs/stable/kubernetes-performance.html', 'https://www.educative.io/collection/page/5376908829130752/4742963282313216/6085051441741824', 'https://www.padok.fr/en/blog/kubectl-cluster-kubernetes', 'https://www.f5.com/company/blog/Kubernetes-is-winning-the-multi-cloud-war', 'https://jaxenter.com/manage-container-resource-kubernetes-141977.html', 'https://www.gartner.com/en/documents/3980330/usage-and-adoption-of-kubernetes', 'https://www.cncf.io/blog/2018/08/29/cncf-survey-use-of-cloud-native-technologies-in-production-has-grown-over-200-percent/', 'http://mascaratu.com/bldra/kubernetes-prometheus-cpu-throttling.html', 'https://min.io/', 'https://engineering.opsgenie.com/advanced-kubernetes-objects-53f5e9bc0c28'],
['https://techolution.com/kubernetes-challenges/?sa=X&ved=2ahUKEwjTtPvfyvPrAhW6JzQIHZZdBqcQ9QF6BAgVEAI', 'https://techolution.com/kubernetes-challenges/', 'https://thenewstack.io/top-challenges-kubernetes-users-face-deployment/', 'https://d2iq.com/blog/the-top-5-challenges-to-getting-started-with-kubernetes', 'https://www.sdxcentral.com/articles/news/kubernetes-opportunities-challenges-escalated-in-2019/2019/12/', 'https://github.com/kubernetes/kubernetes/issues', 'https://containerjournal.com/topics/container-management/running-kubernetes-at-scale-top-2020-challenge/', 'https://www.informationsecuritybuzz.com/articles/what-are-the-top-5-kubernetes-security-challenges-and-risks/', 'https://www.portshift.io/blog/challenges-adopting-k8s-production/', 'https://www.sumologic.com/blog/troubleshooting-kubernetes/', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/vsphere/vmw-vsphere7-solution-brochure.pdf', 'https://dzone.com/articles/the-challenges-of-adopting-k8s-for-production-and', 'https://appdevelopermagazine.com/kubernetes-advantages-and-challenges/', 'https://www.replex.io/blog/the-state-of-cloud-native-challenges-culture-and-technology', 'https://developers.redhat.com/blog/2018/11/27/microservices-debugging-openshift-kubernetes/', 'https://www.cncf.io/wp-content/uploads/2019/02/RobinK8S-CNCF-Webinar-Feb052019.pdf', 'https://tech.target.com/2018/08/08/running-cassandra-in-kubernetes-across-1800-stores.html', 'https://developer.ibm.com/components/redhat-openshift-ibm-cloud/blogs/build-smart-on-kubernetes-challenge-winners/', 'https://www.netapp.com/us/kubernetes-storage.aspx', 'https://www.splunk.com/en_us/blog/it/kubernetes-navigator-real-time-monitoring-and-ai-driven-analytics-for-kubernetes-environments-now-generally-available.html', 'https://banzaicloud.com/blog/cert-management-on-kubernetes/', 'https://enterprisersproject.com/article/2020/5/kubernetes-managing-7-tips', 'https://www.cockroachlabs.com/blog/kubernetes-databases/', 'https://www.flashmemorysummit.com/Proceedings2019/08-08-Thursday/20190808_SOFT-301-1_Mukku.pdf', 'https://www.prnewswire.com/news-releases/stackrox-report-reveals-that-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation-301007207.html', 'https://blog.openpolicyagent.org/securing-the-kubernetes-api-with-open-policy-agent-ce93af0552c3', 'https://www.cisco.com/c/dam/en/us/solutions/data-center/managing-kubernetes-performance-scale.pdf', 'https://devopscon.io/kubernetes-ecosystem/challenges-in-building-a-multi-cloud-provider-platform-with-kubernetes/', 'https://epsagon.com/observability/the-top-5-kubernetes-metrics-you-need-to-monitor/', 'https://kublr.com/blog/what-is-kubernetes-and-enterprise-benefits/', 'https://blog.turbonomic.com/blog/on-technology/forget-k9-its-time-for-k8-k8s-that-is-a-kubernetes-primer-part-i', 'https://securityboulevard.com/2020/03/security-concerns-remain-with-containers-and-kubernetes-per-new-report/', 'https://blog.styra.com/blog/why-rbac-is-not-enough-for-kubernetes-api-security', 'https://www.tfir.io/challenges-for-kubernetes-cloud-foundry-users/', 'https://blogs.juniper.net/en-us/enterprise-cloud-and-transformation/solving-kubernetes-networking-and-security-challenges-at-scale-with-contrail', 'https://www.dellemc.com/en-us/collaterals/unauth/white-papers/products/converged-infrastructure/dellemc-hci-for-kubernetes.pdf', 'https://www.redapt.com/blog/a-critical-aspect-of-day-2-kubernetes-operations', 'https://rollout.io/blog/scaling-your-containers-with-kubernetes/', 'https://engineering.saltside.se/migrating-to-kubernetes-day-20-problems-fbbda4905c23', 'https://coreos.com/blog/pitfalls-of-diy-kubernetes', 'https://searchitoperations.techtarget.com/news/252454267/Kubernetes-security-issues-raise-concerns-for-enterprise-shops', 'https://diginomica.com/kubernetes-evolving-enterprise-friendly-platform-challenges-remain', 'https://levelup.gitconnected.com/kubernetes-cka-example-questions-practical-challenge-86318d85b4d', 'https://www.securitymagazine.com/articles/91755-container-and-kubernetes-security-concerns-are-inhibiting-business-innovation', 'https://www.kubermatic.com/resources/challenges-in-building-a-multi-cloud-provider-platform-with-managed-kubernetes/', 'https://www.brighttalk.com/webcast/17114/373913/the-problem-with-kubernetes-and-firewalls-and-how-to-solve-it', 'https://apprenda.com/blog/apprenda-kubernetes/', 'https://www.virtuozzo.com/kubernetes-whitepaper.html', 'https://cloudcomputing-news.net/news/2019/jan/30/understanding-kubernetes-today-misconceptions-challenges-and-opportunities/', 'https://acquisitiontalk.com/2020/01/f-16-running-on-kubernetes-and-the-challenges-of-a-disconnected-environment/', 'https://www.deployhub.com/kubernetes-pipelines/', 'https://www.infoq.com/news/2020/03/cncf-kubernetes-cloud-native/', 'https://www.cleardata.com/articles/kubernetes-in-healthcare/', 'https://rancher.com/products/rancher/', 'https://codeburst.io/kubernetes-cka-hands-on-challenge-3-advanced-scheduling-3fbeb67f2f2', 'https://www.threatstack.com/blog/16-kubernetes-experts-share-the-most-interesting-current-trends-to-look-for-in-kubernetes', 'https://cert-manager.io/docs/concepts/acme-orders-challenges/'],
['https://www.stackrox.com/post/2020/01/top-5-kubernetes-vulnerabilities-of-2019-the-year-in-review/', 'https://www.darkreading.com/vulnerabilities---threats/kubernetes-shows-built-in-weakness/d/d-id/1336956', 'https://containerjournal.com/topics/container-security/common-container-and-kubernetes-vulnerabilities/', 'https://threatpost.com/kubernetes-bugs-authentication-bypass-dos/149265/', 'https://rancher.com/blog/2020/kubernetes-security-vulnerabilities', 'https://www.trendmicro.com/vinfo/de/security/news/vulnerabilities-and-exploits/kubernetes-vulnerability-cve-2019-11246-discovered-due-to-incomplete-updates-from-a-previous-flaw', 'https://redmondmag.com/articles/2018/12/05/critical-kubernetes-flaws.aspx', 'https://siliconangle.com/2019/08/06/34-vulnerabilities-uncovered-security-audit-kubernetes-code/', 'https://techbeacon.com/security/lessons-kubernetes-flaw-why-you-should-shift-your-security-upstream', 'https://www.brighttalk.com/webcast/18009/392616/do-you-know-your-kubernetes-runtime-vulnerabilities', 'https://nvd.nist.gov/view/vuln/search-results?adv_search=true&cves=on&cpe_version=cpe%3A%2Fa%3Akubernetes%3Akubernetes%3A-', 'https://www.bleepingcomputer.com/news/security/severe-flaws-in-kubernetes-expose-all-servers-to-dos-attacks/', 'https://www.portshift.io/webinar/kubernetes-runtime-vulnerabilities/', 'https://thenewstack.io/critical-vulnerability-allows-kubernetes-node-hacking/', 'https://www.enterpriseai.news/2019/08/08/another-week-another-kubernetes-security-flaw/', 'https://blog.aquasec.com/topic/kubernetes-security', 'https://www.openshift.com/blog/what-customers-of-red-hat-openshift-hosted-services-should-know-about-the-april-2020-haproxy-http/2-flaws', 'https://github.com/aquasecurity/kube-hunter', 'https://www.cybersecurity-help.cz/vdb/kubernetes/kubernetes/1.9.6/', 'https://www.helpnetsecurity.com/2020/01/22/container-security-continuous-security/', 'https://www.checkmarx.com/blog/checkmarx-research-race-condition-in-kubernetes', 'https://venturebeat.com/2020/01/14/cncf-google-and-hackerone-launch-kubernetes-bug-bounty-program/', 'https://securityboulevard.com/2019/08/cncf-led-open-source-kubernetes-security-audit-reveals-37-flaws-in-kubernetes-cluster-recommendations-proposed/', 'https://infosiftr.com/2020/08/07/tldr-last-weeks-container-news-08-01-20-08-07-20/', 'https://security.berkeley.edu/news/kubernetes-vulnerabilities-allow-authentication-bypass-dos-cve-2019-16276', 'https://www.cloudpassage.com/cloud-computing-security/container-security-halo-container-secure/', 'https://www.redhat.com/en/topics/containers/what-is-clair', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/ebook/vmware-press-ebook-on-containers-and-kubernetes.pdf', 'https://prophaze.com/category/cve/page/24/', 'https://prophaze.com/vapt/', 'https://www.bunnyshell.com/blog/security-flaws-kubernetes/', 'https://docs.aws.amazon.com/eks/latest/userguide/configuration-vulnerability-analysis.html', 'https://stackshare.io/posts/kubernetes-roundup-1', 'https://www.securityweek.com/public-bug-bounty-program-launched-kubernetes', 'https://docs.gitlab.com/ee/user/application_security/sast/', 'https://www.cncf.io/blog/2019/04/29/what-kubernetes-does-and-doesnt-do-for-security/', 'https://blog.vulcan.io/the-vulcan-vulnerability-digest-top-threats-to-address-march', 'https://www.csoonline.com/article/3519688/infrastructure-as-code-templates-are-the-source-of-many-cloud-infrastructure-weaknesses.html', 'https://hub.packtpub.com/cncf-led-open-source-kubernetes-security-audit-reveals-37-flaws-in-kubernetes-cluster-recommendations-proposed/', 'https://blog.alcide.io/kubernetes-security', 'https://www.computing.co.uk/news/3068012/kubernetes-news-critical-vulnerability-discovered-new-relic-announces-kubernetes-cluster-explorer', 'https://vmblog.com/archive/2020/09/11/vmblog-expert-interview-amir-ofek-ceo-of-alcide-talks-kubernetes-security-aws-bottlerocket-and-its-latest-implementation-by-ooda-health.aspx', 'https://www.networkcomputing.com/data-centers/kubernetes-challenges-enterprises', 'https://sighup.io/certified-kubernetes-images/', 'https://www.techzine.eu/tag/vulnerabilities/', 'https://lp.skyboxsecurity.com/rs/440-MPQ-510/images/Skybox_Cloud_Trends_Report.pdf', 'https://neuvector.com/docker-security/runc-docker-vulnerability/', 'https://security.netapp.com/advisory/', 'https://ubuntu.com/security/notices/USN-4220-1', 'https://apisecurity.io/issue-54-api-vulnerabilities-in-erosary-kubernetes-harbor/', 'https://platform9.com/blog/kubernetes-networking-challenges-at-scale/', 'https://cloudowski.com/articles/10-differences-between-openshift-and-kubernetes/', 'https://www.bluematador.com/blog/iam-access-in-kubernetes-the-aws-security-problem', 'https://itnext.io/can-kubernetes-keep-a-secret-it-all-depends-what-tool-youre-using-498e5dee9c25', 'https://www.igrc.eu/category/kubernetes/', 'https://news.ycombinator.com/item?id=19467067', 'https://blog.shiftleft.io/enabling-developer-friendly-security-in-kubernetes-for-gitops-95217902c3aa', 'https://www.defcon.org/html/defcon-27/dc-27-workshops.html', 'https://resources.whitesourcesoftware.com/blog-whitesource/top-5-open-source-security-vulnerabilities-january-2019', 'https://duo.com/decipher/critical-kubernetes-bug-gives-anyone-full-admin-privileges', 'http://www.smashcompany.com/technology/my-final-post-regarding-the-flaws-of-docker-kubernetes-and-their-eco-system', 'https://snyk.io/blog/top-ten-most-popular-docker-images-each-contain-at-least-30-vulnerabilities/', 'https://thecyberwire.com/newsletters/daily-briefing/7/232', 'https://sysdig.com/wp-content/uploads/2019/01/container-pci-compliance-guide.pdf', 'https://www.bizety.com/2019/01/31/basics-of-securing-kubernetes-services/', 'https://medium.com/faun/security-problems-of-kops-default-deployments-2819c157bc90', 'https://blog.container-solutions.com/answers-to-11-big-questions-about-kubernetes-versioning', 'https://portswigger.net/daily-swig/bug-bounty-radar-the-latest-bug-bounty-programs-for-june-2020', 'https://opensource.com/article/18/8/tools-container-security', 'https://cisomag.eccouncil.org/5-cybersecurity-trends/', 'https://banzaicloud.com/blog/auto-dast/', 'https://secureteam.co.uk/news/vulnerabilities/docker-vulnerability-allows-host-root-escalation/', 'https://wideops.com/kubernetes-security-audit-what-gke-and-anthos-users-need-to-know/', 'https://www.sans.org/newsletters/newsbites/xxi/82', 'https://www.linkedin.com/posts/brianfink_dangerous-kubernetes-bugs-allow-authentication-activity-6590968985179738112-nPmp', 'https://www.reddit.com/r/programming/comments/ctx470/severe_flaws_in_kubernetes_expose_all_servers_to/', 'https://www.magalix.com/blog/container-security', 'http://www.eweek.com/web/index.php/security/how-shopify-avoided-a-data-breach-thanks-to-a-bug-bounty', 'https://www.globenewswire.com/news-release/2018/05/02/1494996/0/en/DigitalOcean-Introduces-Kubernetes-Product-for-Simple-Scalable-Container-Deployment-and-Orchestration.html', 'https://www.ren-isac.net/public-resources/weekly-watch/weekly-watch-archive.html', 'https://www.paloaltonetworks.com/prisma/cloud/compute-security/container-security', 'https://jaxenter.com/kubernetes-flaw-admin-access-152637.html', 'https://dzone.com/articles/kubernetes-security-best-practices'],
['https://kubernetes.io/docs/concepts/security/', 'https://kubernetes.io/docs/concepts/security/overview/', 'https://kubernetes.io/docs/concepts/security/pod-security-standards/', 'https://kubernetes.io/docs/concepts/policy/', 'https://kubernetes.io/fr/docs/concepts/security/', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#controlling-access-to-the-kubernetes-api', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#controlling-the-capabilities-of-a-workload-or-user-at-runtime', 'https://kubernetes.io/docs/tasks/administer-cluster/securing-a-cluster/#protecting-cluster-components-from-compromise', 'https://kubernetes.io/docs/concepts/security/overview/#the-4c-s-of-cloud-native-security', 'https://kubernetes.io/docs/concepts/security/overview/#cloud-provider-security', 'https://kubernetes.io/docs/concepts/security/overview/#infrastructure-security', 'https://www.aquasec.com/solutions/kubernetes-container-security/', 'https://kubernetes-security.info/', 'https://www.cncf.io/blog/2019/01/14/9-kubernetes-security-best-practices-everyone-must-follow/', 'https://techbeacon.com/enterprise-it/hackers-guide-kubernetes-security', 'https://sysdig.com/products/kubernetes-security/', 'https://acloud.guru/learn/7d2c29e7-cdb2-4f44-8744-06332f47040e', 'https://www.sans.org/webcasts/state-kubernetes-security-110230', 'https://cloud.ibm.com/docs/containers?topic=containers-security', 'https://www.trendmicro.com/en_us/what-is/container-security/kubernetes.html', 'https://training.linuxfoundation.org/certification/certified-kubernetes-security-specialist/', 'https://thenewstack.io/laying-the-groundwork-for-kubernetes-security-across-workloads-pods-and-users/', 'https://www.cisecurity.org/benchmark/kubernetes/', 'https://securityboulevard.com/2020/08/using-kubelet-client-to-attack-the-kubernetes-cluster/', 'https://github.com/freach/kubernetes-security-best-practice', 'https://docs.microsoft.com/en-us/azure/aks/concepts-security', 'https://www.tigera.io/kubernetes-security/', 'https://www.bluematador.com/blog/kubernetes-security-essentials', 'https://cloudplex.io/blog/top-10-kubernetes-tools/', 'https://phoenixnap.com/kb/kubernetes-security-best-practices', 'https://learn.hashicorp.com/tutorials/vault/kubernetes-security-concerns', 'https://www.guardicore.com/use-cases/container-security/kubernetes-security/', 'https://www.amazon.com/Learn-Kubernetes-Security-orchestrate-microservices/dp/1839216506', 'https://www.alcide.io/', 'https://rancher.com/docs/rancher/v2.x/en/security/', 'https://blog.sqreen.com/kubernetes-security-best-practices/', 'https://www.globenewswire.com/news-release/2020/08/17/2078995/0/en/NeuVector-Advances-Cloud-Native-Kubernetes-Security-Platform-with-Compliance-Templates-and-Vulnerability-Workflow-Management-for-PCI-DSS-GDPR-and-More.html', 'https://www.carbonblack.com/resources/three-common-kubernetes-security-mistakes-and-how-to-avoid-them/', 'https://owasp.org/www-project-kubernetes-security-testing-guide/', 'https://www.splunk.com/en_us/blog/security/approaching-kubernetes-security-detecting-kubernetes-scan-with-splunk.html', 'https://www.cloudflare.com/integrations/kubernetes/', 'https://www.packtpub.com/product/learn-kubernetes-security/9781839216503', 'https://www.cvedetails.com/vulnerability-list/vendor_id-15867/product_id-34016/Kubernetes-Kubernetes.html', 'https://www.inovex.de/blog/kubernetes-security-tools/', 'https://pages.awscloud.com/GLOBAL-partner-OE-containers-stackrox-sept-2020-reg-event.html?trk=ep_card-reg', 'https://www.techrepublic.com/article/kubernetes-rollouts-5-security-best-practices/', 'https://containerjournal.com/topics/container-security/cyberark-discloses-potential-security-flaw-in-kubernetes-agent-software/', 'https://www.prnewswire.com/news-releases/stackrox-expands-in-emea-to-meet-global-demand-for-kubernetes-native-security-301113628.html', 'https://portswigger.net/daily-swig/kubiscan-open-source-kubernetes-security-tool-showcased-at-black-hat-2020', 'https://jaxlondon.com/wp-content/uploads/slides/Continuous_Kubernetes_Security.pdf', 'https://labs.sogeti.com/kubernetes-security-basics/', 'https://medium.com/better-programming/secure-your-kubernetes-cluster-with-pod-security-policies-bd511ec6d034', 'https://www.youtube.com/watch?v=v6a37uzFrCw', 'https://www.parsons.com/2020/08/kubernetes-security-embracing-built-in-primitives-for-more-secure-environments/', 'https://www.darkreading.com/black-hat/level-up-your-kubernetes-security-skills-at-black-hat-usa-/d/d-id/1338317', 'https://www.zdnet.com/article/kubernetes-first-major-security-hole-discovered/', 'https://www.altexsoft.com/blog/kubernetes-security/', 'https://resources.whitesourcesoftware.com/blog-whitesource/kubernetes-pod-security-policy', 'https://adtmag.com/blogs/watersworks/2020/09/alcide-aws-ready.aspx', 'https://www.enterpriseai.news/2020/09/17/list-of-kubernetes-tools-defenses-grows/', 'https://blogs.oracle.com/developers/5-best-practices-for-kubernetes-security', 'https://techcloudlink.com/wp-content/uploads/2019/10/Operating-Kubernetes-Clusters-and-Applications-Safely.pdf', 'https://devops.com/how-to-secure-your-kubernetes-cluster-on-gke/', 'https://www.xenonstack.com/insights/kubernetes-security-tools/', 'https://hackerone.com/kubernetes', 'https://www.sdxcentral.com/articles/news/kubernetes-security-plagued-by-human-error-misconfigs/2020/02/', 'http://techgenix.com/kubernetes-security-tools/', 'https://blog.sonatype.com/kubesecops-kubernetes-security-practices-you-should-follow', 'https://developer.squareup.com/blog/kubernetes-pod-security-policies/', 'https://www.cloudtp.com/doppler/how-to-ensure-end-to-end-kubernetes-security/', 'https://www.schneier.com/blog/archives/2020/04/kubernetes_secu.html', 'https://www.replex.io/blog/kubernetes-in-production-best-practices-for-governance-cost-management-and-security-and-access-control', 'https://www.reliaquest.com/blog/best-practices-for-detecting-5-common-attacks-against-kubernetes/', 'https://blog.checkpoint.com/2019/12/04/how-is-your-kubernetes-security-posture/', 'https://dev.to/petermbenjamin/kubernetes-security-best-practices-hlk', 'https://www.contrastsecurity.com/security-influencers/security-concerns-with-containers-kubernetes'],
['https://blog.kumina.nl/2018/04/the-benefits-and-business-value-of-kubernetes/', 'https://kubernetes.io/docs/concepts/overview/components/', 'https://kubernetes.io/blog/2015/04/borg-predecessor-to-kubernetes/', 'https://v1-18.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://v1-15.docs.kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://www.weave.works/blog/6-business-benefits-of-kubernetes', 'https://www.criticalcase.com/blog/kubernetes-features-and-benefits.html', 'https://medium.com/platformer-blog/benefits-of-kubernetes-e6d5de39bc48', 'https://www.linkbynet.com/what-are-the-real-benefits-of-kubernetes', 'https://the-report.cloud/benefits-of-kubernetes', 'https://www.hitechnectar.com/blogs/pros-cons-kubernetes/', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_ov', 'https://www.ericsson.com/en/blog/2020/3/benefits-of-kubernetes-on-bare-metal-cloud-infrastructure', 'https://www.infoworld.com/article/3173266/4-reasons-you-should-use-kubernetes.html', 'https://enterprisersproject.com/article/2017/10/how-explain-kubernetes-plain-english', 'https://www.guru99.com/kubernetes-vs-docker.html', 'https://vexxhost.com/blog/openstack-kubernetes/', 'https://rancher.com/kubernetes/', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/microsites/vmware-kubernetes-for-executives-ebook.pdf', 'https://coreos.com/operators/', 'https://www.computer.org/publications/tech-news/trends/what-you-need-to-know-about-managed-kubernetes-platforms/', 'https://platform9.com/wp-content/uploads/2018/08/why-kubernetes-matters.pdf', 'https://stfalcon.com/en/blog/post/kubernetes', 'https://www.bmc.com/blogs/what-is-kubernetes/', 'https://www.quora.com/What-are-some-benefits-in-using-Kubernetes', 'https://www.atlassian.com/continuous-delivery/microservices/kubernetes', 'https://www.rackspace.com/blog/kubernetes-explained-for-business-leaders', 'https://dzone.com/articles/kubernetes-benefits-microservices-architecture-for', 'https://www.urolime.com/blogs/benefits-of-microservices-architecture-and-kubernetes/', 'https://www.zdnet.com/article/what-is-kubernetes-everything-your-business-needs-to-know/', 'https://lucidworks.com/post/kubernetes-benefits-for-enterprise/', 'https://kublr.com/industry-info/what-is-kubernetes-and-how-can-enterprises-benefit/', 'https://ubuntu.com/kubernetes/managed', 'https://www.ovhcloud.com/en/public-cloud/kubernetes/', 'https://techolution.com/the-7-benefits-of-kubernetes-that-will-lower-your-costs-time-to-market/', 'https://www.oracle.com/cloud/what-is-kubernetes/', 'https://www.missioncloud.com/blog/resource-what-are-the-benefits-of-amazon-elastic-kubernetes-service-eks', 'https://containerjournal.com/topics/container-ecosystems/why-is-enterprise-kubernetes-important/', 'https://searchitoperations.techtarget.com/definition/Google-Kubernetes', 'https://www.qlik.com/us/resource-library/business-value-of-containers-and-kubernetes', 'https://stackoverflow.blog/2020/05/29/why-kubernetes-getting-so-popular/', 'https://unofficial-kubernetes.readthedocs.io/en/latest/concepts/overview/what-is-kubernetes/', 'https://www.nebulaworks.com/blog/2019/10/30/three-benefits-to-using-a-helm-chart-on-kubernetes/', 'https://www.dellemc.com/en-in/collaterals/unauth/briefs-handouts/solutions/h18141-dellemc-dpd-kubernetes.pdf', 'https://www.sumologic.jp/blog/kubernetes-vs-docker/', 'https://www.cisco.com/c/dam/en/us/solutions/collateral/data-center-virtualization/application-centric-infrastructure/solution-overview-c22-739493.pdf', 'https://cloudacademy.com/blog/what-is-kubernetes/', 'https://blog.equinix.com/blog/2020/05/26/is-just-one-kubernetes-cluster-enough/', 'https://thenewstack.io/3-reasons-to-bring-stateful-applications-to-kubernetes/', 'https://www.nutanix.com/content/dam/nutanix/resources/solution-briefs/sb-karbon.pdf', 'https://www.fairwinds.com/why-kubernetes', 'https://opsani.com/resources/kubernetes-everything-you-need-to-know/', 'https://www.educba.com/what-is-kubernetes/', 'https://blog.cloudticity.com/five-benefits-kubernetes-healthcare', 'https://avinetworks.com/glossary/container-orchestration/', 'https://www.cleardata.com/blog/kubernetes-for-leaders-in-healthcare/', 'https://supergiant.io/blog/pros-and-cons-of-adopting-kubernetes-in-2019/', 'https://towardsdatascience.com/the-pros-and-cons-of-running-apache-spark-on-kubernetes-13b0e1b17093', 'https://www.spec-india.com/blog/benefits-of-kubernetes-for-microservices-architecture', 'https://www.techwell.com/techwell-insights/2020/01/should-you-use-managed-cloud-service-kubernetes', 'https://subscription.packtpub.com/book/virtualization_and_cloud/9781784394035/1/ch01lvl1sec11/advantages-of-kubernetes', 'https://revolgy.com/blog/kubernetes-for-business-in-a-nutshell/', 'https://www.redapt.com/blog/rancher-2.3-brings-kubernetes-benefits-to-microsoft-windows-applications', 'https://www.dragonspears.com/blog/powering-kubernetes-benefits-and-drawbacks-of-azure-vs-aws', 'https://www.linux.com/news/benefits-of-kubernetes-on-bare-metal-cloud-infrastructure/', 'https://geniusee.com/single-blog/kubernetes', 'https://docs.bytemark.co.uk/article/kubernetes-terminology-glossary/', 'https://www.cloudmanagementinsider.com/google-what-kubernetes-best-practices/', 'https://www.einfochips.com/blog/how-kubernetes-power-up-the-microservices-architecture/', 'https://www.networkcomputing.com/data-centers/kubernetes-capabilities-enterprise-it-workloads', 'https://www.suse.com/c/wp-content/uploads/2019/12/Why-Kubernetes-A-Deep-Dive-in-Options-Benefits-and-Use-Cases.pdf', 'https://insidebigdata.com/2019/11/20/10-kubernetes-features-you-must-know-about/', 'https://www.rapidvaluesolutions.com/azure-kubernetes-service-aks-simplifying-deployment-with-stateful-applications/'],
['https://kubernetes.io/docs/setup/production-environment/', 'https://kubernetes.io/docs/setup/production-environment/container-runtimes/', 'https://kubernetes.io/docs/setup/production-environment/tools/', 'https://kubernetes.io/docs/setup/production-environment/windows/', 'https://v1-16.docs.kubernetes.io/docs/setup/production-environment/', 'https://kubernetes.io/docs/concepts/overview/what-is-kubernetes/', 'https://kubernetes.io/blog/', 'https://kubernetes.io/blog/2018/08/03/out-of-the-clouds-onto-the-ground-how-to-make-kubernetes-production-grade-anywhere/', 'https://www.replex.io/blog/kubernetes-in-production', 'https://learnk8s.io/production-best-practices', 'https://enterprisersproject.com/article/2018/11/kubernetes-production-4-myths-debunked', 'https://github.com/kubernetes/kubernetes', 'https://sysdig.com/blog/monitoring-kubernetes/', 'https://www.stackrox.com/post/2019/05/how-to-build-production-ready-kubernetes-clusters-and-containers/', 'https://kubernetes.cn/docs/setup/production-environment/windows/intro-windows-in-kubernetes/', 'https://kubeprod.io/', 'https://gruntwork.io/guides/kubernetes/how-to-deploy-production-grade-kubernetes-cluster-aws/', 'https://rancher.com/docs/rancher/v2.x/en/cluster-provisioning/production/', 'https://www.appdynamics.com/blog/product/kubernetes-cluster-monitoring/', 'https://platform9.com/blog/kubernetes-on-premises-why-and-how/', 'https://wiki.aquasec.com/display/containers/Kubernetes+in+Production', 'https://www.weave.works/product/enterprise-kubernetes-platform/', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://stackify.com/kubernetes-in-production-6-key-considerations/', 'https://www.digitalocean.com/products/kubernetes/', 'https://bluemedora.com/monitor-kubernetes-in-production-with-automated-dashboards/', 'https://www.infoworld.com/article/3265059/10-kubernetes-distributions-leading-the-container-revolution.html', 'https://www.infoq.com/news/2020/03/kubernetes-multicloud-brandwatch/', 'https://www.youtube.com/watch?v=IhhVe9OQeio', 'https://jaas.ai/kubernetes', 'https://microk8s.io/', 'https://caylent.com/k8s-in-production-and-development', 'https://jfrog.com/whitepaper/the-jfrog-journey-to-kubernetes-best-practices-for-taking-your-containers-all-the-way-to-production/', 'https://docs.safe.com/fme/html/FME_Server_Documentation/AdminGuide/Kubernetes/Kubernetes-Deploying-Production-Environment.htm', 'https://d2iq.com/kubernetes-platform', 'https://www.nutanix.com/products/karbon', 'https://conferences.oreilly.com/velocity/vl-eu-2018/public/schedule/detail/71360.html', 'https://docs.gitlab.com/ee/user/project/clusters/', 'https://k8s.vmware.com/running-containers-and-kubernetes-in-production/', 'https://docs.mattermost.com/install/install-kubernetes.html', 'https://jaxenter.com/running-kubernetes-in-production-158555.html', 'https://itnext.io/kubernetes-resource-management-in-production-d5382c904ed1', 'https://blogs.cisco.com/cloud/kubernetes-in-production', 'https://www.vaultproject.io/docs/platform/k8s/helm/run', 'https://www.planetscale.com/blog/announcing-planetscaledb-for-kubernetes-production-grade-databases-in-your-own-kubernetes-with-the-ease-of-saas', 'https://azure.microsoft.com/en-us/services/kubernetes-service/', 'https://coreos.com/tectonic/', 'https://www.ibm.com/cloud/container-service', 'https://www.confluent.io/kafka-summit-san-francisco-2019/production-ready-kafka-on-kubernetes/', 'https://ubuntu.com/kubernetes/install', 'https://applatix.com/blog/page/2/', 'https://blog.jetstack.io/blog/k8s-getting-started-part1/', 'https://assets.ext.hpe.com/is/content/hpedam/documents/a00039000-9999/a00039700/a00039700enw.pdf', 'https://www.brighttalk.com/webcast/6793/347227/moving-to-production-ready-fast-affordable-kubernetes', 'https://bitnami.com/kubernetes/bkpr', 'https://docs.influxdata.com/platform/integrations/kubernetes/', 'https://www.getambassador.io/resources/dev-workflow-intro/', 'https://www.altoros.com/services/kubernetes-production-grade-mvp-on-eks', 'https://www.jeffgeerling.com/blog/2019/running-drupal-kubernetes-docker-production', 'https://spinnaker.io/guides/tutorials/codelabs/kubernetes-v2-source-to-prod/', 'https://jamesdefabia.github.io/docs/user-guide/production-pods/', 'https://logz.io/blog/a-practical-guide-to-kubernetes-logging/', 'https://www.gartner.com/en/documents/3902966/best-practices-for-running-containers-and-kubernetes-in-', 'https://softwarebrothers.co/blog/two-weeks-with-kubernetes-in-production/', 'https://www.magalix.com/blog/the-best-kubernetes-tools-for-managing-large-scale-projects', 'https://containerjournal.com/topics/container-networking/using-kubernetes-for-mission-critical-databases/', 'https://phoenixnap.com/kb/understanding-kubernetes-architecture-diagrams', 'https://hackernoon.com/kubernetes-production-to-be-or-not-to-be-3f79516016a6', 'https://www.cncf.io/news/2020/03/09/jaxenter-cncf-survey-reveals-78-use-kubernetes-in-production/', 'https://databricks.com/session_eu19/reliable-performance-at-scale-with-apache-spark-on-kubernetes', 'https://kubedb.com/', 'https://portworx.com/basic-guide-kubernetes-storage/', 'https://mlinproduction.com/k8s-jobs/', 'https://gravitational.com/blog/kubernetes-production-patterns/', 'https://srcco.de/posts/web-service-on-kubernetes-production-checklist-2019.html', 'https://nuclio.io/docs/latest/setup/k8s/running-in-production-k8s/', 'https://grafana.com/blog/2019/07/24/how-a-production-outage-was-caused-using-kubernetes-pod-priorities/', 'http://www.cozysystems.net/portfolio/production-grade-container-orchestration/', 'https://datera.io/blog/optimizing-kubernetes-storage-for-production/', 'https://searchitoperations.techtarget.com/tip/Rising-use-of-Kubernetes-in-production-brings-new-IT-demands', 'https://spring.io/guides/gs/spring-boot-kubernetes/'],
['https://kubernetes.io/docs/tutorials/kubernetes-basics/create-cluster/cluster-interactive/', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/deploy-app/deploy-intro/', 'https://v1-17.docs.kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/training/', 'https://logz.io/blog/what-are-the-hardest-parts-of-kubernetes-to-learn/', 'https://softchris.github.io/pages/kubernetes-one.html', 'https://thenewstack.io/learning-kubernetes-the-need-for-a-realistic-playground/', 'https://www.freecodecamp.org/news/learn-kubernetes-in-under-3-hours-a-detailed-guide-to-orchestrating-containers-114ff420e882/', 'https://medium.com/faun/35-advanced-tutorials-to-learn-kubernetes-dae5695b1f18', 'https://medium.com/better-programming/3-years-of-kubernetes-in-production-heres-what-we-learned-44e77e1749c8', 'https://www.jeffgeerling.com/blog/2019/everything-i-know-about-kubernetes-i-learned-cluster-raspberry-pis', 'https://cloudacademy.com/course/kubernetes-patterns-for-application-developers/introduction/', 'https://cloudacademy.com/learning-paths/cloud-academy-introduction-to-kubernetes-92/', 'https://tutorials.botsfloor.com/top-tutorials-to-learn-kubernetes-e9507e76d9a4', 'https://www.digitalocean.com/community/curriculums/kubernetes-for-full-stack-developers', 'https://github.com/kelseyhightower/kubernetes-the-hard-way', 'https://kube.academy/courses/hands-on-with-kubernetes-and-containers', 'https://www.udemy.com/course/learn-kubernetes/', 'https://rx-m.com/kubernetes/the-kubernetes-learning-journey-for-developers/', 'https://jvns.ca/blog/2017/06/04/learning-about-kubernetes/', 'https://www.edx.org/course/introduction-to-kubernetes', 'https://www.capitalone.com/tech/software-engineering/create-and-deploy-kubernetes-clusters/', 'https://acloud.guru/learn/82b39fac-b9f7-43d1-8f52-6a89efe5202f', 'https://www.amazon.com/Keras-Kubernetes-Journey-Learning-Production/dp/1119564832', 'https://www.oreilly.com/library/view/programming-kubernetes/9781492047094/ch01.html', 'https://learn.openshift.com/', 'https://boxboat.com/', 'https://eng.lyft.com/improving-kubernetes-cronjobs-at-scale-part-1-cf1479df98d4', 'https://www.socallinuxexpo.org/sites/default/files/presentations/Scale%2015x.pdf', 'https://oteemo.com/training/kubernetes-for-sres-and-devsecops-engineers/', 'https://learn.oracle.com/ols/home/application-development-learning-subscription/37192', 'https://www.cisco.com/c/dam/en_us/training-events/le31/le46/cln/pdf/webinar_slides/roach-intro-kubernetes.pdf', 'https://www.lynda.com/learning-paths/Developer/master-cloud-native-infrastructure-with-kubernetes', 'https://www.computing.co.uk/news/4019233/monzo-learned-lot-self-hosting-kubernetes-wouldn%E2%80%99', 'https://www.weave.works/technologies/kubernetes-on-aws/', 'https://auth0.com/blog/kubernetes-tutorial-step-by-step-introduction-to-basic-concepts/', 'https://konghq.com/videos/what-weve-learned-building-a-multi-region-dbaas-on-kubernetes/', 'https://www.quora.com/What-are-some-good-ways-of-learning-Kubernetes', 'https://learn.hashicorp.com/tutorials/consul/service-mesh', 'https://learnk8s.io/blog', 'https://www.edureka.co/community/69951/what-are-the-prerequisites-required-to-learn-kubernetes', 'https://www.threatstack.com/blog/50-best-kubernetes-architecture-tutorials', 'https://mlinproduction.com/intro-to-kubernetes/', 'https://docs.microsoft.com/en-us/azure/aks/tutorial-kubernetes-deploy-application', 'https://www.cncf.io/news/2020/08/20/computing-monzo-we-learned-a-lot-from-self-hosting-kubernetes-but-we-wouldnt-do-it-again/', 'https://www.openstack.org/summit/denver-2019/summit-schedule/events/23461/lessons-learned-running-open-infrastructure-on-baremetal-kubernetes-clusters-in-production', 'https://www.alibabacloud.com/blog/learn-kubernetes-with-ease_596570', 'https://www.audible.com/pd/Kubernetes-A-Step-by-Step-Guide-to-Learn-and-Master-Kubernetes-Audiobook/B07QDP3P9L', 'https://www.giantswarm.io/', 'https://www.magalix.com/blog/what-we-learned-from-running-fully-containerized-services-on-kubernetes-part-i', 'https://www.businesswire.com/news/home/20190806005524/en/Sysdig-Introduces-Runtime-Profiling-and-Anomaly-Detection-with-Machine-Learning-to-Secure-Kubernetes-Environments-at-Scale', 'https://www.anodot.com/blog/kubernetes-monitoring-best-practices/', 'https://www.crn.com/news/data-center/nutanix-cto-new-kubernetes-paas-bests-vmware-via-simplicity-', 'https://www.infoq.com/news/2019/12/kubernetes-hard-way-datadog/', 'https://geekflare.com/learn-kubernetes/', 'https://www.reddit.com/r/devops/comments/8xrthv/how_to_learn_kubernetes_quickly/', 'https://www.sitepoint.com/setting-up-on-premise-kubernetes/', 'https://www.brighttalk.com/webcast/6793/376028/simplifying-machine-learning-pipeline-deployments-on-kubernetes', 'https://www.carahsoft.com/learn/resource/3067-kubernetes-blog', 'https://kccnceu20.sched.com/event/ZeoY', 'https://goto.docker.com/rs/929-FJL-178/images/DockerCon19-Guide-to-Kubernetes-Agenda.pdf', 'https://stripe.com/blog/operating-kubernetes', 'https://news.ycombinator.com/item?id=21646762', 'https://www.fairwinds.com/blog/how-we-learned-to-stop-worrying-and-love-cluster-upgrades', 'https://nickjanetakis.com/blog/docker-swarm-vs-kubernetes-which-one-should-you-learn', 'https://acloudguru.com/learning-paths', 'https://www.jeremyjordan.me/kubernetes/', 'https://www.iotforall.com/ebooks/an-introduction-to-kubernetes/', 'https://enterprisersproject.com/article/2020/2/kubernetes-6-secrets-success', 'https://www.thoughtworks.com/insights/blog/kubernetes-exciting-future-developers-and-infrastructure-engineering-0', 'https://dev.to/chuck_ha/learning-the-kubernetes-codebase-1324', 'https://kubernetes-io-vnext-staging.netlify.app/training/', 'https://jaxlondon.com/cloud-kubernetes-serverless/what-we-learned-moving-hundreds-of-services-into-the-cloud-a-java-kubernetes-cassandra-dynamodb-best-practices-story/', 'https://sharing.luminis.eu/blog/what-ive-learned-about-kubernetes/', 'https://www.coursera.org/learn/foundations-google-kubernetes-engine-gke/reviews', 'https://www.ascend.io/tag/kubernetes'],
['https://thenewstack.io/kubernetes-deep-dive-and-use-cases/', 'https://kubernetes.io/case-studies/', 'https://kubernetes.io/de/case-studies/', 'https://kubernetes.io/case-studies/pinterest/', 'https://kubernetes.io/case-studies/pearson/', 'https://kubernetes.io/case-studies/buffer/', 'https://platform9.com/blog/kubernetes-use-cases/', 'https://dzone.com/articles/how-big-companies-are-using-kubernetes', 'https://codilime.com/harnessing-the-power-of-kubernetes-7-use-cases/', 'https://cloud.netapp.com/kubernetes-hub', 'https://www.stackrox.com/post/2020/02/top-7-container-security-use-cases-for-kubernetes-environments/', 'https://www.linode.com/docs/kubernetes/kubernetes-use-cases/', 'https://www.developintelligence.com/blog/2017/02/kubernetes-actually-use/', 'https://www.simplilearn.com/tutorials/kubernetes-tutorial/kubernetes-architecture', 'https://rancher.com/customers/', 'https://wiki.aquasec.com/display/containers/Kubernetes+Advantages+and+Use+Cases', 'https://www.edureka.co/blog/kubernetes-architecture/', 'https://www.trustradius.com/products/kubernetes/reviews?qs=product-usage', 'https://www.sumologic.com/blog/why-use-kubernetes/', 'https://stackoverflow.com/questions/35900435/what-is-a-good-use-case-for-kubernetes-pod', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_uc_intro', 'https://robin.io/platform/use-cases/', 'https://www.weave.works/technologies/the-journey-to-kubernetes/', 'https://www.brighttalk.com/webcast/14745/345526/kubernetes-use-cases-cloud-native-apps-hybrid-clouds-at-the-edge', 'https://www.vmware.com/content/dam/digitalmarketing/vmware/en/pdf/products/nsx/vmware-tanzu-usecases.pdf', 'https://searchitoperations.techtarget.com/feature/Kubernetes-use-cases-extend-beyond-container-orchestration', 'https://azure.microsoft.com/en-us/topic/what-is-kubernetes/', 'https://ubuntu.com/kubernetes/what-is-kubernetes', 'https://aws.amazon.com/eks/', 'https://docs.honeycomb.io/getting-data-in/integrations/kubernetes/usecases/', 'https://portworx.com/use-case/kubernetes-storage/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://www.xenonstack.com/use-cases/cloud-native-devops/', 'https://www.burwood.com/containers-kubernetes-workshop', 'https://diamanti.com/use-cases/', 'https://www.oracle.com/a/ocom/docs/cloud/oci-container-engine-oke-100.pdf', 'https://www.magalix.com/blog/deploying-an-application-on-kubernetes-from-a-to-z', 'https://loft.sh/blog/virtual-clusters-for-kubernetes-benefits-use-cases/', 'https://morioh.com/p/249c7cc7ebb7', 'https://kublr.com/', 'https://www.cncf.io/case-studies/', 'https://apprenda.com/blog/customers-really-using-kubernetes/', 'https://kubernetesbyexample.com/', 'https://sysdig.com/use-cases/', 'https://www.youtube.com/watch?v=qZkkYECxabk', 'https://www.appoptics.com/use-cases/kubernetes-monitoring', 'https://www.tigera.io/webinars/into-kubernetes-network-policy', 'https://www.kubeflow.org/docs/about/use-cases/', 'https://www.itprotoday.com/hybrid-cloud/when-use-kubernetes-orchestration-5-factors-consider', 'https://www.openstack.org/use-cases/containers/leveraging-containers-and-openstack/', 'https://www.getambassador.io/use-cases/kubernetes-api-gateway/', 'https://www.capitalone.com/tech/cloud/why-kubernetes-alone-wont-solve-enterprise-container-needs/', 'https://enterprisersproject.com/article/2017/10/how-make-case-kubernetes', 'https://www.run.ai/guides/kubernetes-architecture/', 'https://www.cisco.com/c/en/us/products/cloud-systems-management/container-platform/index.html', 'https://blog.thundra.io/do-you-really-need-kubernetes', 'https://www.qwiklabs.com/quests/45', 'https://www.infoq.com/articles/kubernetes-workloads-serverless-era/', 'https://phoenixnap.com/blog/kubernetes-vs-openstack', 'https://www.hpe.com/us/en/newsroom/press-release/2019/11/Hewlett-Packard-Enterprise-introduces-Kubernetes-based-platform-for-bare-metal-and-edge-to-cloud-deployments.html', 'https://www.rackspace.com/solve/how-kubernetes-has-changed-face-hybrid-cloud', 'https://www.threatstack.com/blog/20-developers-and-kubernetes-experts-reveal-the-biggest-mistakes-people-make-during-the-transition-to-kubernetes', 'https://gravitational.com/blog/microservices-containers-kubernetes/', 'https://www.fairwinds.com/blog/heroku-vs.-kubernetes-the-big-differences-you-should-know', 'https://www.ben-morris.com/do-you-really-need-kubernetes/', 'https://www.researchgate.net/publication/339400726_Producing_Cloud-Native_Smart_Manufacturing_Use_Cases_on_Kubernetes', 'https://discuss.hashicorp.com/t/what-are-advantages-use-consul-in-kubernetes-use-cases-without-service-mesh/9901', 'https://www.cloudvisory.com/usecases.html', 'https://containerjournal.com/topics/container-networking/powering-edge-with-kubernetes-a-primer/', 'https://www.globenewswire.com/news-release/2018/09/26/1576651/0/en/Eclipse-Foundation-and-Cloud-Native-Computing-Foundation-Collaborate-to-Grow-Kubernetes-Use-Cases-in-Trillion-Dollar-IoT-Market.html', 'https://www.openshift.com/blog/red-hat-chose-kubernetes-openshift', 'https://ieeexplore.ieee.org/document/9040152', 'https://www.idevnews.com/stories/7258/Rancher-Labs-Unveils-Lightweight-Kubernetes-for-Edge-and-IoT-Use-Cases', 'https://www.splunk.com/en_us/devops/kubernetes-monitoring.html', 'https://networkbuilders.intel.com/intel-technologies/container-experience-kits', 'https://rafay.co/the-kubernetes-current/', 'https://www.eksworkshop.com/beginner/140_assigning_pods/affinity_usecases/', 'https://www.lacework.com/kubernetes-security/', 'https://www.slideshare.net/chrisaarongaun5/kubernetes-community-growth-and-use-case-66066001', 'https://www.thoughtspot.com/codex/how-thoughtspot-uses-kubernetes-dev-infrastructure', 'https://www.couchbase.com/products/cloud/kubernetes', 'https://stackify.com/kubernetes-docker-deployments/', 'https://www.ansible.com/blog/how-useful-is-ansible-in-a-cloud-native-kubernetes-environment', 'https://www.kasten.io/kubernetes/backup-restore', 'https://www.mirantis.com/blog/multi-container-pods-and-container-communication-in-kubernetes/'],
['https://techolution.com/kubernetes-challenges/?sa=X&ved=2ahUKEwjgxfruyvPrAhUDJzQIHdUEArMQ9QF6BAgMEAI', 'https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://logz.io/blog/kubernetes-challenges-at-scale/', 'https://pythonspeed.com/articles/dont-need-kubernetes/', 'https://d2iq.com/blog/the-4-top-service-orchestration-challenges', 'https://www.instana.com/blog/problems-solved-and-problems-created-by-kubernetes/', 'https://www.itprotoday.com/hybrid-cloud/8-problems-kubernetes-architecture', 'https://cloudacademy.com/course/deploying-cloud-native-app-into-kubernetes/k8s-rolling-update-deployment-challenge/', 'https://kubernetes.io/docs/tasks/debug-application-cluster/debug-application/', 'https://medium.com/@srikanth.k/kubernetes-what-is-it-what-problems-does-it-solve-how-does-it-compare-with-its-alternatives-937fe80b754f', 'https://kubernetes.io/docs/setup/best-practices/cluster-large/', 'https://kubernetes.io/', 'https://www.deployhub.com/kubernetes-pipeline-challenges/', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://www.druva.com/blog/kubernetes-value-and-challenges-for-developing-cloud-apps/', 'https://www.fairwinds.com/blog/what-problems-does-kubernetes-solve', 'https://www.qwiklabs.com/focuses/10457?parent=catalog', 'https://www.infoworld.com/article/3545797/how-kubernetes-tackles-it-s-scaling-challenges.html', 'https://www.pinterest.com/pin/66639269471638454/', 'https://blog.bosch-si.com/bosch-iot-suite/why-the-iot-needs-kubernetes/', 'https://docs.microsoft.com/en-us/azure/aks/troubleshooting', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://www.tigera.io/blog/kubernetes-issues-and-solutions/', 'https://github.com/dennyzhang/challenges-kubernetes', 'https://stackify.com/kubernetes-service/', 'https://developer.ibm.com/components/redhat-openshift-ibm-cloud/blogs/build-smart-on-kubernetes-challenge/', 'https://cloud.netapp.com/blog/gcp-cvo-blg-multicloud-kubernetes-centralizing-multicloud-management', 'https://blog.overops.com/how-to-overcome-monitoring-challenges-with-kubernetes/', 'https://blog.rafay.co/all-things-kubernetes-3-instances-when-kubernetes-namespaces-dont-work', 'https://rancher.com/blog/2018/2018-10-18-scaling-kubernetes-in-hybrid-cloud/', 'https://itnext.io/kubernetes-challenges-for-observability-platforms-21af913a9135', 'https://docs.openstack.org/developer/performance-docs/issues/scale_testing_issues.html', 'https://www.getambassador.io/learn/multi-cluster-kubernetes/', 'https://www.skytap.com/blog/docker-kubernetes-deployment-grew/', 'https://enterprisersproject.com/article/2020/1/kubernetes-trends-watch-2020', 'https://itinfrastructure.report/live-webinar/cncf-webinar-series-%E2%80%93-challenges-in-deploying-kubernetes-on-hyperconverged-infrastructure-hci/2932', 'https://www.appdynamics.com/solutions/cloud/cloud-monitoring/kubernetes-monitoring/how-to-monitor-kubernetes-best-practices', 'https://learnk8s.io/troubleshooting-deployments', 'https://vmblog.com/archive/2019/10/25/using-machine-learning-to-catch-problems-in-a-distributed-kubernetes-deployment.aspx', 'https://platform.sh/guides/Platformsh-Fleet-Ops-Alternative-to-Kubernetes.pdf', 'https://devops.com/running-kubernetes-in-production-make-sure-your-routing-strategy-works/', 'https://www.dynatrace.com/news/blog/mastering-kubernetes-with-dynatrace/', 'https://www.jeffgeerling.com/blog/2018/kubernetes-complexity', 'https://diamanti.com/resources/deploying-kubernetes-on-hyperconverged-infrastructure/', 'https://www.cohesity.com/blog/kubernetes-backup-understanding-the-challenges/', 'https://www.cncf.io/blog/2020/07/10/how-kubernetes-empowered-nubank-engineers-to-deploy-200-times-a-week/', 'https://sysdig.com/use-cases/kubernetes-troubleshooting/', 'https://engineering.monday.com/kubernetes_migration/', 'https://www.f5.com/services/resources/white-papers/f5-and-containerization', 'https://devspace.cloud/blog/2020/01/27/kubernetes-platform-for-developers', 'https://www.businesswire.com/news/home/20190226005172/en/ParallelM-Solves-Real-World-Machine-Learning-Deployment-Challenge-Kubernetes', 'https://kubernetes-on-aws.readthedocs.io/en/latest/admin-guide/kubernetes-in-production.html', 'https://www.kentik.com/blog/the-visibility-challenge-for-network-overlays/', 'https://blogs.gartner.com/tony-iams/prepare-to-deploy-and-operate-multiple-kubernetes-clusters-at-scale/', 'https://kubevirtual.com/', 'https://phoenixnap.com/blog/kubernetes-monitoring-best-practices', 'https://blog.kloud.com.au/2020/02/29/my-experience-at-microsoft-containers-openhack-featuring-kubernetes-challenges/', 'https://wiki.aquasec.com/display/containers/Kubernetes+Deployment+101', 'https://nordcloud.com/kubernetes-the-simple-way/', 'https://aws.amazon.com/blogs/apn/monitoring-kubernetes-environments-with-aws-and-new-relics-cluster-explorer/', 'https://developer-docs.citrix.com/projects/citrix-k8s-ingress-controller/en/latest/certificate-management/acme/', 'https://about.att.com/innovationblog/2020/05/airship_community.html'],
['https://techbeacon.com/enterprise-it/4-kubernetes-security-challenges-how-address-them', 'https://www.helpnetsecurity.com/2020/01/21/kubernetes-security-challenges/', 'https://kubernetes.io/docs/reference/issues-security/security/', 'https://neuvector.com/container-security/kubernetes-security-guide/', 'https://www.brighttalk.com/webcast/18009/413396/kubernetes-security-7-things-you-should-consider', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://www.exabeam.com/information-security/kubernetes-security-monitoring/', 'https://logz.io/blog/kubernetes-security/', 'https://stackify.com/kubernetes-security-best-practices-you-must-know/', 'https://platform9.com/blog/kubernetes-security-what-and-what-not-to-expect/', 'https://snyk.io/learn/kubernetes-security/', 'https://securityboulevard.com/2020/05/security-in-kubernetes-environment/', 'https://www.portshift.io/blog/what-kubernetes-does-for-security/', 'https://www.trendmicro.com/vinfo/us/security/news/virtualization-and-cloud/guidance-on-kubernetes-threat-modeling', 'https://vexxhost.com/blog/address-these-4-kubernetes-security-challenges-now/', 'https://query.prod.cms.rt.microsoft.com/cms/api/am/binary/RE36AY2', 'https://subscription.packtpub.com/book/application_development/9781788999786/5/ch05lvl1sec42/understanding-kubernetes-security-challenges', 'https://medium.com/@jain.sm/security-challenges-with-kubernetes-818fad4a89f2', 'https://containerjournal.com/topics/container-ecosystems/threatstack-report-highlights-common-kubernetes-security-issues/', 'https://www.threatstack.com/blog/3-things-to-know-about-kubernetes-security', 'https://wiki.aquasec.com/display/containers/Kubernetes+Security+Best+Practices', 'https://strategicfocus.com/2020/07/16/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://enterprisersproject.com/article/2019/1/kubernetes-security-4-areas-focus', 'https://www.checkpoint.com/downloads/products/checkpoint-cloud-native-security.pdf', 'https://www.metricfire.com/blog/kubernetes-security-secrets-from-the-trenches/', 'https://www.newsbreak.com/news/0Ovu6Me9/4-kubernetes-security-challenges-and-how-to-address-them', 'https://dzone.com/articles/container-and-kubernetes-security-a-2020-update', 'https://www.sumologic.com/kubernetes/security/', 'https://www.cio.com/article/3411994/kubernetes-security-best-practices-for-enterprise-deployment.html', 'https://github.com/kubernetes/community/tree/master/wg-iot-edge/whitepapers/edge-security-challenges', 'https://cilium.io/blog/2020/07/27/2020-07-27-multitenancy-network-security/', 'https://rancher.com/tags/security', 'https://www.techrepublic.com/resource-library/downloads/kubernetes-security-guide-free-pdf/', 'https://www.vmware.com/topics/glossary/content/kubernetes-security', 'https://www.sdxcentral.com/articles/news/latest-kubernetes-security-flaw-linked-to-incomplete-patch-of-past-flaw/2019/06/', 'https://www.bankinfosecurity.com/next-cloud-security-challenge-containers-kubernetes-a-13762', 'https://kubernetes.cn/docs/tasks/administer-cluster/securing-a-cluster/', 'https://www.cpomagazine.com/cyber-security/dont-want-security-issues-then-dont-misuse-your-images-and-image-registries/', 'https://www.cloudmanagementinsider.com/5-security-challenges-for-containers-and-their-remedies/', 'https://www.lacework.com/enhancing-native-kubernetes-security/', 'https://www.alcide.io/kubernetes-security', 'https://www.fireeye.com/products/cloud-security.html', 'https://blog.container-solutions.com/security-challenges-in-microservice-implementations', 'https://www.altostack.io/company/blog/kubernetes-best-practices-security/', 'https://www.oreilly.com/library/view/kubernetes-security/9781492039075/', 'https://www.peerlyst.com/posts/using-cloud-native-technologies-to-solve-application-security-challenges-in-kubernetes-deployments-cequence-security', 'https://sysdig.com/wp-content/uploads/2019/01/kubernetes-security-guide.pdf', 'https://konghq.com/blog/10-ways-microservices-create-new-security-challenges/', 'https://www.darkreading.com/cloud/why-devsecops-is-critical-for-containers-and-kubernetes/a/d-id/1337735', 'https://www.cequence.ai/blog/application-security-in-kubernetes-why-we-joined-cncf/', 'https://www.businesswire.com/news/home/20200727005219/en/Sysdig-Cuts-Container-and-Kubernetes-Visibility-and-Security-Onboarding-to-5-Minutes', 'https://www.qualys.com/apps/container-security/', 'https://www.slideshare.net/karthequian/kubernetes-security-119557185', 'https://insights.thirdrepublic.com/kubernetes-security-the-four-key-areas-to-focus-on/', 'https://resources.whitesourcesoftware.com/blog-whitesource/top-container-security-tools-you-should-know', 'https://www.heliossolutions.co/blog/kubernetes-security-defined-explained-and-explored/', 'https://www.redhat.com/cms/managed-files/cl-container-security-openshift-cloud-devops-tech-detail-f7530kc-201705-en.pdf', 'https://webinars.devops.com/kubernetes-security-best-practices-for-devops', 'https://thenewstack.io/implementing-effective-container-security-strategies/', 'https://www.devopsdigest.com/the-kubernetes-security-paradox', 'https://www.aisec.fraunhofer.de/content/dam/aisec/Dokumente/Publikationen/Studien_TechReports/englisch/caas_threat_analysis_wp.pdf', 'https://www.twistlock.com/wp-content/uploads/2019/05/kubecon-talk.pdf', 'https://www.cloudexpoeurope.com/__media/theatre-15/Day-2-T15-1145-Lorenzo-Galleli_K8s-Security-BP_Cloud_Expo.pdf', 'https://www.paladion.net/blogs/kubernetes-introduction-and-security-aspects', 'https://www.meetup.com/Bay-Area-OWASP/events/272516000/', 'https://www.globaldots.com/webinar/kubernetes-security-by-design', 'https://www.cncf.io/wp-content/uploads/2019/08/CNCF-Cequence-Webinar-Slides-1.pdf', 'https://portswigger.net/daily-swig/cloud-security-microsoft-launches-att-amp-ck-inspired-matrix-for-kubernetes', 'https://www.ethicalhat.com/kubernetes-security-audit/', 'https://www.datacenterknowledge.com/cloud/cloud-configurations-continue-pose-data-center-security-challenges', 'https://www.urolime.com/blogs/kubernetes-security-challenges-top-tools-available/', 'https://www.youtube.com/watch?v=cRbHILH4f0A', 'https://www.infoq.com/articles/Kubernetes-security/', 'https://www.altoros.com/blog/ensuring-security-across-kubernetes-deployments/', 'https://engineering.bitnami.com/articles/running-helm-in-production.html', 'https://www.tripwire.com/state-of-security/devops/kubernetes-usage-skyrocketing-security-concerns-remain/', 'https://www.forbes.com/sites/forbestechcouncil/2019/11/20/the-kubernetes-ship-has-set-sail-is-your-security-team-on-board/', 'https://www.fairwinds.com/blog/kubernetes-best-practices-for-security', 'https://www.fortinet.com/content/dam/fortinet/assets/alliances/sb-xtending-enterprise-security-into-kubernetes-environments.pdf', 'http://techgenix.com/container-security/', 'https://www.esecurityplanet.com/applications/tips-for-container-and-kubernetes-security.html', 'https://www.esecurityplanet.com/products/top-container-and-kubernetes-security-vendors.html', 'http://photoarian.com/8yd4g1v/kubernetes-security-pdf.html', 'https://techcloudlink.com/network-security/operating-kubernetes-clusters-and-applications-safely/', 'https://www.csoonline.com/article/3268922/why-securing-containers-and-microservices-is-a-challenge.html', 'https://techcrunch.com/2020/09/10/stackrox-nabs-26-5m-for-a-platform-that-secures-containers-in-kubernetes/', 'https://frinkzintl.com/tmf9x/kubernetes-security-issues.html', 'https://www.thefabricnet.com/how-kubernetes-vulnerability-is-about-the-challenges-of-securing-distributed-microservices-part-2/'],
['https://www.openshift.com/blog/kubernetes-adoption-challenges-solved?sa=X&ved=2ahUKEwjkv-PzyvPrAhXLIDQIHW9MBy4Q9QF6BAgLEAI', 'https://www.openshift.com/blog/kubernetes-adoption-challenges-solved', 'https://medium.com/swlh/hurdles-and-challenges-hindering-mass-kubernetes-adoption-9a7134f581a1', 'https://techbeacon.com/enterprise-it/top-5-container-adoption-management-challenges-it-ops', 'https://www.stackrox.com/post/2020/05/kubernetes-security-101/', 'https://diamanti.com/wp-content/uploads/2019/06/Diamanti_2019_Container_Survey.pdf', 'https://www.sitecore.com/knowledge-center/getting-started/should-my-team-adopt-docker', 'https://rancher.com/blog/2019/container-industry-survey-results', 'https://devops.com/kubernetes-adoption-are-you-game-for-it/', 'https://www.brighttalk.com/webcast/6793/435999/how-to-accelerate-kubernetes-deployment-in-the-enterprise', 'https://virtualizationreview.com/articles/2020/05/13/state-of-kubernetes.aspx', 'https://blogs.vmware.com/load-balancing/2020/08/21/overcoming-application-delivery-challenges-for-kubernetes/', 'https://kublr.com/industry-info/docker-and-kubernetes-survey/', 'https://jaxenter.com/kubernetes-practical-implications-171647.html', 'https://blog.checkpoint.com/2020/06/08/container-adoption-trends/', 'https://www.sentinelone.com/blog/kubernetes-security-challenges-risks-and-attack-vectors/', 'https://venturebeat.com/2020/04/28/red-hat-shift-to-kubernetes-and-microservices-is-happening-faster-than-expected/', 'https://www.hyscale.io/blog/kubernetes-in-production-five-challenges-youre-likely-to-face-and-how-to-approach-them/', 'https://www.fairwinds.com/the-guide-to-kubernetes-adoption?hsLang=en', 'https://ubuntu.com/engage/kubernetes-deployment-enterprise-whitepaper', 'https://cloudacademy.com/blog/kubernetes-the-current-and-future-state-of-k8s-in-the-enterprise/', 'https://wiki.aquasec.com/display/containers/Container+Challenges', 'https://www.linkedin.com/pulse/challenges-running-stateful-workloads-kubernetes-mark-pannekoek', 'https://loft.sh/blog/why-adopting-kubernetes-is-not-the-solution/', 'https://www.cncf.io/wp-content/uploads/2020/08/CNCF_Survey_Report.pdf', 'https://www.hpe.com/us/en/insights/articles/building-a-container-strategy13-potholes-to-avoid-2004.html', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://sponsorcontent.cnn.com/interactive/vmware/kubernetes/', 'https://www.fingent.com/blog/5-reasons-to-adopt-kubernetes-into-your-business-it/', 'https://www.ibm.com/downloads/cas/BBKLLK1L', 'https://www.nutanix.com/content/dam/nutanix-cxo/pdf/Why-is-DevOps-so-Hard.pdf', 'https://kubernetes.io/case-studies/huawei/', 'http://info.signalfx.com/Observability-Strategy-for-Kubernetes-and-ServiceMesh?utm_campaign=K8s-ServiceMesh-Webinar&utm_medium=SignalFx&utm_source=SignalFxl', 'https://portworx.com/wp-content/uploads/2019/05/2019-container-adoption-survey.pdf', 'https://www.itopstimes.com/contain/how-the-lack-of-kubernetes-experts-is-hindering-kubernetes-adoption/', 'https://get.alcide.io/2019-report-the-state-of-kubernetes-adoption-and-security', 'https://www.projectcalico.org/event/addressing-the-challenges-of-the-five-stage-kubernetes-journey/', 'https://www.businesswire.com/news/home/20200721005086/en/Fujitsu-Rancher-Labs-Join-Forces-Drive-Kubernetes', 'https://www.techrepublic.com/article/kubecon-highlights-huge-growth-in-the-adoption-of-kubernetes/', 'https://www.zdnet.com/article/corporate-culture-complicates-kubernetes-and-container-collaboration/', 'https://www.synopsys.com/blogs/software-security/container-adoption-numbers/', 'https://www.weave.works/', 'https://nirmata.com/2019/01/24/new-survey-yields-kubernetes-as-mainstream/', 'https://securityboulevard.com/2020/03/6-container-adoption-trends-of-2020/', 'https://hackernoon.com/challenges-in-container-adoption-72540b0be7ad', 'https://devspace.cloud/blog/2019/10/31/advantages-and-disadvantages-of-kubernetes', 'https://blog.christianposta.com/challenges-of-adopting-service-mesh-in-enterprise-organizations/', 'https://www.microsoft.com/security/blog/2020/04/02/attack-matrix-kubernetes/', 'https://www.metricfire.com/blog/aws-ecs-vs-kubernetes/', 'https://www.redhat.com/en/blog/containers-and-kubernetes-can-be-essential-hybrid-cloud-computing-strategy', 'https://www.infoworld.com/article/3455244/kubernetes-meets-the-real-world-3-success-stories.html', 'https://www.getambassador.io/resources/challenges-api-gateway-kubernetes/', 'https://cloudcomputing-news.net/news/2020/jul/23/is-kubernetes-the-key-to-unlocking-the-benefits-of-containerisation/', 'https://wikibon.com/google-hybrid-cloud-challenges/', 'https://info.roundtower.com/hubfs/app/pdf/roundtower-rancher-how_to_build_an_enterprise_kubernetes_strategy.pdf', 'https://www.vamsitalkstech.com/?p=8014', 'https://www.crn.com/news/cloud/vmware-unleashes-its-kubernetes-strategy', 'https://techhq.com/2020/07/how-kubernetes-adds-agility-in-challenging-times/', 'https://searchitoperations.techtarget.com/tip/An-overview-of-Knative-use-cases-benefits-and-challenges', 'https://www.forbes.com/sites/janakirammsv/2020/03/04/15-most-interesting-cloud-native-trends-from-the-cncf-survey/', 'https://www.magalix.com/blog/why-teams-adopting-kubernetes-fight-over-capacity-management', 'https://blog.paloaltonetworks.com/2020/07/network-cn-series-firewalls/', 'https://www.wwt.com/article/kubernetes-101', 'https://www.prweb.com/releases/new_nirmata_study_more_than_half_of_kubernetes_users_cite_lack_of_expertise_prevents_wider_adoption_across_the_organization/prweb16055189.htm', 'https://www.idc.com/getdoc.jsp?containerId=US45213619', 'https://victorops.com/blog/kubernetes-vs-docker-swarm', 'https://www.appdynamics.com/blog/product/kubernetes-monitoring-with-appdynamics/', 'https://www.flexera.com/about-us/press-center/rightscale-2019-state-of-the-cloud-report-from-flexera-identifies-cloud-adoption-trends.html', 'https://www.telesemana.com/wp-content/uploads/2019/08/OpenShift-Telefonica-Chile-Peru-Columbia.pdf', 'https://instruqt.com/', 'https://www.pinterest.com/baldwin8209/kubernetes-market-analysis/', 'https://www.openlogic.com/blog/why-move-kubernetes-orchestration', 'https://www.idgconnect.com/document/1b4b8285-bd80-48cc-86ea-2a7083ce9776/the-state-of-kubernetes-adoption-and-security-%E2%80%93-2019-report', 'https://enterprisersproject.com/article/2019/8/multi-cloud-statistics', 'https://www.instana.com/blog/tame-the-complexity-of-kubernetes-with-instana-and-rancher/', 'https://www.helpnetsecurity.com/2020/01/26/week-in-review-kubernetes-security-challenges-nist-privacy-framework-mitsubishi-electric-breach/', 'https://www.globaldots.com/blog/why-you-should-adopt-kubernetes'],
['https://medium.com/@alexho140/kubernetes-best-practices-lessons-learned-e7437c158bb2', 'https://www.leverege.com/iot-ebook/lessons-learned', 'https://noti.st/jbaruch/Ok0wZ6', 'https://kubernetes.io/docs/tutorials/kubernetes-basics/', 'https://kubernetes.io/docs/tutorials/', 'https://scaffold.digital/kubernetes-lessons-learned/', 'https://github.com/cuongnv23/awesome-k8s-lessons-learned', 'https://acotten.com/post/1year-kubernetes', 'https://opensource.com/article/20/6/kubernetes-garbage-collection', 'https://about.gitlab.com/blog/2020/09/16/year-of-kubernetes/', 'https://www.youtube.com/watch?v=zOKVzRX8Fk4', 'https://www.youtube.com/watch?v=jzdhUGdYay0', 'https://learnk8s.io/blog/kubernetes-chaos-engineering-lessons-learned', 'https://hackernoon.com/lessons-learned-from-moving-my-side-project-to-kubernetes-c28161a16c69', 'https://www.weave.works/blog/kubernetes-best-practices', 'https://blog.pythian.com/lessons-learned-kubernetes/', 'https://www.udacity.com/course/scalable-microservices-with-kubernetes--ud615', 'https://www.slideshare.net/AgileSparks/kubernetes-is-hard-lessons-learned-taking-our-apps-to-kubernetes-by-eldad-assis', 'https://databricks.com/session/hdfs-on-kubernetes-lessons-learned', 'https://www.brighttalk.com/webcast/8251/279115/hdfs-on-kubernetes-lessons-learned', 'https://coderanger.net/lessons-learned/', 'https://blog.bosch-si.com/bosch-iot-suite/lessons-learned-using-kubernetes-in-iot-deployments/', 'https://www.manning.com/books/learn-kubernetes-in-a-month-of-lunches', 'https://grafana.com/blog/2019/05/08/kubernetes-co-creator-brendan-burns-lessons-learned-monitoring-cloud-native-systems/', 'https://kube.academy/courses/kubernetes-in-depth', 'https://kccnceu20.sched.com/event/ZeoG/lesson-learned-on-running-hadoop-on-kubernetes-chen-qiang-linkedin', 'https://www.information-age.com/five-devops-lessons-kubernetes-scale-secure-access-control-123491216/', 'https://www.udemy.com/course/kubernetesmastery/', 'https://www.pulumi.com/blog/crosswalk-kubernetes/', 'https://devopspoints.com/kubernetes-lessons-learned-from-production.html', 'https://hazelcast.org/resources/tech-talk-advanced-kubernetes-lesson-learned-from-building-a-managed-service/', 'https://cloud.ibm.com/docs/containers?topic=containers-cs_cluster_tutorial', 'https://conferences.oreilly.com/velocity/vl-eu/public/schedule/detail/78924.html', 'https://www.katacoda.com/courses/kubernetes', 'https://training.hazelcast.com/tech-talk-advanced-kubernetes-lesson-learned-from-building-a-managed-service', 'https://platform9.com/resource/five-lessons-learned-from-large-scale-implementation-of-kubernetes-in-the-enterprise/', 'https://dl.acm.org/citation.cfm?id=2898444', 'https://www.itopstimes.com/contain/what-we-learned-7-field-tested-best-practices-for-kubernetes/', 'https://logz.io/blog/resources-learn-kubernetes/', 'https://dev.to/marcosx/lessons-learned-from-one-year-with-kubernetes-and-istio-2p79', 'https://www.pearsonitcertification.com/store/hands-on-kubernetes-livelessons-video-training-9780136702863', 'https://ieeexplore.ieee.org/document/8457916', 'https://thenewstack.io/7-key-considerations-for-kubernetes-in-production/', 'https://www.instana.com/blog/lessons-learned-from-dockerizing-our-application/', 'https://azure.microsoft.com/en-us/resources/kubernetes-learning-and-training/', 'https://petabridge.com/cluster/lesson5.html', 'https://seleniumcamp.com/talk/selenium-in-kubernetes-lessons-learned/', 'https://engineering.hellofresh.com/lessons-learned-from-running-eks-in-production-a6dddb8368b8', 'https://www.digitalocean.com/resources/kubernetes/', 'https://www.educative.io/courses/practical-guide-to-kubernetes', 'https://www.meetup.com/fr-FR/devdialogue/events/261305734/', 'https://app.livestorm.co/forefront-events/kubernetes-in-production-lessons-learned', 'https://www.spectrumscaleug.org/wp-content/uploads/2020/03/SSSD20DE-Spectrum-Scale-use-cases-and-field-lessons-learned-with-Kubernetes-and-OpenShift.pdf', 'https://www.newsbreak.com/news/1584691327323/hard-lessons-learned-about-kubernetes-garbage-collection', 'https://containerjournal.com/topics/container-ecosystems/real-world-lessons-from-devops-dockerizing-applications/', 'https://www.reddit.com/r/kubernetes/comments/hih5cl/whats_your_one_important_lesson_learned_by_using/', 'https://rancher.com/tutorials/', 'https://www.openstack.org/videos/summits/denver-2019/kubernetes-7-lessons-learned-from-7-data-centers-in-7-months', 'https://dave.cheney.net/paste/lessons-learnt-building-kubernetes-controllers-brisbane.pdf', 'https://webinars.devops.com/five-lessons-learned-from-large-scale-implementation-of-kubernetes-in-the-enterprise', 'https://cloudacademy.com/course/introduction-to-kubernetes/introduction/', 'https://www.computing.co.uk/analysis/3074966/kubernetes-lessons-learned-from-deploying-it-at-adobe-advertising-cloud', 'https://leap.jfrog.com/WN-2018-12-LessonsLearnedOnImplementingKubernetesandJFrog-US_RegistrationPage-2speakers.html', 'https://blog.container-solutions.com/riding-the-tiger-lessons-learned-implementing-istio', 'https://confs.space/conf/barcelona-kubecon-cloudnativecon/lessons-learned-migrating-kubernetes-from-docker-to-containerd-runtime/', 'https://portal.pixelfederation.com/it/blog/article/lessons-learned-from%20deploying-kubernetes-at-pixel-federation', 'https://www.semanticscholar.org/paper/Deploying-Microservice-Based-Applications-with-and-Vayghan-Saied/18a720c86ed6e166c26f7d39490bfd11b93ea3ec', 'https://www.researchgate.net/publication/327814344_Deploying_Microservice_Based_Applications_with_Kubernetes_Experiments_and_Lessons_Learned', 'https://www.airshipit.org/blog/airship2-is-alpha/', 'https://www.linkedin.com/pulse/one-year-using-kubernetes-production-lessons-learned-sanjeeb-sarangi?articleId=6693552001202180097', 'https://sysdig.com/blog/troubleshoot-kubernetes-oom/', 'https://www.pinterest.com/pin/115686284166223635/', 'https://itnext.io/kubernetes-is-hard-190f1d0c6d36', 'https://acloud.guru/learn/2e0bad96-a602-4c91-9da2-e757d32abb8f?utm_source=legacyla&utm_medium=redirect&utm_campaign=one_platform', 'https://enterprisersproject.com/article/2019/11/kubernetes-3-ways-get-started', 'https://kubernetes-on-aws.readthedocs.io/en/latest/postmortems/jan-2019-dns-outage.html', 'https://retgits.com/2018/12/lessons-learned-on-implementing-kubernetes-and-jfrog/', 'https://www.sisense.com/blog/9-lessons-learned-migrating-from-heroku-to-kubernetes-with-zero-downtime/', 'https://freecontent.manning.com/learn-kubernetes-from-the-ground-up/', 'https://www.techrepublic.com/article/4-critical-lessons-devops-admins-can-learn-from-netflixs-container-journey/', 'http://londonjavacommunity.co.uk/spring-cloud-docker-kubernetes-lessons-learned-in-the-context-of-an-oss-project/', 'https://www.openshift.com/blog/kubernetes-1.18-strengthens-networking-and-storage-while-getting-ready-for-the-next-big-adventure', 'https://www.docker.com/blog/mydockerbday-discounts-on-docker-captain-content/', 'https://www.ciscopress.com/store/kubernetes-in-the-data-center-livelessons-9780135646496', 'https://openai.com/blog/scaling-kubernetes-to-2500-nodes/', 'https://www.sandervanvugt.com/course/getting-started-with-kubernetes-video-training-course/', 'https://www.msb.com/', 'https://www.usenix.org/biblio-3185', 'https://slideslive.com/38911596/lessons-learned-building-scalable-elastic-akka-clusters-on-google-managed-kubernetes', 'https://www.cockroachlabs.com/kubernetes-bootcamp/', 'https://www.eventbrite.com/e/20000-upgrades-later-lessons-from-a-year-of-managed-kubernetes-upgrades-registration-116135700005', 'https://insights.dice.com/2018/11/07/expert-tips-resources-learning-kubernetes/', 'https://2020.jnation.pt/talks/lessons-learned-implementing-microservices-in-kubernetes/', 'https://k8s.af/', 'https://about.sourcegraph.com/go/valuable-lessons-in-over-engineering-the-core-of-kubernetes-kops/', 'https://devopsdays.org/events/2019-vancouver/program/shane-gearon/'],
['https://www.weave.works/blog/aws-and-kubernetes-networking-options-and-trade-offs-part-3', 'https://kubernetes.io/docs/concepts/workloads/controllers/job/', 'https://kubernetes.io/blog/2017/08/kubernetes-meets-high-performance/', 'https://softwareengineeringdaily.com/2018/01/13/the-gravity-of-kubernetes/', 'https://github.blog/2017-08-16-kubernetes-at-github/', 'http://blog.kubecost.com/blog/requests-and-limits/', 'https://dzone.com/articles/aws-and-kubernetes-networking-options-and-trade-of', 'https://www.getambassador.io/resources/building-kubernetes-based-platform/', 'https://stackoverflow.com/questions/32093067/microservices-styles-and-tradeoffs-akka-cluster-vs-kubernetes-vs', 'https://thenewstack.io/guide-for-2019-what-to-consider-about-vms-and-kubernetes/', 'https://blog.quasardb.net/quasardb-on-kubernetes', 'https://www.bluematador.com/blog/kubernetes-on-aws-eks-vs-kops', 'https://ocelot.readthedocs.io/en/latest/features/kubernetes.html', 'https://docs.newrelic.com/docs/integrations/kubernetes-integration/installation/kubernetes-integration-install-configure', 'https://www.accenture.com/_acnmedia/PDF-104/Accenture-Great-Migration-Shifting-appliance-to-cloud-native-architecture.pdf', 'https://www.reddit.com/r/kubernetes/comments/adzqyo/what_are_the_tradeoffs_to_using_one_vs_multiple/', 'https://www.jaegertracing.io/docs/1.19/operator/', 'https://qconlondon.com/london2020/presentation/kubernetes-not-your-platform-foundation', 'https://owasp.org/www-chapter-singapore/assets/presos/Microservices%20Security%2C%20Container%20Runtime%20Security%2C%20MITRE%20ATT%26CK%C2%AE%20%20for%20Kubernetes%20(K8S)%20and%20Service%20Mesh%20for%20Security.pdf', 'https://snyk.io/blog/secure-your-kubernetes-applications-with-snyk-container/', 'https://www.postgresql.org/about/news/2004/', 'https://subscription.packtpub.com/book/cloud_and_networking/9781839211256/3/ch03lvl1sec23/large-cluster-performance-cost-and-design-trade-offs', 'https://www.confluent.io/blog/apache-kafka-kubernetes-could-you-should-you/', 'https://www.gartner.com/smarterwithgartner/6-best-practices-for-creating-a-container-platform-strategy/', 'https://moorinsightsstrategy.com/cisco-introduces-first-hybrid-kubernetes-platform-support-for-amazon-eks/', 'https://opensource.com/article/19/12/zen-python-trade-offs', 'https://tanzu.vmware.com/content/slides/design-tradeoffs-in-distributed-systems-how-southwest-airlines-uses-geode', 'https://itnext.io/load-balancing-strategies-in-kubernetes-6213a5becd66', 'https://www.enterpriseai.news/2020/01/08/kubernetes-gets-a-runtime-security-tool/', 'https://www.splunk.com/en_us/blog/it/strategies-for-monitoring-docker-and-kubernetes.html', 'https://docs.logdna.com/docs/logdna-agent-kubernetes', 'https://enterprisersproject.com/article/2020/5/kubernetes-migrations-5-mistakes', 'https://www.openshift.com/learn/topics/databases', 'https://linkerd.io/2020/02/25/multicluster-kubernetes-with-service-mirroring/', 'https://twitter.com/kubernetesio/status/1136688181439451137', 'http://ask.portworx.com/what-to-look-for-with-scalable-data-storage-for-kubernetes-on-demand/', 'https://gigaom.com/webinar/what-to-look-for-with-scalable-data-storage-for-kubernetes/', 'https://devopsdays.org/events/2020-madrid/program/manuel-pais', 'https://blog.turbonomic.com/kubernetes-resource-management-best-practices', 'https://www.freecodecamp.org/news/docker-swarm-vs-kubernetes-how-to-setup-both-in-two-virtual-machines-f8897fce7967/', 'https://kubernetescommunitydays.org/organizing-faq/', 'https://docs.microsoft.com/en-us/azure/architecture/reference-architectures/containers/aks/secure-baseline-aks', 'https://rancher.com/configuring-kubernetes-maximum-scalability', 'https://www.solo.io/blog/guidance-for-building-a-control-plane-for-envoy-part-5-deployment-tradeoffs/', 'https://github.com/kubernetes/kubernetes/issues/78140', 'https://containerjournal.com/features/docker-not-faster-vms-just-efficient/', 'https://medium.com/palantir/spark-scheduling-in-kubernetes-4976333235f3', 'https://devopscon.io/blog/kubernetes-is-not-an-afterthought/', 'https://www.brighttalk.com/webcast/17111/337388/enterprise-wide-kubernetes-episode-2-security', 'https://www.pulumi.com/docs/intro/concepts/organizing-stacks-projects/', 'https://www.capitalone.com/tech/software-engineering/conquering-statefulness-on-kubernetes/', 'https://www.pachyderm.com/blog/kubernetes-as-a-service/', 'https://kccnceu20.sched.com/event/Zeot/banking-on-kubernetes-the-hard-way-in-production-miles-bryant-suhail-patel-monzo-bank', 'https://platform9.com/blog/top-considerations-for-migrating-kubernetes-across-platforms/', 'https://kubernetes.cn/docs/reference/setup-tools/kubeadm/kubeadm-join/', 'https://searchitoperations.techtarget.com/tip/Istio-service-mesh-tech-boosts-Kubernetes-work-with-trade-offs', 'https://builtin.com/software-engineering-perspectives/deploy-manage-containers-kubernetes', 'https://www.spectrocloud.com/blog/kubernetes-multi-tenant-vs-single-tenant-clusters/', 'https://www.coalfire.com/the-coalfire-blog/december-2018/kubernetes-vulnerability-what-you-can-should-do', 'https://aspenmesh.io/category/kubernetes/', 'https://www.cloudjourney.io/articles/publiccloud/cost-matters-the-serverless-edition-ls/', 'https://linuxhint.com/stateful-vs-stateless-kubernetes/', 'https://www.jetstack.io/talks/bates-christian-puppet/', 'https://www.cncf.io/blog/2019/12/12/demystifying-kubernetes-as-a-service-how-does-alibaba-cloud-manage-10000s-of-kubernetes-clusters/', 'https://www.lastweekinaws.com/podcast/screaming-in-the-cloud/episode-25-kubernetes-is-named-after-the-greek-god-of-spending-money-on-cloud-services/', 'https://cloudowski.com/articles/4-ways-to-manage-kubernetes-resources/', 'https://www.digitalocean.com/community/tutorials/modernizing-applications-for-kubernetes', 'https://solute.us/wp-content/uploads/2019/11/SOLUTE-Choosing-a-Container-Based-PaaS.pdf', 'https://logz.io/blog/serverless-vs-containers/', 'https://blogs.mulesoft.com/dev/resources-dev/k8s-kubernetes/', 'https://www.int.com/blog/what-is-kubernetes/', 'https://www.ateam-oracle.com/aqua-oke', 'https://www.manning.com/livevideo/kubernetes-microservices', 'https://www.infoq.com/articles/kubernetes-multicluster-comms/', 'https://helm.sh/docs/topics/advanced/', 'https://events19.linuxfoundation.org/wp-content/uploads/2017/11/Patterns-and-Pains-of-Migrating-Legacy-Applications-to-Kubernetes-Josef-Adersberger-Michael-Frank-QAware-Robert-Bichler-Allianz-Germany.pdf', 'https://www.softwaredaily.com/post/5e145b64844b2a000c59b1d5/Amazon-Kubernetes-with-Abby-Fuller', 'https://www.infoworld.com/article/3387982/how-to-run-stateful-applications-on-kubernetes.html', 'https://www.datastax.com/blog/2012/01/your-ideal-performance-consistency-tradeoff-0', 'https://devtron.ai/', 'https://www.edgexfoundry.org/author/edgexfoundry/page/3/', 'https://www.getrevue.co/profile/devops-week-news/archive/141382', 'https://help.replicated.com/community/t/kubernetes-optional-embedded-database/318', 'https://www.linkedin.com/jobs/view/cloud-devops-engineer-kubernetes-docker-at-cloudix-1726072175', 'https://wideops.com/get-the-most-out-of-google-kubernetes-engine-with-priority-and-preemption/', 'https://developers.redhat.com/devnation/tech-talks/kubelet-no-masters', 'https://qconnewyork.com/ny2018/presentation/cri-runtimes-deep-dive-whos-running-my-kubernetes-pod', 'https://discourse.drone.io/t/strategy-for-pod-cpu-settings-on-kubernetes-runner/7813', 'https://www.ibm.com/blogs/cloud-archive/2017/04/deprecation-tradeoff-analytics/', 'https://content.pivotal.io/intersect/the-cios-guide-to-kubernetes?_lrsc=8cc3610b-bd30-4319-9210-8558e099fd9d', 'https://blog.scottlowe.org/2019/10/29/programmatically-creating-kubernetes-manifests/', 'https://docs.influxdata.com/influxdb/v1.8/concepts/insights_tradeoffs/', 'https://epsagon.com/development/aws-fargate-the-future-of-serverless-containers/', 'https://vianalabs.com/kubernetes-vs-docker/', 'https://www.slideshare.net/AmazonWebServices/running-a-highperformance-kubernetes-cluster-with-amazon-eks-con318r1-aws-reinvent-2018', 'https://cloudplex.io/blog/microservices-orchestration-with-kubernetes/', 'https://gruntwork.io/repos/v0.15.1/terraform-aws-eks/core-concepts.md'],
['https://kubernetes.io/blog/2019/04/17/the-future-of-cloud-providers-in-kubernetes/', 'https://en.wikipedia.org/wiki/Kubernetes#History', 'https://en.wikipedia.org/wiki/Kubernetes#Kubernetes_Objects', 'https://en.wikipedia.org/wiki/Kubernetes#Managing_Kubernetes_objects', 'https://en.wikipedia.org/wiki/Kubernetes#Cluster_API', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://codefresh.io/kubernetes-tutorial/kubernetes-cloud-aws-vs-gcp-vs-azure/', 'https://ubuntu.com/kubernetes', 'https://www.ibm.com/cloud/learn/kubernetes', 'https://www.cloudfoundry.org/container-runtime/', 'https://www.qwiklabs.com/quests/29', 'https://docs.cloud.oracle.com/iaas/Content/ContEng/Concepts/contengoverview.htm', 'https://www.infoworld.com/article/3574853/kubernetes-and-cloud-portability-its-complicated.html', 'https://blog.newrelic.com/engineering/what-is-kubernetes/', 'https://spring.io/projects/spring-cloud-kubernetes', 'https://www.elastic.co/guide/en/cloud-on-k8s/current/index.html', 'https://rancher.com/docs/rancher/v1.6/en/kubernetes/providers/', 'https://www.cncf.io/', 'https://www.docker.com/products/kubernetes', 'https://platform9.com/docs/deploy-kubernetes-the-ultimate-guide/', 'https://www.barrons.com/articles/kubernetes-is-the-next-big-thing-in-cloud-computing-and-its-free-51575576969', 'https://www.alibabacloud.com/product/kubernetes', 'https://juju.is/docs/kubernetes', 'https://www.replex.io/blog/the-ultimate-kubernetes-cost-guide-aws-vs-gce-vs-azure-vs-digital-ocean', 'https://towardsdatascience.com/is-kubernetes-on-premise-viable-8b488368af56', 'https://github.com/kubernetes-sigs/cloud-provider-azure', 'https://www.rackspace.com/managed-kubernetes', 'https://www.nutanix.com/blog/enterprise-kubernetes-done-right-nutanix-cloud-native', 'https://www.cisco.com/c/en/us/products/cloud-systems-management/hybrid-solution-kubernetes-on-aws/index.html', 'https://www.coursera.org/courses?query=kubernetes', 'https://diginomica.com/kubernetes-and-misconception-multi-cloud-portability', 'https://cognitiveclass.ai/courses/kubernetes-course', 'https://docs.mirantis.com/mcp/q4-18/mcp-ref-arch/kubernetes-cluster-plan/cloud-provider-overview.html', 'https://okteto.com/', 'https://www.stackrox.com/post/2020/02/eks-vs-gke-vs-aks/', 'https://thenewstack.io/how-to-deploy-a-kubernetes-cluster-to-the-google-cloud-platform/', 'https://geekflare.com/managed-kubernetes-platform/', 'https://www.delltechnologies.com/en-us/cloud/hybrid-cloud-computing/hci-for-kubernetes.htm', 'https://www.scaleway.com/en/docs/deploy-kubernetes-cluster-kubeadm-cloud-controller-manager/', 'https://www.dynatrace.com/technologies/kubernetes-monitoring/', 'https://www.zdnet.com/article/red-hat-takes-kubernetes-to-the-clouds-edge/', 'https://cloud.gov/docs/ops/runbook/troubleshooting-kubernetes/', 'https://www.accenture.com/us-en/blogs/software-engineering-blog/kralj-orchestrate-modern-cloud-kubernetes', 'https://www.pulumi.com/docs/intro/cloud-providers/kubernetes/', 'https://kubesail.com/', 'https://www.linkedin.com/learning/paths/master-cloud-native-infrastructure-with-kubernetes', 'https://www.bmc.com/blogs/kubernetes-patterns/', 'https://plugins.jenkins.io/kubernetes/', 'https://itnext.io/kubernetes-journey-up-and-running-out-of-the-cloud-kubernetes-overview-5012994b8955', 'https://devspace.cloud/', 'https://www.learncloudnative.com/blog/2020-05-26-getting-started-with-kubernetes-part-1/', 'https://www.presslabs.com/blog/kubernetes-cloud-providers-2019/', 'https://divvycloud.com/deploying-kubernetes-across-multiple-clouds/', 'https://www.msystechnologies.com/services/devops/kubernetes-cloud-providers/', 'https://www.hpe.com/us/en/insights/articles/why-cloud-native-open-source-kubernetes-matters-2002.html', 'https://blog.logrocket.com/comparing-kubernetes-across-cloud-providers-gcp-aws-azure-f7653730cd09/', 'https://kubernetes.cn/docs/tasks/administer-cluster/developing-cloud-controller-manager/', 'https://medium.com/techprimers/free-tiers-in-different-cloud-platforms-for-trying-out-kubernetes-2ccda3f296dc', 'https://www.infoq.com/news/2020/06/kubernetes-storage-kubera/', 'https://www.itproportal.com/features/kubernetes-as-a-cloud-native-operating-system/', 'https://kublr.com/blog/application-portability-with-kubernetes-and-cloud-native/', 'https://acloud.guru/learn/kubernetes-deep-dive', 'https://containerjournal.com/topics/container-ecosystems/multi-cloud-hybrid-cloud-and-kubernetes/', 'https://learnk8s.io/cloud-resources-kubernetes', 'https://techcrunch.com/2019/04/02/cloud-foundry-kubernetes/', 'https://ieeexplore.ieee.org/document/8666479', 'https://www.forbes.com/sites/forbestechcouncil/2020/06/04/how-to-jumpstart-your-hybrid-and-multi-cloud-strategy-with-microservices-and-kubernetes/', 'https://jaxenter.com/kubernetes-cloud-foundry-162118.html', 'https://threatpost.com/teamtnt-remote-takeover-cloud-instances/159075/', 'https://www.datacenterknowledge.com/open-source/cloud-foundry-goes-all-kubernetes', 'https://logz.io/blog/5-hosted-kubernetes-platforms/', 'https://convox.com/blog/cost-of-running-k8s', 'https://banzaicloud.com/blog/hybrid-cloud-kubernetes/', 'https://portworx.com/', 'https://www.youtube.com/watch?v=4WP_uh1Ro4E', 'https://www.techradar.com/how-to/kubernetes-taming-the-cloud', 'https://www.cloudtp.com/doppler/kubernetes-and-multicloud/']
]
# Length of each list after removing duplicates
if(verbose >= 2): print(url_mat)
if(verbose >= 1): print_url_list_lengths(url_mat)
# –––––––––––––––––––––––––––––––––––––––––––––––––– DATE FILTERING ––––––––––––––––––––––––––––––––––––––––––––––––– #
if(date):
if(verbose >= 1): print("\nPerforming date filtering...")
for i in range(len(url_mat)):
if(verbose >= 1): print("\nWorking on URL list #" + str(i+1) + "...")
new_url_list = []
for u in url_mat[i]:
try:
conn = urllib.request.urlopen(u, timeout=30)
last_modified = conn.headers['last-modified']
if(last_modified == None or last_modified == "None"):
continue
else:
year = int(last_modified[12:16])
if(year >= DATE_THRESHOLD):
if(verbose >= 2): print("Source was last modified at or after 2010. Including", u)
new_url_list.append(u)
else:
if(verbose >= 2): print("Source was last modified before 2010. Excluding", u)
continue
except:
if(verbose >= 2): print("Failed to retrieve \'last-modified\' data. Excluding", u)
continue
url_mat[i] = new_url_list
# URL matrix after filtering for last-modified date after 2010 requirement
if(not date):
if(verbose >= 1): print("\nSkipping date filtering...")
url_mat = [
['https://opensource.com/article/19/6/reasons-kubernetes', 'https://www.datadoghq.com/container-report/', 'https://www.replex.io/blog/kubernetes-in-production-the-ultimate-guide-to-monitoring-resource-metrics', 'https://aws.amazon.com/kubernetes/', 'https://www.vmware.com/topics/glossary/content/kubernetes', 'https://docs.docker.com/docker-for-windows/kubernetes/', 'https://spark.apache.org/docs/latest/running-on-kubernetes.html', 'https://www.splunk.com/en_us/blog/it/monitoring-kubernetes.html', 'https://docs.wavefront.com/kubernetes.html', 'https://www.dynatrace.com/support/help/technology-support/cloud-platforms/kubernetes/monitoring/monitor-kubernetes-openshift-clusters/', 'https://phoenixnap.com/kb/what-is-kubernetes', 'https://www.redhat.com/en/topics/containers/what-is-a-kubernetes-operator', 'https://kubernetes.github.io/ingress-nginx/user-guide/basic-usage/', 'https://www.tutorialspoint.com/kubernetes/kubernetes_kubectl_commands.htm', 'https://builders.intel.com/docs/networkbuilders/cpu-pin-and-isolation-in-kubernetes-app-note.pdf', 'https://sematext.com/guides/kubernetes-monitoring/', 'https://www.fairwinds.com/blog/kubernetes-best-practice-efficient-resource-utilization', 'https://stackoverflow.com/questions/38746266/converting-datadog-m-cpu-unity-to-kubernetes-cpu-unity-m', 'https://www.jeffgeerling.com/blog/2019/monitoring-kubernetes-cluster-utilization-and-capacity-poor-mans-way', 'https://www.bluematador.com/blog/kubernetes-log-management-the-basics', 'http://docs.nvidia.com/datacenter/kubernetes/kubernetes-upstream/index.html', 'https://www.magalix.com/blog/understanding-kubernetes-objects', 'https://www.padok.fr/en/blog/kubectl-cluster-kubernetes', 'https://www.f5.com/company/blog/Kubernetes-is-winning-the-multi-cloud-war'],
['https://www.sumologic.com/blog/troubleshooting-kubernetes/', 'https://dzone.com/articles/the-challenges-of-adopting-k8s-for-production-and', 'https://www.replex.io/blog/the-state-of-cloud-native-challenges-culture-and-technology', 'https://www.cncf.io/wp-content/uploads/2019/02/RobinK8S-CNCF-Webinar-Feb052019.pdf', 'https://tech.target.com/2018/08/08/running-cassandra-in-kubernetes-across-1800-stores.html', 'https://www.splunk.com/en_us/blog/it/kubernetes-navigator-real-time-monitoring-and-ai-driven-analytics-for-kubernetes-environments-now-generally-available.html', 'https://banzaicloud.com/blog/cert-management-on-kubernetes/', 'https://enterprisersproject.com/article/2020/5/kubernetes-managing-7-tips', 'https://www.flashmemorysummit.com/Proceedings2019/08-08-Thursday/20190808_SOFT-301-1_Mukku.pdf', 'https://devopscon.io/kubernetes-ecosystem/challenges-in-building-a-multi-cloud-provider-platform-with-kubernetes/', 'https://blog.turbonomic.com/blog/on-technology/forget-k9-its-time-for-k8-k8s-that-is-a-kubernetes-primer-part-i', 'https://blog.styra.com/blog/why-rbac-is-not-enough-for-kubernetes-api-security', 'https://www.dellemc.com/en-us/collaterals/unauth/white-papers/products/converged-infrastructure/dellemc-hci-for-kubernetes.pdf', 'https://www.redapt.com/blog/a-critical-aspect-of-day-2-kubernetes-operations', 'https://coreos.com/blog/pitfalls-of-diy-kubernetes', 'https://diginomica.com/kubernetes-evolving-enterprise-friendly-platform-challenges-remain', 'https://acquisitiontalk.com/2020/01/f-16-running-on-kubernetes-and-the-challenges-of-a-disconnected-environment/', 'https://www.infoq.com/news/2020/03/cncf-kubernetes-cloud-native/', 'https://rancher.com/products/rancher/'],
['https://rancher.com/blog/2020/kubernetes-security-vulnerabilities', 'https://techbeacon.com/security/lessons-kubernetes-flaw-why-you-should-shift-your-security-upstream', 'https://www.bleepingcomputer.com/news/security/severe-flaws-in-kubernetes-expose-all-servers-to-dos-attacks/', 'https://blog.aquasec.com/topic/kubernetes-security', 'https://www.openshift.com/blog/what-customers-of-red-hat-openshift-hosted-services-should-know-about-the-april-2020-haproxy-http/2-flaws', 'https://security.berkeley.edu/news/kubernetes-vulnerabilities-allow-authentication-bypass-dos-cve-2019-16276', 'https://www.redhat.com/en/topics/containers/what-is-clair', 'https://docs.aws.amazon.com/eks/latest/userguide/configuration-vulnerability-analysis.html', 'https://docs.gitlab.com/ee/user/application_security/sast/', 'https://blog.vulcan.io/the-vulcan-vulnerability-digest-top-threats-to-address-march', 'https://blog.alcide.io/kubernetes-security', 'https://sighup.io/certified-kubernetes-images/', 'https://lp.skyboxsecurity.com/rs/440-MPQ-510/images/Skybox_Cloud_Trends_Report.pdf', 'https://security.netapp.com/advisory/', 'https://apisecurity.io/issue-54-api-vulnerabilities-in-erosary-kubernetes-harbor/', 'https://cloudowski.com/articles/10-differences-between-openshift-and-kubernetes/', 'https://www.bluematador.com/blog/iam-access-in-kubernetes-the-aws-security-problem', 'https://www.defcon.org/html/defcon-27/dc-27-workshops.html', 'https://blog.container-solutions.com/answers-to-11-big-questions-about-kubernetes-versioning', 'https://opensource.com/article/18/8/tools-container-security', 'https://banzaicloud.com/blog/auto-dast/', 'https://www.magalix.com/blog/container-security', 'https://www.paloaltonetworks.com/prisma/cloud/compute-security/container-security', 'https://dzone.com/articles/kubernetes-security-best-practices'],
['https://kubernetes-security.info/', 'https://techbeacon.com/enterprise-it/hackers-guide-kubernetes-security', 'https://www.cisecurity.org/benchmark/kubernetes/', 'https://www.bluematador.com/blog/kubernetes-security-essentials', 'https://cloudplex.io/blog/top-10-kubernetes-tools/', 'https://phoenixnap.com/kb/kubernetes-security-best-practices', 'https://rancher.com/docs/rancher/v2.x/en/security/', 'https://www.splunk.com/en_us/blog/security/approaching-kubernetes-security-detecting-kubernetes-scan-with-splunk.html', 'https://www.inovex.de/blog/kubernetes-security-tools/', 'https://jaxlondon.com/wp-content/uploads/slides/Continuous_Kubernetes_Security.pdf', 'https://www.zdnet.com/article/kubernetes-first-major-security-hole-discovered/', 'https://www.altexsoft.com/blog/kubernetes-security/', 'https://techcloudlink.com/wp-content/uploads/2019/10/Operating-Kubernetes-Clusters-and-Applications-Safely.pdf', 'https://www.xenonstack.com/insights/kubernetes-security-tools/', 'https://blog.sonatype.com/kubesecops-kubernetes-security-practices-you-should-follow', 'https://developer.squareup.com/blog/kubernetes-pod-security-policies/', 'https://www.replex.io/blog/kubernetes-in-production-best-practices-for-governance-cost-management-and-security-and-access-control', 'https://www.contrastsecurity.com/security-influencers/security-concerns-with-containers-kubernetes'],
['https://enterprisersproject.com/article/2017/10/how-explain-kubernetes-plain-english', 'https://www.guru99.com/kubernetes-vs-docker.html', 'https://rancher.com/kubernetes/', 'https://coreos.com/operators/', 'https://www.atlassian.com/continuous-delivery/microservices/kubernetes', 'https://www.rackspace.com/blog/kubernetes-explained-for-business-leaders', 'https://dzone.com/articles/kubernetes-benefits-microservices-architecture-for', 'https://www.zdnet.com/article/what-is-kubernetes-everything-your-business-needs-to-know/', 'https://www.ovhcloud.com/en/public-cloud/kubernetes/', 'https://www.oracle.com/cloud/what-is-kubernetes/', 'https://stackoverflow.blog/2020/05/29/why-kubernetes-getting-so-popular/', 'https://www.dellemc.com/en-in/collaterals/unauth/briefs-handouts/solutions/h18141-dellemc-dpd-kubernetes.pdf', 'https://www.sumologic.jp/blog/kubernetes-vs-docker/', 'https://cloudacademy.com/blog/what-is-kubernetes/', 'https://www.nutanix.com/content/dam/nutanix/resources/solution-briefs/sb-karbon.pdf', 'https://www.fairwinds.com/why-kubernetes', 'https://blog.cloudticity.com/five-benefits-kubernetes-healthcare', 'https://www.redapt.com/blog/rancher-2.3-brings-kubernetes-benefits-to-microsoft-windows-applications', 'https://www.dragonspears.com/blog/powering-kubernetes-benefits-and-drawbacks-of-azure-vs-aws', 'https://www.cloudmanagementinsider.com/google-what-kubernetes-best-practices/', 'https://www.suse.com/c/wp-content/uploads/2019/12/Why-Kubernetes-A-Deep-Dive-in-Options-Benefits-and-Use-Cases.pdf', 'https://www.rapidvaluesolutions.com/azure-kubernetes-service-aks-simplifying-deployment-with-stateful-applications/'],
['https://www.replex.io/blog/kubernetes-in-production', 'https://enterprisersproject.com/article/2018/11/kubernetes-production-4-myths-debunked', 'https://kubeprod.io/', 'https://gruntwork.io/guides/kubernetes/how-to-deploy-production-grade-kubernetes-cluster-aws/', 'https://rancher.com/docs/rancher/v2.x/en/cluster-provisioning/production/', 'https://www.sumologic.com/blog/kubernetes-vs-docker/', 'https://www.infoq.com/news/2020/03/kubernetes-multicloud-brandwatch/', 'https://jfrog.com/whitepaper/the-jfrog-journey-to-kubernetes-best-practices-for-taking-your-containers-all-the-way-to-production/', 'https://docs.safe.com/fme/html/FME_Server_Documentation/AdminGuide/Kubernetes/Kubernetes-Deploying-Production-Environment.htm', 'https://www.nutanix.com/products/karbon', 'https://conferences.oreilly.com/velocity/vl-eu-2018/public/schedule/detail/71360.html', 'https://docs.gitlab.com/ee/user/project/clusters/', 'https://k8s.vmware.com/running-containers-and-kubernetes-in-production/', 'https://docs.mattermost.com/install/install-kubernetes.html', 'https://coreos.com/tectonic/', 'https://www.ibm.com/cloud/container-service', 'https://blog.jetstack.io/blog/k8s-getting-started-part1/', 'https://assets.ext.hpe.com/is/content/hpedam/documents/a00039000-9999/a00039700/a00039700enw.pdf', 'https://bitnami.com/kubernetes/bkpr', 'https://docs.influxdata.com/platform/integrations/kubernetes/', 'https://www.jeffgeerling.com/blog/2019/running-drupal-kubernetes-docker-production', 'https://spinnaker.io/guides/tutorials/codelabs/kubernetes-v2-source-to-prod/', 'https://jamesdefabia.github.io/docs/user-guide/production-pods/', 'https://www.magalix.com/blog/the-best-kubernetes-tools-for-managing-large-scale-projects', 'https://phoenixnap.com/kb/understanding-kubernetes-architecture-diagrams', 'https://kubedb.com/', 'https://srcco.de/posts/web-service-on-kubernetes-production-checklist-2019.html', 'https://grafana.com/blog/2019/07/24/how-a-production-outage-was-caused-using-kubernetes-pod-priorities/'],
['https://softchris.github.io/pages/kubernetes-one.html', 'https://www.jeffgeerling.com/blog/2019/everything-i-know-about-kubernetes-i-learned-cluster-raspberry-pis', 'https://www.capitalone.com/tech/software-engineering/create-and-deploy-kubernetes-clusters/', 'https://www.socallinuxexpo.org/sites/default/files/presentations/Scale%2015x.pdf', 'https://auth0.com/blog/kubernetes-tutorial-step-by-step-introduction-to-basic-concepts/', 'https://www.openstack.org/summit/denver-2019/summit-schedule/events/23461/lessons-learned-running-open-infrastructure-on-baremetal-kubernetes-clusters-in-production', 'https://www.giantswarm.io/', 'https://www.magalix.com/blog/what-we-learned-from-running-fully-containerized-services-on-kubernetes-part-i', 'https://www.crn.com/news/data-center/nutanix-cto-new-kubernetes-paas-bests-vmware-via-simplicity-', 'https://www.infoq.com/news/2019/12/kubernetes-hard-way-datadog/', 'https://goto.docker.com/rs/929-FJL-178/images/DockerCon19-Guide-to-Kubernetes-Agenda.pdf', 'https://www.fairwinds.com/blog/how-we-learned-to-stop-worrying-and-love-cluster-upgrades', 'https://nickjanetakis.com/blog/docker-swarm-vs-kubernetes-which-one-should-you-learn', 'https://acloudguru.com/learning-paths', 'https://enterprisersproject.com/article/2020/2/kubernetes-6-secrets-success', 'https://jaxlondon.com/cloud-kubernetes-serverless/what-we-learned-moving-hundreds-of-services-into-the-cloud-a-java-kubernetes-cassandra-dynamodb-best-practices-story/'],
['https://dzone.com/articles/how-big-companies-are-using-kubernetes', 'https://cloud.netapp.com/kubernetes-hub', 'https://www.linode.com/docs/kubernetes/kubernetes-use-cases/', 'https://rancher.com/customers/', 'https://www.edureka.co/blog/kubernetes-architecture/', 'https://www.sumologic.com/blog/why-use-kubernetes/', 'https://stackoverflow.com/questions/35900435/what-is-a-good-use-case-for-kubernetes-pod', 'https://aws.amazon.com/eks/', 'https://docs.honeycomb.io/getting-data-in/integrations/kubernetes/usecases/', 'https://en.wikipedia.org/wiki/Kubernetes', 'https://www.xenonstack.com/use-cases/cloud-native-devops/', 'https://www.oracle.com/a/ocom/docs/cloud/oci-container-engine-oke-100.pdf', 'https://www.magalix.com/blog/deploying-an-application-on-kubernetes-from-a-to-z', 'https://kubernetesbyexample.com/', 'https://www.openstack.org/use-cases/containers/leveraging-containers-and-openstack/', 'https://www.capitalone.com/tech/cloud/why-kubernetes-alone-wont-solve-enterprise-container-needs/', 'https://enterprisersproject.com/article/2017/10/how-make-case-kubernetes', 'https://blog.thundra.io/do-you-really-need-kubernetes', 'https://www.infoq.com/articles/kubernetes-workloads-serverless-era/', 'https://phoenixnap.com/blog/kubernetes-vs-openstack', 'https://www.rackspace.com/solve/how-kubernetes-has-changed-face-hybrid-cloud', 'https://www.fairwinds.com/blog/heroku-vs.-kubernetes-the-big-differences-you-should-know', 'https://discuss.hashicorp.com/t/what-are-advantages-use-consul-in-kubernetes-use-cases-without-service-mesh/9901', 'https://www.openshift.com/blog/red-hat-chose-kubernetes-openshift', 'https://www.splunk.com/en_us/devops/kubernetes-monitoring.html', 'https://networkbuilders.intel.com/intel-technologies/container-experience-kits', 'https://www.eksworkshop.com/beginner/140_assigning_pods/affinity_usecases/', 'https://www.ansible.com/blog/how-useful-is-ansible-in-a-cloud-native-kubernetes-environment', 'https://www.kasten.io/kubernetes/backup-restore'],
['https://techbeacon.com/devops/one-year-using-kubernetes-production-lessons-learned', 'https://newrelic.com/platform/kubernetes/monitoring-guide', 'https://www.fairwinds.com/blog/what-problems-does-kubernetes-solve', 'https://www.openshift.com/learn/topics/kubernetes/', 'https://cloud.netapp.com/blog/gcp-cvo-blg-multicloud-kubernetes-centralizing-multicloud-management', 'https://rancher.com/blog/2018/2018-10-18-scaling-kubernetes-in-hybrid-cloud/', 'https://docs.openstack.org/developer/performance-docs/issues/scale_testing_issues.html', 'https://enterprisersproject.com/article/2020/1/kubernetes-trends-watch-2020', 'https://platform.sh/guides/Platformsh-Fleet-Ops-Alternative-to-Kubernetes.pdf', 'https://www.jeffgeerling.com/blog/2018/kubernetes-complexity', 'https://www.f5.com/services/resources/white-papers/f5-and-containerization', 'https://phoenixnap.com/blog/kubernetes-monitoring-best-practices', 'https://aws.amazon.com/blogs/apn/monitoring-kubernetes-environments-with-aws-and-new-relics-cluster-explorer/'],
['https://techbeacon.com/enterprise-it/4-kubernetes-security-challenges-how-address-them', 'https://www.paloaltonetworks.com/prisma/environments/kubernetes', 'https://query.prod.cms.rt.microsoft.com/cms/api/am/binary/RE36AY2', 'https://enterprisersproject.com/article/2019/1/kubernetes-security-4-areas-focus', 'https://www.checkpoint.com/downloads/products/checkpoint-cloud-native-security.pdf', 'https://www.metricfire.com/blog/kubernetes-security-secrets-from-the-trenches/', 'https://dzone.com/articles/container-and-kubernetes-security-a-2020-update', 'https://www.sumologic.com/kubernetes/security/', 'https://rancher.com/tags/security', 'https://www.vmware.com/topics/glossary/content/kubernetes-security', 'https://www.cloudmanagementinsider.com/5-security-challenges-for-containers-and-their-remedies/', 'https://blog.container-solutions.com/security-challenges-in-microservice-implementations', 'https://www.altostack.io/company/blog/kubernetes-best-practices-security/', 'https://www.peerlyst.com/posts/using-cloud-native-technologies-to-solve-application-security-challenges-in-kubernetes-deployments-cequence-security', 'https://www.qualys.com/apps/container-security/', 'https://www.heliossolutions.co/blog/kubernetes-security-defined-explained-and-explored/', 'https://webinars.devops.com/kubernetes-security-best-practices-for-devops', 'https://www.devopsdigest.com/the-kubernetes-security-paradox', 'https://www.aisec.fraunhofer.de/content/dam/aisec/Dokumente/Publikationen/Studien_TechReports/englisch/caas_threat_analysis_wp.pdf', 'https://www.cloudexpoeurope.com/__media/theatre-15/Day-2-T15-1145-Lorenzo-Galleli_K8s-Security-BP_Cloud_Expo.pdf', 'https://www.paladion.net/blogs/kubernetes-introduction-and-security-aspects', 'https://www.globaldots.com/webinar/kubernetes-security-by-design', 'https://www.infoq.com/articles/Kubernetes-security/', 'https://engineering.bitnami.com/articles/running-helm-in-production.html', 'https://www.fairwinds.com/blog/kubernetes-best-practices-for-security', 'https://www.fortinet.com/content/dam/fortinet/assets/alliances/sb-xtending-enterprise-security-into-kubernetes-environments.pdf', 'https://www.esecurityplanet.com/applications/tips-for-container-and-kubernetes-security.html', 'https://www.esecurityplanet.com/products/top-container-and-kubernetes-security-vendors.html', 'https://techcloudlink.com/network-security/operating-kubernetes-clusters-and-applications-safely/'],
['https://www.openshift.com/blog/kubernetes-adoption-challenges-solved?sa=X&ved=2ahUKEwjkv-PzyvPrAhXLIDQIHW9MBy4Q9QF6BAgLEAI', 'https://www.openshift.com/blog/kubernetes-adoption-challenges-solved', 'https://techbeacon.com/enterprise-it/top-5-container-adoption-management-challenges-it-ops', 'https://rancher.com/blog/2019/container-industry-survey-results', 'https://blogs.vmware.com/load-balancing/2020/08/21/overcoming-application-delivery-challenges-for-kubernetes/', 'https://cloudacademy.com/blog/kubernetes-the-current-and-future-state-of-k8s-in-the-enterprise/', 'https://www.cncf.io/wp-content/uploads/2020/08/CNCF_Survey_Report.pdf', 'https://www.enterprisedb.com/blog/gartner-report-best-practices-running-containers-and-kubernetes-production', 'https://www.fingent.com/blog/5-reasons-to-adopt-kubernetes-into-your-business-it/', 'https://www.ibm.com/downloads/cas/BBKLLK1L', 'https://www.nutanix.com/content/dam/nutanix-cxo/pdf/Why-is-DevOps-so-Hard.pdf', 'https://portworx.com/wp-content/uploads/2019/05/2019-container-adoption-survey.pdf', 'https://get.alcide.io/2019-report-the-state-of-kubernetes-adoption-and-security', 'https://www.zdnet.com/article/corporate-culture-complicates-kubernetes-and-container-collaboration/', 'https://blog.christianposta.com/challenges-of-adopting-service-mesh-in-enterprise-organizations/', 'https://www.metricfire.com/blog/aws-ecs-vs-kubernetes/', 'https://www.redhat.com/en/blog/containers-and-kubernetes-can-be-essential-hybrid-cloud-computing-strategy', 'https://info.roundtower.com/hubfs/app/pdf/roundtower-rancher-how_to_build_an_enterprise_kubernetes_strategy.pdf', 'https://www.magalix.com/blog/why-teams-adopting-kubernetes-fight-over-capacity-management', 'https://www.prweb.com/releases/new_nirmata_study_more_than_half_of_kubernetes_users_cite_lack_of_expertise_prevents_wider_adoption_across_the_organization/prweb16055189.htm', 'https://www.flexera.com/about-us/press-center/rightscale-2019-state-of-the-cloud-report-from-flexera-identifies-cloud-adoption-trends.html', 'https://enterprisersproject.com/article/2019/8/multi-cloud-statistics', 'https://www.globaldots.com/blog/why-you-should-adopt-kubernetes'],
['https://acotten.com/post/1year-kubernetes', 'https://opensource.com/article/20/6/kubernetes-garbage-collection', 'https://about.gitlab.com/blog/2020/09/16/year-of-kubernetes/', 'https://coderanger.net/lessons-learned/', 'https://grafana.com/blog/2019/05/08/kubernetes-co-creator-brendan-burns-lessons-learned-monitoring-cloud-native-systems/', 'https://www.pulumi.com/blog/crosswalk-kubernetes/', 'https://conferences.oreilly.com/velocity/vl-eu/public/schedule/detail/78924.html', 'https://www.spectrumscaleug.org/wp-content/uploads/2020/03/SSSD20DE-Spectrum-Scale-use-cases-and-field-lessons-learned-with-Kubernetes-and-OpenShift.pdf', 'https://rancher.com/tutorials/', 'https://www.openstack.org/videos/summits/denver-2019/kubernetes-7-lessons-learned-from-7-data-centers-in-7-months', 'https://dave.cheney.net/paste/lessons-learnt-building-kubernetes-controllers-brisbane.pdf', 'https://webinars.devops.com/five-lessons-learned-from-large-scale-implementation-of-kubernetes-in-the-enterprise', 'https://blog.container-solutions.com/riding-the-tiger-lessons-learned-implementing-istio', 'https://enterprisersproject.com/article/2019/11/kubernetes-3-ways-get-started', 'https://www.openshift.com/blog/kubernetes-1.18-strengthens-networking-and-storage-while-getting-ready-for-the-next-big-adventure', 'https://www.usenix.org/biblio-3185', 'https://k8s.af/'],
['http://blog.kubecost.com/blog/requests-and-limits/', 'https://dzone.com/articles/aws-and-kubernetes-networking-options-and-trade-of', 'https://stackoverflow.com/questions/32093067/microservices-styles-and-tradeoffs-akka-cluster-vs-kubernetes-vs', 'https://blog.quasardb.net/quasardb-on-kubernetes', 'https://www.bluematador.com/blog/kubernetes-on-aws-eks-vs-kops', 'https://www.accenture.com/_acnmedia/PDF-104/Accenture-Great-Migration-Shifting-appliance-to-cloud-native-architecture.pdf', 'https://qconlondon.com/london2020/presentation/kubernetes-not-your-platform-foundation', 'https://opensource.com/article/19/12/zen-python-trade-offs', 'https://www.splunk.com/en_us/blog/it/strategies-for-monitoring-docker-and-kubernetes.html', 'https://enterprisersproject.com/article/2020/5/kubernetes-migrations-5-mistakes', 'https://www.openshift.com/learn/topics/databases', 'https://linkerd.io/2020/02/25/multicluster-kubernetes-with-service-mirroring/', 'https://twitter.com/kubernetesio/status/1136688181439451137', 'https://blog.turbonomic.com/kubernetes-resource-management-best-practices', 'https://rancher.com/configuring-kubernetes-maximum-scalability', 'https://devopscon.io/blog/kubernetes-is-not-an-afterthought/', 'https://www.pulumi.com/docs/intro/concepts/organizing-stacks-projects/', 'https://www.capitalone.com/tech/software-engineering/conquering-statefulness-on-kubernetes/', 'https://www.spectrocloud.com/blog/kubernetes-multi-tenant-vs-single-tenant-clusters/', 'https://www.cloudjourney.io/articles/publiccloud/cost-matters-the-serverless-edition-ls/', 'https://www.jetstack.io/talks/bates-christian-puppet/', 'https://cloudowski.com/articles/4-ways-to-manage-kubernetes-resources/', 'https://www.infoq.com/articles/kubernetes-multicluster-comms/', 'https://events19.linuxfoundation.org/wp-content/uploads/2017/11/Patterns-and-Pains-of-Migrating-Legacy-Applications-to-Kubernetes-Josef-Adersberger-Michael-Frank-QAware-Robert-Bichler-Allianz-Germany.pdf', 'https://www.datastax.com/blog/2012/01/your-ideal-performance-consistency-tradeoff-0', 'https://developers.redhat.com/devnation/tech-talks/kubelet-no-masters', 'https://qconnewyork.com/ny2018/presentation/cri-runtimes-deep-dive-whos-running-my-kubernetes-pod', 'https://discourse.drone.io/t/strategy-for-pod-cpu-settings-on-kubernetes-runner/7813', 'https://blog.scottlowe.org/2019/10/29/programmatically-creating-kubernetes-manifests/', 'https://docs.influxdata.com/influxdb/v1.8/concepts/insights_tradeoffs/', 'https://cloudplex.io/blog/microservices-orchestration-with-kubernetes/'],
['https://en.wikipedia.org/wiki/Kubernetes#History', 'https://en.wikipedia.org/wiki/Kubernetes#Kubernetes_Objects', 'https://en.wikipedia.org/wiki/Kubernetes#Managing_Kubernetes_objects', 'https://en.wikipedia.org/wiki/Kubernetes#Cluster_API', 'https://www.redhat.com/en/topics/containers/what-is-kubernetes', 'https://www.ibm.com/cloud/learn/kubernetes', 'https://docs.cloud.oracle.com/iaas/Content/ContEng/Concepts/contengoverview.htm', 'https://www.elastic.co/guide/en/cloud-on-k8s/current/index.html', 'https://rancher.com/docs/rancher/v1.6/en/kubernetes/providers/', 'https://www.docker.com/products/kubernetes', 'https://www.replex.io/blog/the-ultimate-kubernetes-cost-guide-aws-vs-gce-vs-azure-vs-digital-ocean', 'https://www.rackspace.com/managed-kubernetes', 'https://www.nutanix.com/blog/enterprise-kubernetes-done-right-nutanix-cloud-native', 'https://diginomica.com/kubernetes-and-misconception-multi-cloud-portability', 'https://docs.mirantis.com/mcp/q4-18/mcp-ref-arch/kubernetes-cluster-plan/cloud-provider-overview.html', 'https://www.dynatrace.com/technologies/kubernetes-monitoring/', 'https://www.zdnet.com/article/red-hat-takes-kubernetes-to-the-clouds-edge/', 'https://cloud.gov/docs/ops/runbook/troubleshooting-kubernetes/', 'https://www.pulumi.com/docs/intro/cloud-providers/kubernetes/', 'https://kubesail.com/', 'https://plugins.jenkins.io/kubernetes/', 'https://www.presslabs.com/blog/kubernetes-cloud-providers-2019/', 'https://www.msystechnologies.com/services/devops/kubernetes-cloud-providers/', 'https://www.infoq.com/news/2020/06/kubernetes-storage-kubera/', 'https://www.itproportal.com/features/kubernetes-as-a-cloud-native-operating-system/', 'https://banzaicloud.com/blog/hybrid-cloud-kubernetes/', 'https://www.techradar.com/how-to/kubernetes-taming-the-cloud']
]
if(verbose >= 2): print(url_mat)
if(verbose >= 1): print_url_list_lengths(url_mat)
# –––––––––––––––––––––––––––––––––––––––––––––––––– LANG FILTERING ––––––––––––––––––––––––––––––––––––––––––––––––– #
# TODO: filter based on language
# ––––––––––––––––––––––––––––––––––––––––––––––––––– FILE OUTPUT ––––––––––––––––––––––––––––––––––––––––––––––––––– #
# TODO: output data in CSV format like: INDEX,STRING,ALIAS,URL,COUNT for all of <total> URLs
# –––––––––––––––––––––––––––––––––––––––––––––––––––– MAIN GUARD ––––––––––––––––––––––––––––––––––––––––––––––––––– #
if __name__ == "__main__":
main()