-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathtester.py
executable file
·464 lines (407 loc) · 128 KB
/
tester.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
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
import datetime
from dateutil.relativedelta import relativedelta
"""import threading
import urllib2
import time
start = time.time()
urls = ["http://www.google.com", "http://www.apple.com", "http://www.microsoft.com", "http://www.amazon.com", "http://www.facebook.com"]
def fetch_url(url):
urlHandler = urllib2.urlopen(url)
html = urlHandler.read()
print "'%s\' fetched in %ss" % (url, (time.time() - start))
threads = [threading.Thread(target=fetch_url, args=(url,)) for url in urls]
for thread in threads:
thread.start()
for thread in threads:
thread.join()
print "Elapsed Time: %s" % (time.time() - start)"""
def get_timestamp(str_days_ago):
try:
TODAY = datetime.datetime.today()
splitted = str_days_ago.split()
if len(splitted) == 1 and splitted[0].casefold() in ['today','oggi','heute','aujourd\u2019hui','dnes','idag','dzisiaj','azi']:
return int(datetime.datetime.timestamp(TODAY))
elif len(splitted) == 1 and splitted[0].casefold() == 'yesterday':
date = TODAY - relativedelta(days=1)
return int(datetime.datetime.timestamp(TODAY))
elif len(splitted) > 1 and splitted[1].casefold() in ['hour', 'hours', 'hr', 'hrs', 'h','uur', 'Stunden','horas','or\u0103','ore','godz.','timmar','\u0447\u0430\u0441\u0430','\u0447\u0430\u0441\u043e\u0432']:
date = datetime.datetime.now() - relativedelta(hours=int(splitted[0]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[1].casefold() in ['day', 'days', 'd','dagar','dag','dagen','Tag','Tagen','d\u00edas','dni','\u0434\u043d\u044f','\u0434\u043d\u0435\u0439','giorni']:
date = TODAY - relativedelta(days=int(splitted[0]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[1].casefold() in ['mon', 'mons', 'month', 'months', 'm','maanden','mesi','mies.','m\u00e5nader','\u043c\u0435\u0441\u044f\u0446\u0430']:
date = TODAY - relativedelta(months=int(splitted[0]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[2].casefold() in ['stunden','horas','or\u0103','ore','hodinami','hora']:
date = datetime.datetime.now() - relativedelta(hours=int(splitted[1]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[2].casefold() in ['tag','tagen','d\u00edas','zile','zi','dny']:
date = TODAY - relativedelta(days=int(splitted[1]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[2].casefold() in ['monaten','meses','luni','měsíci']:
date = TODAY - relativedelta(months=int(splitted[1]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[4].casefold() in ["heures"]:
date = datetime.datetime.now() - relativedelta(hours=int(splitted[3]))
return int(datetime.datetime.timestamp(date))
elif len(splitted) > 1 and splitted[4].casefold() in ["jours","jour"]:
date = TODAY - relativedelta(days=int(splitted[3]))
return str(date.isoformat())
elif len(splitted) > 1 and splitted[4].casefold() in ["mois"]:
date = TODAY - relativedelta(months=int(splitted[3]))
return int(datetime.datetime.timestamp(date))
else:
return "Wrong Argument format"
except Exception as e:
pass
print(get_timestamp("Today"))
print(get_timestamp("Oggi"))
print(get_timestamp('Heute'))
print(get_timestamp('Dnes'))
print(get_timestamp('Idag'))
print(get_timestamp('Azi'))
print(get_timestamp('just posted'))
print("I am down from just posted")
#print(get_timestamp("\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e \u0441\u0435\u0433\u043e\u0434\u043d\u044f"))
print(get_timestamp("4 hours ago"))
print(get_timestamp("5 days ago"))
print(get_timestamp("2 \u0434\u043d\u044f \u043d\u0430\u0437\u0430\u0434"))
print(get_timestamp("8 \u0434\u043d\u0435\u0439 \u043d\u0430\u0437\u0430\u0434"))
print(get_timestamp("6 \u0447\u0430\u0441\u043e\u0432 \u043d\u0430\u0437\u0430\u0434"))
print(get_timestamp("4 \u043c\u0435\u0441\u044f\u0446\u0430 \u043d\u0430\u0437\u0430\u0434"))
print(get_timestamp("acum 4 zile"))
print(get_timestamp("acum 5 ore"))
print(get_timestamp("acum 1 zi"))
print(get_timestamp("acum 9 ore"))
print(get_timestamp("p\u0159ed 9 dny"))
print(get_timestamp("p\u0159ed 12 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 10 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 2 hodinami"))
print(get_timestamp("p\u0159ed 15 dny"))
print(get_timestamp("p\u0159ed 4 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 9 m\u011bs\u00edci"))
print(get_timestamp("vor 7 Tagen"))
print(get_timestamp("vor 8 Monaten"))
print(get_timestamp("vor 8 Monaten"))
print(get_timestamp("vor 1 Tag"))
print(get_timestamp("vor 22 Tagen"))
print(get_timestamp("1 dag geleden"))
print(get_timestamp("25 dagen geleden"))
print(get_timestamp("1 dag geleden"))
print(get_timestamp("il y a 16 jours"))
print(get_timestamp("il y a 16 heures"))
print(get_timestamp("il y a 23 jours"))
print(get_timestamp("il y a 26 jours"))
print(get_timestamp("il y a 1 jour"))
print(get_timestamp("hace 13 d\u00edas"))
print(get_timestamp("hace 1 hora"))
print(get_timestamp("8 dagen geleden"))
print(get_timestamp("2 dagen geleden"))
print(get_timestamp("1 dag geleden"))
print(get_timestamp("5 uur geleden"))
print(get_timestamp("8 dagen geleden"))
print(get_timestamp("2 dagen geleden"))
print(get_timestamp("vor 5 Monaten"))
print(get_timestamp("vor 7 Tagen"))
print(get_timestamp("vor 9 Monaten"))
print(get_timestamp("vor 5 Monaten"))
print(get_timestamp("vor 4 Stunden"))
print(get_timestamp("vor 4 Monaten"))
print(get_timestamp("vor 8 Tagen"))
print(get_timestamp("1 dag sedan"))
print(get_timestamp("2 dagar sedan"))
print(get_timestamp("7 dagar sedan"))
print(get_timestamp("22 dagar sedan"))
print(get_timestamp("28 dni temu"))
print(get_timestamp("2 dni temu"))
print(get_timestamp("8 godz. temu"))
print(get_timestamp("5 dni temu"))
print(get_timestamp("7 godz. temu"))
print(get_timestamp("p\u0159ed 9 dny"))
print(get_timestamp("p\u0159ed 12 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 10 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 6 m\u011bs\u00edci"))
print(get_timestamp("p\u0159ed 2 dny"))
print(get_timestamp("12 giorni fa"))
print(get_timestamp("Oggi"))
def unique(data):
result = {}
for key, value in data.items():
new_list = []
url_list = []
for item in value:
if item['url'] not in url_list:
new_list.append(item)
url_list.append(item['url'])
result[key] = new_list
return result
games = {
"jobs": [
{
"job_title": "sr. application security engineer",
"company": "Amazon.com Services, Inc.",
"city": "Santa Monica, CA",
"date": {
"display": "24 days ago",
"timestamp": 1570753331
},
"job_description": "3-5 years of experience testing applications at the network level using intercepting proxies and other network analysis tools.2-3 years of experience testing applications at the binary level using instrumentation, fuzzing, and other exploitation techniques.ring is looking for an application security engineer to join our team and take our program to the next level. ring ships software in the backend web space, the iot space, the mobile space, and the desktop space. very few places have that wide of breadth of software being developed and delivered, and it will take an engineer with a strong desire to dig into areas they may be unfamiliar with to really excel. if you\u2019re looking for a challenge, we want to hear from you!responsibilitiesreview software for vulnerabilities prior to shipping.provide guidance on secure software development at all stages of the sdlc. - including architecture and design reviews prior to start of development.evaluate and maintain sast and dast tools for automated scanning.assist the other members of the security team during testing and purple team exercises.experience writing software in one or more of the following languages:o rubyo golango pythono javaworking knowledge of binary reverse engineering for at least one architecture (x86, armel, etc.).knows the owasp top 10 inside and out.participation in the bug bounty hunting community.about ringring's mission is to make neighborhoods safer by creating a ring of security around homes and communities with its suite of home security products and services. the ring product line, along with the ring neighbors app, enable ring to offer affordable, complete, proactive home and neighborhood security in a way no other company has before. in fact, two newark, nj neighborhoods saw an over 50 percent decrease in home break-ins after ring video doorbells and spotlight cams were installed on 11% of homes in the communities from april-july 2018 when compared to the same time period in 2017. ring is an amazon company. for more information, visit www.ring.com. with ring, you\u2019re always home.ring llc is proud to be an equal opportunity employer and provides equal employment opportunities (eeo) to all employees and applicants without regard to race, color, religion, sex, national origin, age, disability, veteran status, sexual orientation, gender identity or genetics.",
"url": "https://www.indeed.com/rc/clk?jk=ee11109f8e96ac06&fccid=fe2d21eef233e94a&vjs=3"
},
{
"job_title": "manager, information security",
"company": "Verifi, Inc.",
"city": "Los Angeles, CA 90048",
"date": {
"display": "18 days ago",
"timestamp": 1571272189
},
"job_description": "verifi, inc., a visa company, is currently hiring for a dynamic and collaborative manager, information security!this role reports to the sr director, compliance and information security and is responsible for the success of infosec initiatives, with a focus on best practices management of security systems, appliances, intrusion detection, security devices, and training tasks to enable users to maximize productivity with security practices. we are looking for a role your sleeves up info-sec guru who can speak tech and business with the best of them!at verifi, you will be part of a dynamic environment that supports interdepartmental collaboration, fuels creativity and provides you with an opportunity to take ownership and play an intricate part in our company\u2019s success.you will work alongside the brightest and most remarkable individuals in the industry and you will have an immediate impact on our aspirations for global domination and disruption of the payments space. and you will do all this, while challenging your career, giving back to the community and creating new friendships.join verifi and you join the leading solution in the ecommerce marketplace for payment and risk management.you will be responsible to:work closely with devops, software engineering, and corp it teams to develop and articulate application, service, and infrastructure security requirements, standards, and guidelines.deploy and manage security infrastructure, including siem, vulnerability scanning, application scanning, centralized logging, and encryption platforms.provide comprehensive monitoring of all technical controls, including mfa, sso, nac, pki, kms, ddos, and iam.maintain knowledge of financial industry trends, current security issues, security best practices, and new security technologies.build, deploy, and track security measurements for our computer systems and networks.design infrastructure to alert the appropriate teams of detected vulnerabilities and intrusion attempts.implement solutions that arise from vulnerability scans.research and analyze products to improve security and stabilityrecommend, monitor, test and report on the state of security controls and infrastructure.create and participate in incident response process.work with internal and external audit teams to deliver timely responses and data collection requests for vulnerability or risk assessments and penetration testing.develop, document and implement security policies based on industry best practices.effectively manage and lead information security team to deliver efficiently on projects and maintain positive team dynamics / communicationsyou bring to the table your:bs in computer science, engineering, security related area or equivalent7 years of relevant experience, including at least 3 years directly supervising othersstrong experience in linux systems administrationknowledge of pci/dss, sox, hippa, fisa, or similardeep understanding of security considerations for web-based services in a mixed environment that includes linux, windows, vms, docker containers, and kubernetes orchestrationknowledge of computer forensics, including determining the source of an incident and preserving evidencethorough understanding of network topologies, protocols including smb and tls, firewalls, acls, and vpnsexpertise with windows security topics, including active directory; os, patch, and system management; vdi; and malware protection.hands-on experience with security testing tools, such as metasploit, wireshark, nessus, nmap, etc.experience with threat and vulnerability assessmentsprior experience building coordination across tech, product and operations teamsexperience working in 24/7 operational ha environmentprior experience implementing, managing, and enforcing technology security policy and procedureshigh degree of independence and exceptional work ethicteam player attitude, with a solution-oriented mindsetadditional considerations, include:strong knowledge of aws or other cloud environmentscissp, giac, ceh certificationswe are located in los angeles and offer:dynamic, stimulating and open environment with opportunity for personal development.medical, dental, vision, life insurance401k w/ match, paid time off, and paid holidayspaid parking and complimentary foodsocially conscious and community-oriented companyenergized employment filled with activities and eventscompetitive base salary and plus bonus#di",
"url": "https://www.indeed.com/rc/clk?jk=4c33874cf100b1d5&fccid=9c9541ff470c5626&vjs=3"
},
{
"job_title": "information security engineer",
"company": "Turner Techtronics, Inc.",
"city": "Burbank, CA 91505",
"date": {
"display": "9 days ago",
"timestamp": 1572049941
},
"job_description": "information security engineer [turner techtronics, inc.]job description: the security engineer will be an essential member of tti\u2019s information security team. he/she will be responsible for the entire life cycle of various security/network systems to ensure all of tti\u2019s information security policies and procedures are adhered to for internal it and business stakeholders across the company and to ensure that all of our clients incidents are resolved in a timely manner.the security engineer will be skilled at working across a variety of teams to provide operations and engineering support for critical security systems and services; including intrusion detection, data leakage prevention, content filtering, firewall compliance, vulnerability and security event management. you will enhance the security posture of our internal infrastructure and client-facing systems where you will support service levels and develop relationships at all levels of the organization, including outside vendors.essential experience and skills include the following, but are not limited to: security experience in the overall management and day-to-day operational support for all critical security systems and services.demonstrated knowledge of standard security and network systems practices, procedures, and compliance requirements.ability to proactively maintain, monitor and improve the systems and security posture with a focus on service excellence.ensure system logging mechanisms are in adherence with security requirements.an ability to communicate and present technical concepts in a clear and concise manner.proven experience as a single point of contact to become a trusted partner for all security needs and be a respected ambassador for the information security team.demonstrated experience working in compliance with company-wide policies, processes and procedures.an ability to contribute to the continuous improvement of security processes and strategies that identify and help implement tools for better vulnerability management and tracking.proven success in providing planning, guidance, and advanced technical expertise for tti\u2019s security/network systems.strong relationship building and team skills.the minimum requirements and skills include, but are not limited to: bachelor degree in information systems, computer science, or related field or equivalent.10 years of technical experience in the information security field with an understanding of advanced security protocols (https, ssh etc.) and standards, including a demonstrated ability to perform complex analysis.experience developing and instituting operational policies and procedures at an enterprise level.a strong understanding and working knowledge of ip networking, web technologies, network and server security including standard practices.deep knowledge of intrusion detection, firewalls, data loss prevention, data encryption, and vulnerability management concepts.an ability to learn new technologies and adopt new tools.decision-making qualities including the implementation and security of wireless network technologies.public key infrastructure (pki)proven experience working with pci-dss complianceexpertise in lan/wan and other network related concepts and principals. implement information security/networking best practices and procedures.a client-focused approach as demonstrated by the ability to implement information security/networking best practices and procedures.demonstrated knowledge and exposure to different types of encryption technologies and concepts.ability to clearly articulate point of view verbally and in writing and quickly grasp business objectives and strategies.high level of flexibility in working style and schedule.ability to travel as necessary.additional preferred qualifications: \u00b7 proven experience working in an environment that is certified and compliant with globally recognized security framework / information security management system (nist sp 800-53, iso27001, hipaa, sox, pci).\u00b7 certifications in cissp or cisa\u00b7 experience with computer forensics.daily duties:\u00b7 track all past and current prospects, and specific qualifications and enter customer data accurately and consistently into tti's crm system\u00b7 maintain and update an accurate log of activity in the tti crm system\u00b7 provide weekly and monthly customer contact reports as required\u00b7 be adaptable to work in multiple environments\u00b7 perform other duties as assigned by tti executives and pmophysical requirements: \u00b7 adequate vision and dexterity to operate computer systems and peripherals\u00b7 adequate speech clarity and hearing to communicate efficiently with clients via telephone interactions\u00b7 must be able to deal with high pressure situations and time constraints effectively\u00b7 must be able to lift/carry/push/pull objects that weigh up to 50 pounds\u00b7 frequently sitting, use a telephone, grasp lightly/fine manipulation, bending, lifting, standing, and carrying equipment.additional requirements: in addition to the technical knowledge, experience and competence required of this particular job position, tti's employees must also possess problem-solving skills, intelligence, perseverance, orderliness, responsibility, drive toward and satisfaction at the attainment of goals, calmness and endurance under stressful conditions, consistency and predictability in the regular attendance to duty, individual initiative as well as participation in group efforts, correct estimation of specific circumstances, fairness, empathy, appreciation toward fellow workers, and effective communications skills.in keeping with these job requirements, tti may choose to utilize application forms, interview procedures and/or pre-employment non-medical, non-psychological testing regimens that will assist tti to determine whether applicants can meet tti\u2019s performance standards. applicants for the above job position may be required to undergo such screening procedures.note: the statements herein are intended to describe the general nature and level of work being performed by tti employees, and are not to be construed as an exhaustive list of responsibilities, duties and skills required of personnel so classified. furthermore, they do not establish a contract for employment and are subject to change at the discretion of tti.candidates must be able to perform the essential functions of this position, with or without reasonable accommodations. reasonable accommodations may be made to enable individuals with disabilities to perform the essential functions.job type: full-timebenefits:health insurancedental insurancevision insuranceretirement planpaid time off",
"url": "https://www.indeed.com/company/Turner-Techtronics,-Inc./jobs/Information-Security-Engineer-1431f430e51b7c41?fccid=061ba16010bf940e&vjs=3"
},
{
"job_title": "manager, information security",
"company": "Verifi, Inc.",
"city": "Los Angeles, CA 90048",
"date": {
"display": "18 days ago",
"timestamp": 1571272364
},
"job_description": "verifi, inc., a visa company, is currently hiring for a dynamic and collaborative manager, information security!this role reports to the sr director, compliance and information security and is responsible for the success of infosec initiatives, with a focus on best practices management of security systems, appliances, intrusion detection, security devices, and training tasks to enable users to maximize productivity with security practices. we are looking for a role your sleeves up info-sec guru who can speak tech and business with the best of them!at verifi, you will be part of a dynamic environment that supports interdepartmental collaboration, fuels creativity and provides you with an opportunity to take ownership and play an intricate part in our company\u2019s success.you will work alongside the brightest and most remarkable individuals in the industry and you will have an immediate impact on our aspirations for global domination and disruption of the payments space. and you will do all this, while challenging your career, giving back to the community and creating new friendships.join verifi and you join the leading solution in the ecommerce marketplace for payment and risk management.you will be responsible to:work closely with devops, software engineering, and corp it teams to develop and articulate application, service, and infrastructure security requirements, standards, and guidelines.deploy and manage security infrastructure, including siem, vulnerability scanning, application scanning, centralized logging, and encryption platforms.provide comprehensive monitoring of all technical controls, including mfa, sso, nac, pki, kms, ddos, and iam.maintain knowledge of financial industry trends, current security issues, security best practices, and new security technologies.build, deploy, and track security measurements for our computer systems and networks.design infrastructure to alert the appropriate teams of detected vulnerabilities and intrusion attempts.implement solutions that arise from vulnerability scans.research and analyze products to improve security and stabilityrecommend, monitor, test and report on the state of security controls and infrastructure.create and participate in incident response process.work with internal and external audit teams to deliver timely responses and data collection requests for vulnerability or risk assessments and penetration testing.develop, document and implement security policies based on industry best practices.effectively manage and lead information security team to deliver efficiently on projects and maintain positive team dynamics / communicationsyou bring to the table your:bs in computer science, engineering, security related area or equivalent7 years of relevant experience, including at least 3 years directly supervising othersstrong experience in linux systems administrationknowledge of pci/dss, sox, hippa, fisa, or similardeep understanding of security considerations for web-based services in a mixed environment that includes linux, windows, vms, docker containers, and kubernetes orchestrationknowledge of computer forensics, including determining the source of an incident and preserving evidencethorough understanding of network topologies, protocols including smb and tls, firewalls, acls, and vpnsexpertise with windows security topics, including active directory; os, patch, and system management; vdi; and malware protection.hands-on experience with security testing tools, such as metasploit, wireshark, nessus, nmap, etc.experience with threat and vulnerability assessmentsprior experience building coordination across tech, product and operations teamsexperience working in 24/7 operational ha environmentprior experience implementing, managing, and enforcing technology security policy and procedureshigh degree of independence and exceptional work ethicteam player attitude, with a solution-oriented mindsetadditional considerations, include:strong knowledge of aws or other cloud environmentscissp, giac, ceh certificationswe are located in los angeles and offer:dynamic, stimulating and open environment with opportunity for personal development.medical, dental, vision, life insurance401k w/ match, paid time off, and paid holidayspaid parking and complimentary foodsocially conscious and community-oriented companyenergized employment filled with activities and eventscompetitive base salary and plus bonus#di",
"url": "https://www.indeed.com/rc/clk?jk=4c33874cf100b1d5&fccid=9c9541ff470c5626&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272412
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272419
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272426
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272432
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alo Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272438
},
"job_description": "descriptionour missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=3f1cc37275e9eeff&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272445
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272451
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alo Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272459
},
"job_description": "descriptionour missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=3f1cc37275e9eeff&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272465
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272472
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272482
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272490
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272497
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272503
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272509
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alo Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272515
},
"job_description": "descriptionour missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=3f1cc37275e9eeff&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272521
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alo Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272530
},
"job_description": "descriptionour missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=3f1cc37275e9eeff&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "principal application security engineer (infosec)",
"company": "Palo Alto Networks",
"city": "Santa Clara, CA",
"date": {
"display": "18 days ago",
"timestamp": 1571272535
},
"job_description": "our missionat palo alto networks\u00ae everything starts and ends with our mission: protecting our way of life in the digital age by preventing successful cyberattacks. it\u2019s not a small goal. it isn\u2019t simple either, but we aren\u2019t in this for the easy answer. as a company with a foundation in challenging the way things are done, we\u2019re looking for innovators with a dedication to the best. in return, your career will have a tangible impact - one that's working toward technology that affects every level of society.our mission doesn\u2019t happen by treading softly. it happens by defining an industry. it means building products that haven't been thought of. it means selling products with a solutions mindset. it means supporting the infrastructure of a company that moves at an incredible speed\u2026intentionally\u2026to stay ahead of the world\u2019s next cyberthreat.your careerour information security organization is seeking a principal application penetration tester to join our security operations team. in this role, you will be responsible for planning and execution of blackbox and whitebox penetration tests against palo alto networks saas products and services. the successful candidate will thrive in a fast-paced environment where energy, drive, and a collaborative approach are key to success.your impactengage with business owners in pre-engagement activities including scope definition, environment setup and schedulingconduct application layer penetration tests against saas applications and service apisconduct source code reviews when neededprepare and deliver technical reports to business owners and infosec partnersassist, as a subject matter expert, in remediation planning and executionassist with security investigations, root-cause analysis and corrective measures as requiredoccasionally plan and manage engagements to be executed by external partners when neededassist in the management of application security programs like continuous scanning, bug bounty, secure development lifecycle and othersstay current on exploitation and post-exploitation techniques and incorporate them into the penetration testing arsenalyour experience5 - 7 years\u2019 experience in application penetration testingmust have the ability to conduct manual and automated assessment of applicationsmust have the ability to effectively work with remote peersexcellent written and verbal communication skillsability to establish priorities, work independently and proceed with objectivesmust be well organized and able to leverage best practices, able to thrive in fast-paced environment, and, most importantly, have the ability to approach problems with an innovative, can-do attitudepublic speaking and demonstrated thought leadership in the security spaceeducationbachelor's degree from four-year college or university; or equivalent training, education, and experience in information / cyber security, computer systems, it, etc.the teamthink about it, security for an information security company. working at a high-tech cybersecurity company within the information security team is a once in a lifetime opportunity. you\u2019ll be joined with the brightest minds in technology, our global teams on the front line of defense against cyberattacks. we\u2019re joined by one mission \u2013 but driven by the impact of that mission and what it means to protect our way of life in the digital age. join a dynamic and fast-paced team that feels excitement at the prospect of a challenge and feels a thrill at resolving security gaps that inhibit our privacy.our commitmentwe\u2019re trailblazers that dream big, take risks, and challenge cybersecurity\u2019s status quo. it\u2019s simple: we can\u2019t accomplish our mission without diverse teams innovating, together. to learn more about our culture and dedication to inclusion and innovation, visit our careers page.palo alto networks is an equal opportunity employer. we celebrate diversity in our workplace, and all qualified applicants will receive consideration for employment without regard to age, ancestry, color, family or medical care leave, gender identity or expression, genetic information, marital status, medical condition, national origin, physical or mental disability, political affiliation, protected veteran status, race, religion, sex (including pregnancy), sexual orientation, or other legally protected characteristics.additionally, we are committed to providing reasonable accommodations for all qualified individuals with a disability. if you require assistance or an accommodation due to a disability or special need, please contact us at accommodations@paloaltonetworks.com.learn more about the amazing work experience at palo alto networks here!#li-mt1",
"url": "https://www.indeed.com/rc/clk?jk=96dcb5f597b77340&fccid=0562f887e2bed9ea&vjs=3"
},
{
"job_title": "reverse engineer",
"company": "FiveBy",
"city": "Menlo Park, CA",
"date": {
"display": "27 days ago",
"timestamp": 1570495188
},
"job_description": "fiveby is a high-end anti-fraud and online security consultancy headquartered in seattle with operations across the united states. we are a motivated group of specialized professionals united under the mission to provide the programs, services, and expertise our clients need to protect their products and customers. with the ever-increasing risk of security breaches, identity fraud, espionage, cyber-attacks, and other nefarious activities by bad actors, there has never been a better time to join the fight against online crime.we're looking for a talented reverse engineer/firmware analyst to extend our lab capabilities for a key client in our supply chain security service line - this position reports to fiveby's chief strategy officer, but has a strong work matrix to the other lab team members. the reverse engineer will perform independent analysis while partnering with data analysts and materials scientists on the lab team to support proactive and reactive investigations. firmware analysis will include components in consumer and business electronic devices, servers, and infrastructure components with a focus on baselining and validation against previous baselines, as well as anti-counterfeiting, malicious content, and covert channels. reverse engineering scope will include the forensic examination of android and linux devices, and investigations will focus on security, safety, brand protection and overall customer and partner experience.competitive candidates will have a passion for the field, strong hardware analysis skills, the ability to manage multiple simultaneous workstreams under firm deadlines, and a strong sense of teamwork and professional communications.this role is seated in menlo park and will function as a part of an embedded team of fiveby consultants at the client site.responsibilities for this role include, but are not limited to:conduct technical hardware examination of server hardware and various business and consumer electronic devices for baseline and for deviance from sameconduct reverse engineering, failure analysis, and vulnerability analysis of hardware to identify anomaliesperform inspection, imaging, and other activities related to hardware reverse engineering and exploitationprepare clear and concise technical reportsrequired skills and experiencesecurity domain expertise, including both hardware and software risksexperience utilizing ida pro, hexrays, or similar reverse engineering toolsexperience utilizing wireshark or similar source packet analysis toolsexperience analyzing android, linux, and windows binariesstrong understanding of essential networking concepts (tcp, udp, http(s), dns, etc.) as well as covert channel communicationunderstanding of and experience with the creation of a malware analysis lab and virtualization software (vmware, virtualbox, qemu, etc.)experience with tools such as peid, sysinternals, regshot, etc.strong knowledge of the android operating system, and android executablesunderstanding of various threat types and functionalities (trojans, rootkits, reverse shells, etc.)understanding of obfuscation, encryption/encoding and anti-debugging techniquespreferred skills and experiencethe unified kill chain, pyramid of pain, and understanding of the diamond modelan understanding of software exploitation techniquesexperience with encasefiveby is an equal opportunity employer.all employment decisions \u2013 including the decision to hire, promote, discipline, or discharge \u2013 are based on merit, competence, performance, and business needs. we do not discriminate based on race, color, religion, marital status, age, national origin, ancestry, physical or mental disability, medical condition, pregnancy, genetic information, gender, sexual orientation, gender identity or expression, veteran status, or any other status protected under federal, state, or local law.work environment and physical demandsin order to perform this role, the selected employee must be able to operate within a standard office environment, with or without reasonable accommodation. this includes the ability to withstand long periods of staring at a computer screen, exposure to fluorescent lights, and repetitive motion associated with writing and/or continuous computer use. this role requires the ability to stand or sit for long periods of time, communicate with others via speech or text, and use hands or other tools to operate a computer and keyboard. light to moderate lifting may be required. due to the nature of our work, employees must be able to uphold the stress of traveling to client sites as well as adapt (within reason) to the conditions of client sites. regular, predictable attendance is required, as is the ability to work outside of standard business hours as business needs dictate.if you require accommodation due to a documented disability covered under the americans disability act, click here to submit your accommodation request. to be eligible for accommodation under the ada, applicants must meet the minimum qualifications of the position for which they are applying.yhzzdndkcn",
"url": "https://www.indeed.com/rc/clk?jk=ade37c95810a2507&fccid=003d385c80c5751c&vjs=3"
}
]
}
#print(unique(games))