content
stringlengths
7
1.05M
def parse_instruction(line): instruction, step = line.split() return (instruction, int(step)) def parse_program(lines): return [parse_instruction(line) for line in lines] def gen_alt_programs(program): for i in range(len(program)): ins, step = program[i] if ins == "jmp": new_ins = "nop" elif ins == "nop": new_ins = "jmp" else: new_ins = "acc" p2 = program[:] p2[i] = (new_ins, step) yield p2 def perform_instruction(program, i, acc): ins, step = program[i] if ins == "acc": acc = acc + step if ins == "jmp": i = i + step else: i = i + 1 return i, acc def run_until_loop_or_end(program): i = 0 acc = 0 seen_is = [] while (i not in seen_is) and i < len(program): seen_is.append(i) i, acc = perform_instruction(program, i, acc) return acc, i def solve(input): program = parse_program(input) alt_p = gen_alt_programs(program) for prog in alt_p: acc, last_ins = run_until_loop_or_end(prog) if last_ins >= len(program): break return (run_until_loop_or_end(program)[0], acc)
class Solution(object): def lengthOfLongestSubstring(self, s): """ :type s: str :rtype: int """ substr = [] curr = [] for i in range(0, len(s)): letter = s[i:i+1] if letter in curr: if len(curr) > len(substr): substr = curr index_cut = curr.index(letter) curr = curr[index_cut+1:] curr.append(letter) if len(curr) > len(substr): substr = curr return len(substr)
# Summing the N series # Sum the N series. # # https://www.hackerrank.com/challenges/summing-the-n-series/problem # # c'est quand même plus facile que les problèmes de Project Euler... for _ in range(int(input())): n = int(input()) print((n ** 2) % 1000000007)
# -*- coding: utf-8 -*- # Implementační test IB002 - úloha 1. (lehčí, 12 bodů) # Vyplňte následující údaje: # Jméno: # UČO: # Skupina: # # Vytvoří prázdnou matici sousednosti pro graf o n vrcholech. # def createGraph(n): return [[0] * n for i in range(n)] # # Přidá hranu (u,v) do grafu. Graf je neorientovaný, tj. hrany jsou obousměrné. # def add_edge(matrix, u, v): matrix[u][v] = 1 matrix[v][u] = 1 # # ÚKOL: # Naprogramujte funkci, která ověří, že je daná hrana mostem. Hrana v grafu # se nazývá most, pokud neleží na žádném cyklu (a jejím odebráním by se tedy # graf rozpadnul na více komponent). # # Funkce dostane graf zadaný maticí sousednosti, a dva vrcholy u, v # (resp. jejich čísla). Funkce vrací True nebo False. # Pokud hrana (u,v) v grafu není, vraťte False. # Pokud hrana (u,v) v grafu je, vraťte True pokud je mostem, False pokud ne. # # Příklad: # 2 4 # / \ / \ # 0 - 1 - 3 - 5 6 # # is_bridge(graph, 0, 4) = False, neboť tato hrana v grafu není # is_bridge(graph, 1, 3) = True, odebráním se graf rozpadne na dvě komponenty # is_bridge(graph, 2, 1) = False, hrana se nachází na cyklu 0 - 1 - 2 # def is_bridge(matrix, u, v): if matrix[u][v] == 0: return False matrix[u][v] = 0 matrix[v][u] = 0 if not is_connected(matrix, u, v): add_edge(matrix, u, v) return True add_edge(matrix, u, v) return False def is_connected(matrix, u, v): n = len(matrix) visited = [False]*n stack = [u] while stack: current = stack.pop() if current == v: return True else: if not visited[current]: visited[current] = True for x in range(n): if not visited[x] and matrix[current][x] != 0: stack.append(x) return False # # Následící kod testuje funkcionalitu. Neupravujte. # Každý test obsahuje několik volání vaší funkce. Test je úspěšný jen pokud # všechny volání vrátí správnou odpověď. # def test(graph, u, v, expectation): if is_bridge(graph, u, v) == expectation: print("Ok.") else: print("Chyba, pro hranu (%i, %i) je správná odpověď %s" % (u, v, str(expectation))) # Graf z obrázku výše graph = createGraph(7) add_edge(graph, 0, 1) add_edge(graph, 1, 2) add_edge(graph, 2, 0) add_edge(graph, 1, 3) add_edge(graph, 3, 4) add_edge(graph, 4, 5) add_edge(graph, 5, 3) print("Test 1.:") test(graph, 0, 4, False) # neexistujici hrana v jedné komponenta test(graph, 5, 6, False) # neexistujici hrana mezi komponentami print("Test 2.:") test(graph, 0, 2, False) # není mostem test(graph, 1, 3, True) # je mostem print("Test 3.:") test(graph, 2, 1, False) # otestovaní všech hran na levém cyklu test(graph, 1, 0, False) test(graph, 2, 0, False) test(graph, 1, 2, False) test(graph, 0, 1, False) test(graph, 3, 1, True) # test mostu druhým směrem # Složitější graf graph = createGraph(10) add_edge(graph, 0, 1) add_edge(graph, 1, 2) add_edge(graph, 2, 3) add_edge(graph, 3, 4) add_edge(graph, 4, 0) add_edge(graph, 5, 6) add_edge(graph, 6, 7) add_edge(graph, 7, 5) add_edge(graph, 3, 6) add_edge(graph, 8, 9) print("Test 4.:") test(graph, 8, 9, True) test(graph, 0, 1, False) # hrana velkého cyklu test(graph, 5, 6, False) # hrana malého cyklu print("Test 5.:") test(graph, 3, 6, True) # propojka mezi cykly test(graph, 6, 5, False) test(graph, 6, 7, False) test(graph, 2, 3, False) test(graph, 4, 3, False) print("Test 6.:") test(graph, 6, 3, True) # propojka mezi cykly test(graph, 5, 6, False) test(graph, 7, 6, False) test(graph, 3, 2, False) test(graph, 3, 4, False)
# MIT License # Copyright (c) 2022 Zenitsu Prjkt™ # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. def get_readable_time(seconds: int) -> str: count = 0 readable_time = "" time_list = [] time_suffix_list = ["s", "m", "h", "days"] while count < 4: count += 1 if count < 3: remainder, result = divmod(seconds, 60) else: remainder, result = divmod(seconds, 24) if seconds == 0 and remainder == 0: break time_list.append(int(result)) seconds = int(remainder) for x in range(len(time_list)): time_list[x] = str(time_list[x]) + time_suffix_list[x] if len(time_list) == 4: readable_time += time_list.pop() + ", " time_list.reverse() readable_time += ":".join(time_list) return readable_time
#Programa que define idade dos pais e a idade que eles tinham quando os filhos nasceram. anoAtual = int(input('Ano atual: ')) nascMae = int(input('Ano de nascimento Mãe: ')) nascPai = int(input('Ano de nascimento Pai: ')) idFilho = int(input('Idade do filho: ')) idMae = anoAtual - nascMae idPai = anoAtual - nascPai idMaepart = idMae - idFilho idPaipart = idPai - idFilho print('A idade da mãe é {} anos e a idade do pai é {} anos, a mãe tinha {} anos no nascimento do filho(a) e o pai tinha {} anos.'.format(idMae, idPai, idMaepart, idPaipart))
class converter: def convertParagraph(self,st): st = st.replace("two dollars","$2") st = st.replace("C M","CM") st = st.replace("Triple A","AAA") st = st.replace("United State of America","USA") return st
class Solution: def minSwap(self, A: List[int], B: List[int]) -> int: n = len(A) # swap[i]: minimum swap times to make A[:i], B[:i] increasing, with swap on A[i] and B[i] # notSwap[i]: minimum swap times to make A[:i], B[:i] increasing, without swap on A[i] and B[i] swap = [n] * n notSwap = [n] * n swap[0] = 1 notSwap[0] = 0 for i in range(1, n): if A[i] > A[i - 1] and B[i] > B[i - 1]: # two options: 1. dont swap at i - 1 and dont swap at i; 2. swap at i - 1 and swap at i # the min is trivial, because notSwap is garanteed to be mininum. # if we dont swap at i, we also dont swap at i - 1, so A[i] and A[i - 1] will stays the same notSwap[i] = notSwap[i - 1] # if we swap at i, then we need to swap at i - 1, so A[i] and A[i - 1] stays the same swap[i] = swap[i - 1] + 1 if A[i - 1] < B[i] and B[i - 1] < A[i]: # if we dont swap at i, then we will need to swap at i - 1 notSwap[i] = min(swap[i - 1], notSwap[i]) # if we swap at i, we dont swap at i - 1 swap[i] = min(notSwap[i - 1] + 1, swap[i]) return min(notSwap[-1], swap[-1])
__version_info__ = __version__ = version = VERSION = '0.1.0' def get_version(): return version
# Escreva um programa que pergunte a quantidade de KM percorridos por um carro alugado e a quantidade de dias pelos quais ele foi alugado. Calcule o preço a pagar, sabendo que o carro custa R$60 por dia e R$0,15 por KM rodado. dias = int(input('Quantos dias alugados? ')) km = float(input('Quantos Km rodados? ')) pago = (dias * 60) + (km * 0.15) print('O total a pagar é de R${:.2f}'.format(pago))
# Challenge 39 Easy # https://www.reddit.com/r/dailyprogrammer/comments/s6bas/4122012_challenge_39_easy/ # Takes parameter n # Prints number on each line, except # if n % 3, print Fizz, n % 5 Buzz, both, FizzBuzz def nprint(n): for i in range(1, n+1): if i % 3 == 0 and i % 5 == 0: print('FizzBuzz') elif i % 3 == 0: print('Fizz') elif i % 5 == 0: print('Buzz') else: print(i)
# Redis数据库地址 # REDIS_HOST = "localhost" REDIS_HOST = "192.168.1.50" # Redis端口 REDIS_PORT = 6379 # Redis密码,如无填None REDIS_PASSWORD = "12345678" # 产生器类,如扩展其他站点,请在此配置 GENERATOR_MAP = { "weibo": "WeiboCookiesGenerator", } # 测试类,如扩展其他站点,请在此配置 TESTER_MAP = { "weibo": "WeiboValidTester" } # 测试cookie是否可用的链接 TEST_URL_MAP = { "weibo": "https://m.weibo.cn/message/msglist?page=1" # https://m.weibo.cn/message } # 产生器和验证器循环周期,单位为s CYCLE = 120 # API地址和端口 API_HOST = "0.0.0.0" API_PORT = 5000 # 产生器开关,模拟登录添加Cookies GENERATOR_PROCESS = True # 验证器开关,循环检测数据库中Cookies是否可用,不可用删除 VALID_PROCESS = True # API接口服务 API_PROCESS = True
class PlayViewTickFeature: def playv_tick(game): if game.tile_at_player == None: # skip graphics game.tick return if type(game.tile_at_player) == tuple: if game.tile_at_player[1] == 'a': # The player has encountered a cliff game.tile_at_player = game.tile_at_player[0] game.focus_camera(game.player) # Move camera game.focus_camera(game.player) game.zindex_buf = [[-100 for _ in range(game.maph)] for _ in range(game.mapw)] game.screen.fill((0,0,0)) # TODO only redraw everything if the game.camera has moved game.drawMap() game.char_notation_blit('@', game.camerax + game.player.x , game.player.z + game.cameraz) game.last_player_pos = game.tile_at_player.x, game.tile_at_player.y, game.tile_at_player.z
# Copyright 2012-2018 Ben Lambert # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # http://www.apache.org/licenses/LICENSE-2.0 # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """ Just a class to represent a sentence or utterance. """ class Sentence(object): """Represents a sentence or utterance.""" def __init__(self, id_, words, acscore=None, lmscore=None, lmscores=None, acscores=None): """Constructor. ID and words are required.""" self.id_ = id_ self.words = words self.acscore = acscore self.lmscore = lmscore self.eval_ = None self.feature_vector = None self.lmscores = lmscores self.acscores = acscores def __str__(self): """Returns a string representation of this object.""" sentence_str = ' '.join(self.words).lower() return sentence_str def wer(self): """Returns this sentence's WER if the sentence already has been evaluated. Otherwise throw an exception.""" if self.eval_: return self.eval_.wer() else: raise Exception('No cached evaluation for this sentence.') def score(self, lmwt=14): """Return the overall score as specified by the ASR engine: acoustic_score + lm_score * lm_weight.""" return self.acscore + self.lmscore * lmwt
# coding: utf-8 class Config(object): def __init__(self): pass def initialize(self): pass def exit(self): pass
""" Basic Insertionsort program. """ def insertion_sort(arr): # Traverse through 1 to len(arr) for i in range(1, len(arr)): key = arr[i] # Move element of arr[0...i-1], that are greater than key, # to one position ahead of their current position j = i - 1 while j >= 00 and key < arr[j]: arr[j + 1] = arr[j] j -= 1 arr[j + 1] = key return arr
#!/usr/bin/env python # -*- coding: utf-8 -*- # instance configs PRIMARY_OS = 'Ubuntu-16.04' PRIMARY = '''#!/bin/sh FQDN="{fqdn}" export DEBIAN_FRONTEND=noninteractive # locale sudo locale-gen en_US.UTF-8 # hostname hostnamectl set-hostname $FQDN sed -i "1 c\\127.0.0.1 $FQDN localhost" /etc/hosts # required packages apt-get update apt-get install -y -q slapd ldap-utils phpldapadmin # config files - temp solution curl -sSL https://gist.githubusercontent.com/kizbitz/f2e10ccdbf9db4bbbe7262d9e5fc09ff/raw/af233a12e78851399e1d7e8ea8bc2758bcea6f0a/docker-ldap-training-configs.sh | sh # final prep chown root:www-data /etc/phpldapadmin/config.php rm -r /var/lib/ldap/* rm -r /etc/ldap/slapd.d/* slapadd -F /etc/ldap/slapd.d -b cn=config -l /tmp/config.ldif slapadd -l /tmp/data.ldif chown -R openldap:openldap /etc/ldap/slapd.d chown -R openldap:openldap /var/lib/ldap service slapd restart service apache2 restart {dinfo} ''' # Script to use if launching from a custom lab AMI image AMIBUILD = '''#!/bin/sh FQDN="{fqdn}" # hostname hostnamectl set-hostname $FQDN sed -i "1 c\\127.0.0.1 $FQDN localhost" /etc/hosts {dinfo} reboot ''' def pre_process(): """Executed before launching instances in AWS""" pass def post_process(): """Executed after launching instances in AWS""" pass # Notes ''' Script requires: {fqdn} {dinfo} '''
config = { # + # This is where you specify your dataset: # whether it's CVS or MongoDB, the connect parameters, etc. # # To experiment with this, replace the CSV file with any dataset that you # wish to analyze. Or point this to a MongoDB collection. # # This particular dataset contains records indicating success or failure of an Air Force # Reserve recruitment effort on a per-recruit basis. # 'data': { 'type': 'CSV', # type may also be set to MongoDB 'collection': 'FY11Leads.csv', # for CSV, put CSV file here; # for MongoDB, put collection name here 'dbname': None, # MongoDB only: put the database name here 'query': {}, # MongoDB only: Provide MongoDB query. Leave alone # if you want the entire collection. 'host': 'localhost', # MongoDB only 'port': 27017, # MongoDB only 'username': None, # MongoDB only 'password': None, # MongoDB only 'noid': True, # MongoDB only: Set to False if we want the _id field }, # This object describes the features and labels of the collection above. # 'collection': { # This is the human-readable (success, failure) message vector. # 'label_outputs': ['Recruitment Failure', 'Recruitment Success'], # Specify the categorical features from the dataset that # we hypothesize may affect successful recruitment. # # We wish to see if successful recruitment is predictable based on gender, race, or state; # you should feel free to change these features in order to experiment # with other hypotheses, or just remove ones you hypothesize are not # relevant, etc. This kind of experimentation can be very enlightening. # # To experiment with your own dataset, change this so it contains whatever features you # think might influence the label in your own dataset. # # However, NOTE WELL that some (many!) datasets contain "linear duplicates" # where a (feature) column is semantically related to the label column. # If that's the case, then do NOT include the semantically overlapping # feature column here. You'll get 100% success in your model, but # the result will be meaningless. # 'cat_features': ['GENDER', 'RACE', 'STATE'], # If your dataset contains continuous variables (like age, for example), # add them in here. # # For the Air Force dataset, there aren't any continuous variables. However, # for demonstration purposes, I'll specify that the zip code is actually a # numeric value. The model should learn to ignore the variable (unless, for # some unforeseen reason, the magnitude of a zip code affects recruitment # success. Color me skeptical.) # 'cont_features': ['ZIP'], # The CURSTATUS_CD field contains values indicating the outcome of an Air Force # recruitment effort. # # To experiment with this, replace this with the label from your own dataset. # 'label_field': 'CURSTATUS_CD', # Declare which values of the CURSTATUS_CD field are considered positive outcomes # (that is, successful recruitment) # # ACE = accession gain, ACG = accession gain, as per prior information request # # To experiment with this, change this so it contains the positive values from # the label_field in your dataset. # 'true_values': ['ACE', 'ACG'], }, # This object describes aspects of the model that are likely to be changed # 'model': { 'num_epochs': 15, 'batch_size': 4, 'learning_rate': 0.001 } }
__author__ = 'Arseniy' class Project: def __init__(self, name="", description=""): self.name = name self.description = description def __repr__(self): return "%s; %s" % (self.name, self.description) def __eq__(self, other): return self.name == other.name def name(self): return self.name
class credentials: ''' Class that generates new instances of credentials ''' credentials_list = [] def __init__(self, user_name, password): self.user_name = user_name self.password = password ''' __init__method that helps define properties for our objects. Args: user_name: user name passord : password of the user ''' def save_credentials(self): ''' save_credentials method saves the user object into the database/user_list ''' credentials.user_list.append(self)
# Python implementation of puzzle 5 # Probably should add string ops to Lavender STL def main(str): seq = list(map(lambda x: int(x), str.split())) count = 0 pos = 0 while pos >= 0 and pos < len(seq): tmp = pos pos += seq[pos] seq[tmp] += 1 count += 1 return count def main2(str): seq = list(map(lambda x: int(x), str.split())) count = 0 pos = 0 while pos >= 0 and pos < len(seq): tmp = pos pos += seq[pos] if seq[tmp] < 3: seq[tmp] += 1 else: seq[tmp] -= 1 count += 1 return count
text = type(type) print(text)
""" Faça um programa que pergunte a hora ao usuário e dê a ele uma saudação correspondente. (Bom dia: 0-11:00; Boa tarde: 12-17; Boa noite: 18:00-23:00 """ while True: try: hora_string = input("Que horas são? (hh:mm): ") hora = int(hora_string.split(':')[0]) minuto = int(hora_string.split(':')[1]) if hora < 0 or hora > 23: print('Horário inválido! Ele deve estar entre 00:00 e 23:59') elif hora <= 11: print('Bom dia') break elif hora <= 17: print('Boa tarde!') break else: print('Boa noite!') break except: print('Caracteres inválidos!') print(f'Você disse que são {hora:0>2}:{minuto:0<2} ')
#C1 = int(input()) #N1 = int(input()) #V1 = float(input()) #C2 = int(input()) #N2 = int(input()) #V2 = float(input()) #soma1 = N1 * V1 #soma2 = N2 * V2 #resultado = soma1 + soma2 #print('VALOR A PAGAR: R$ %.2f' % resultado) linha = input().split() C1 = int(linha[0]) N1 = int(linha[1]) V1 = float(linha[2]) linha2 = input().split() C2 = int(linha2[0]) N2 = int(linha2[1]) V2 = float(linha2[2]) resultado = N1 * V1 + N2 * V2 print('VALOR A PAGAR: R$ %.2f' % resultado)
#!/usr/bin/env python3 # -*- coding: utf-8 -*- # # Fundoshi documentation build configuration file, created by # sphinx-quickstart on Mon Jun 8 12:59:17 2015. # # This file is execfile()d with the current directory set to its # containing dir. # # Note that not all possible configuration values are present in this # autogenerated file. # # All configuration values have a default; values that are commented out # serve to show the default. # Add any Sphinx extension module names here, as strings. They can be # extensions coming with Sphinx (named 'sphinx.ext.*') or your custom # ones. extensions = [ 'sphinx.ext.doctest', ] # Add any paths that contain templates here, relative to this directory. templates_path = ['_templates'] # The suffix(es) of source filenames. # You can specify multiple suffix as a list of string: # source_suffix = ['.rst', '.md'] source_suffix = '.rst' # The master toctree document. master_doc = 'index' # General information about the project. project = 'Fundoshi' copyright = '2017, Bùi Thành Nhân' author = 'Bùi Thành Nhân' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the # built documents. # # The short X.Y version. version = '0.0' # The full version, including alpha/beta/rc tags. release = '0.0.8' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. # # This is also used if you do content translation via gettext catalogs. # Usually you set "language" from the command line for these cases. language = None # List of patterns, relative to source directory, that match files and # directories to ignore when looking for source files. exclude_patterns = ['_build'] # The name of the Pygments (syntax highlighting) style to use. pygments_style = 'sphinx' # If true, `todo` and `todoList` produce output, else they produce nothing. todo_include_todos = False # Add any paths that contain custom static files (such as style sheets) here, # relative to this directory. They are copied after the builtin static files, # so a file named "default.css" will overwrite the builtin "default.css". html_static_path = ['_static'] # Output file base name for HTML help builder. htmlhelp_basename = 'Fundoshidoc' html_theme = 'sphinx_rtd_theme' doctest_global_setup = ''' import vcr context = vcr.use_cassette('./doctest_cassette.yml') context.__enter__() ''' doctest_global_cleanup = ''' context.__exit__() '''
class AccessingNonExistingUserError(Exception): def __init__(self, uid): self.message = (f"User with ID {uid} can not be accessed as this user", " does not exist or is not registered") super().__init__(self.message)
def get_count(queryset): """Determine an object count in optimized manner. Incompatible with custom values/distinct/group by""" try: return queryset.values('pk').order_by().count() except (AttributeError, TypeError): return len(queryset)
class Token: """ A simple token representation, keeping track of the token's text, offset in the passage it was taken from, POS tag, dependency relation, and similar information. These fields match spacy's exactly, so we can just use a spacy token for this. Parameters ---------- text : ``str``, optional The original text represented by this token. idx : ``int``, optional The character offset of this token into the tokenized passage. lemma : ``str``, optional The lemma of this token. pos : ``str``, optional The coarse-grained part of speech of this token. tag : ``str``, optional The fine-grained part of speech of this token. dep : ``str``, optional The dependency relation for this token. ent_type : ``str``, optional The entity type (i.e., the NER tag) for this token. text_id : ``int``, optional If your tokenizer returns integers instead of strings (e.g., because you're doing byte encoding, or some hash-based embedding), set this with the integer. If this is set, we will bypass the vocabulary when indexing this token, regardless of whether ``text`` is also set. You can `also` set ``text`` with the original text, if you want, so that you can still use a character-level representation in addition to a hash-based word embedding. The other fields on ``Token`` follow the fields on spacy's ``Token`` object; this is one we added, similar to spacy's ``lex_id``. """ def __init__(self, text: str = None, idx: int = None, lemma: str = None, pos: str = None, tag: str = None, dep: str = None, ent_type: str = None, text_id: int = None) -> None: self.text = text self.idx = idx self.lemma_ = lemma self.pos_ = pos self.tag_ = tag self.dep_ = dep self.ent_type_ = ent_type self.text_id = text_id def __str__(self): return self.text def __repr__(self): return self.__str__() def __eq__(self, other): if isinstance(self, other.__class__): return self.__dict__ == other.__dict__ return NotImplemented
# Copyright (c) 2019 AT&T Intellectual Property. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # File generated from /opt/config # GLOBAL_INJECTED_APPMGR_IP_ADDR = "127.0.0.1" GLOBAL_INJECTED_APPMGR_USER= "test" GLOBAL_INJECTED_APPMGR_PASSWORD= "test" GLOBAL_INJECTED_E2MGR_IP_ADDR = "127.0.0.1" GLOBAL_INJECTED_E2MGR_USER= "test" GLOBAL_INJECTED_E2MGR_PASSWORD= "test" GLOBAL_INJECTED_PROPERTIES = { "GLOBAL_INJECTED_APPMGR_IP_ADDR" : "127.0.0.1", "GLOBAL_INJECTED_APPMGR_USER" : "test", "GLOBAL_INJECTED_APPMGR_PASSWORD" : "test", "GLOBAL_INJECTED_E2MGR_IP_ADDR" : "127.0.0.1", "GLOBAL_INJECTED_E2MGR_USER" : "test", "GLOBAL_INJECTED_E2MGR_PASSWORD" : "test", }
expected_output = { 1: { "groupname": "2c", "sec_model": "v1", "contextname": "none", "storage_type": "volatile", "readview": "none", "writeview": "none", "notifyview": "*tv.FFFF58bf.eaFF58bf.eaFFFFFF.F", "row_status": {"status": "active"}, }, 2: { "groupname": "2c", "sec_model": "v2c", "contextname": "none", "storage_type": "volatile", "readview": "none", "writeview": "none", "notifyview": "*tv.FFFF58bf.eaFF58bf.eaFFFFFF.F", "row_status": {"status": "active"}, }, 3: { "groupname": "ag-ro", "sec_model": "v1", "contextname": "none", "storage_type": "volatile", "readview": "v1default", "writeview": "none", "notifyview": "*tv.FFFF58bf.eaFF58bf.eaFFFFFF.F", "row_status": {"status": "active"}, }, 4: { "groupname": "ag-ro", "sec_model": "v3 auth", "contextname": "none", "storage_type": "nonvolatile", "readview": "v1default", "writeview": "none", "notifyview": "none", "row_status": {"status": "active"}, }, 5: { "groupname": "ag-ro", "sec_model": "v3 priv", "contextname": "none", "storage_type": "nonvolatile", "readview": "v1default", "writeview": "none", "notifyview": "none", "row_status": {"status": "active"}, }, 6: { "groupname": "ag-rw", "sec_model": "v2c", "contextname": "none", "storage_type": "volatile", "readview": "v1default", "writeview": "v1default", "notifyview": "none", "row_status": {"status": "active", "access_list": "snmp-servers"}, }, 7: { "groupname": "IMI", "sec_model": "v2c", "contextname": "none", "storage_type": "permanent", "readview": "*ilmi", "writeview": "*ilmi", "notifyview": "none", "row_status": {"status": "active"}, }, 8: { "groupname": "AlfaV", "sec_model": "v2c", "contextname": "none", "storage_type": "permanent", "readview": "v1default", "writeview": "none", "notifyview": "none", "row_status": {"status": "active", "access_list": "90"}, }, 9: { "groupname": "ag-rw", "sec_model": "v1", "readview": "v1default", "writeview": "v1default", "notifyview": "none", "row_status": {"status": "active", "access_list": "snmp-servers"}, }, 10: { "groupname": "2c", "sec_model": "v2c", "readview": "none", "writeview": "none", "notifyview": "*tv.FFFF58bf.eaFF58bf.eaFFFFFF.F", "row_status": {"status": "active"}, }, }
load( "@ecosia_bazel_rules_nodejs_contrib//internal/nodejs_jest_test:test_sources_aspect.bzl", "test_sources_aspect", ) load("@build_bazel_rules_nodejs//internal/common:module_mappings.bzl", "module_mappings_runtime_aspect") load("@build_bazel_rules_nodejs//internal/common:sources_aspect.bzl", "sources_aspect") load("@build_bazel_rules_nodejs//internal/common:expand_into_runfiles.bzl", "expand_location_into_runfiles") load("@build_bazel_rules_nodejs//internal/common:node_module_info.bzl", "NodeModuleInfo", "collect_node_modules_aspect") load( "@ecosia_bazel_rules_nodejs_contrib//internal/nodejs_jest_test:node.bzl", "NODEJS_EXECUTABLE_ATTRS", "NODEJS_EXECUTABLE_OUTPUTS", "nodejs_binary_impl", "short_path_to_manifest_path", ) def _node_jest_test_impl(ctx): test_sources = ctx.files.srcs ctx.actions.expand_template( template = ctx.file._jest_template, output = ctx.outputs.jest, substitutions = { "TEMPLATED_env": "\"" + ctx.attr.env + "\"", # "TEMPLATED_ci": "true" if get_ci(ctx) else "false", "TEMPLATED_config_path": ctx.file.config.short_path if ctx.attr.config else "", "TEMPLATED_ci": "false", "TEMPLATED_filePaths": "[" + ",\n ".join( ["\"" + f.short_path + "\"" for f in test_sources], ) + "]", "TEMPLATED_update": "true" if ctx.attr.update_snapshots else "false", }, ) config_file = [ctx.file.config] if ctx.attr.config else [] return nodejs_binary_impl( ctx, entry_point = short_path_to_manifest_path( ctx, ctx.outputs.jest.short_path, ), files = [ctx.outputs.jest] + config_file + test_sources, ) node_jest_test = rule( _node_jest_test_impl, attrs = dict(NODEJS_EXECUTABLE_ATTRS, **{ "entry_point": attr.string( mandatory = False, ), "srcs": attr.label_list( doc = """Test source files""", allow_files = True, ), "data": attr.label_list( allow_files = True, aspects = [sources_aspect, module_mappings_runtime_aspect, collect_node_modules_aspect], ), # test_sources_aspect "env": attr.string( default = "jsdom", values = ["node", "jsdom"], ), "update_snapshots": attr.bool( default = False, ), "config": attr.label( doc = """jest config file""", allow_single_file = True, mandatory = False, ), "_jest_template": attr.label( default = Label( "@ecosia_bazel_rules_nodejs_contrib//internal/nodejs_jest_test:jest-runner.js", ), allow_single_file = True, ), }), test = True, executable = True, outputs = dict(NODEJS_EXECUTABLE_OUTPUTS, **{ "jest": "%{name}_jest.js", }), ) node_jest = rule( _node_jest_test_impl, attrs = dict(NODEJS_EXECUTABLE_ATTRS, **{ "entry_point": attr.string( mandatory = False, ), "srcs": attr.label_list( doc = """Test source files""", allow_files = True, ), "data": attr.label_list( allow_files = True, aspects = [sources_aspect, module_mappings_runtime_aspect, collect_node_modules_aspect], ), # test_sources_aspect "env": attr.string( default = "jsdom", values = ["node", "jsdom"], ), "update_snapshots": attr.bool( default = False, ), "config": attr.label( doc = """jest config file""", allow_single_file = True, mandatory = False, ), "_jest_template": attr.label( default = Label( "@ecosia_bazel_rules_nodejs_contrib//internal/nodejs_jest_test:jest-runner.js", ), allow_single_file = True, ), }), executable = True, outputs = dict(NODEJS_EXECUTABLE_OUTPUTS, **{ "jest": "%{name}_jest.js", }), ) def _node_jest_test_macro_base(name, srcs, data = [], args = [], visibility = None, tags = [], **kwargs): node_jest_test( name = name, srcs = srcs, data = data + ["@bazel_tools//tools/bash/runfiles"], # "@npm//jest", # "@npm//jest-cli", # "@npm//fs-extra"], # testonly=1, tags = tags, # visibility=["//visibility:private"], visibility = visibility, args = args, **kwargs ) node_jest( name = name + ".binary", srcs = srcs, data = data + ["@bazel_tools//tools/bash/runfiles"], # "@npm//jest", # "@npm//jest-cli", # "@npm//fs-extra"], # testonly=1, tags = tags, # visibility=["//visibility:private"], visibility = visibility, args = args, **kwargs ) # native.sh_binary( # name = "%s_bin_bin" % name, # srcs=["//internal/nodejs_jest_test:runner.sh"], # data = [ # ":%s_bin.sh" % name, # ":%s_bin" % name, # ], # tags=tags, # visibility=visibility, # testonly=1, # ) # native.sh_binary( # name=name, # args=args, # tags=tags, # visibility=visibility, # # srcs = ["//internal/nodejs_jest_test:runner.sh"], # # srcs = [":%s_bin_bin" % name], # srcs=[":%s_bin.sh" % name], # data=[":%s_bin.sh" % name, ":%s_bin" % name], # testonly = 1, # ) # Note: The deps attribute is just to have api compatibility with test rules from other languages def node_jest_test_macro(name, srcs, deps = [], tags = [], data = [], **kwargs): _node_jest_test_macro_base( name = name, srcs = srcs, tags = tags, data = data + deps, **kwargs ) _node_jest_test_macro_base( name = "%s_update" % name, srcs = srcs, update_snapshots = True, data = data + deps, tags = tags + ["manual", "update-jest-snapshot"], **kwargs )
def day06a(input_path): responses = [line.strip() for line in open(input_path)] group_response = set() total = 0 for response in responses: if not response: total += len(group_response) group_response = set() else: group_response |= set(response) total += len(group_response) return total def test06a(): assert 11 == day06a('test_input.txt') def day06b(input_path): responses = [line.strip() for line in open(input_path)] group_response = None total = 0 for response in responses: if not response: total += len(group_response) group_response = None elif group_response is None: group_response = set(response) else: group_response &= set(response) total += len(group_response) return total def test06b(): assert 6 == day06b('test_input.txt') if __name__ == '__main__': test06a() print('Day 06a:', day06a('day06_input.txt')) test06b() print('Day 06b:', day06b('day06_input.txt'))
def exponentiation(a, n): '''log(n) time exponentiation''' if n == 0: return 1 elif n % 2: # odd return a*exponentiation(a, n-1) else: # even return exponentiation(a*a, n/2) def test_one(a, n, res_exp): an = exponentiation(a, n) print("exponentiation(%d, %d) = %d" % (a, n, an)) assert an == res_exp def test(): for i in range(10): test_one(3, i, pow(3, i)) if __name__ == '__main__': test()
print("Programa que identifica el tipo de dato de un valor ingresado por el usuario, se realizarán cinco interacciones:") variable1 = input("Primera Interacción, ingrese un valor cualquiera:") print("Este tipo de dato en Python es: ") print(type(variable1)) variable2 = input("Segunda Interacción, ingrese un valor cualquiera:") print("Este tipo de dato en Python es: ") print(type(variable2)) variable3 = input("Tercera Interacción, ingrese un valor cualquiera:") print("Este tipo de dato en Python es: ") print(type(variable3)) variable4 = input("Cuarta Interacción, ingrese un valor cualquiera:") print("Este tipo de dato en Python es: ") print(type(variable4)) variable5 = input("Quinta Interacción, ingrese un valor cualquiera:") print("Este tipo de dato en Python es: ") print(type(variable5))
# Copyright (c) 2016, Quang-Nhat Hoang-Xuan # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or # implied. # See the License for the specific language governing permissions and # limitations under the License. """Base Proxy class.""" class BaseProxy: """Base proxy class.""" def proxify(self, uid, role, execution_id): """The methods that needs to be overridden by implementations.""" raise NotImplementedError def unproxify(self, uid, role, execution_id): """The methods that needs to be overridden by implementations.""" raise NotImplementedError
USER_AGENTS = [ ( 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko)' ' Chrome/39.0.2171.95 Safari/537.36' ), ( 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko)' ' Chrome/42.0.2311.135 Safari/537.36 Edge/12.246' ) ]
def main(): print("Hello World!") test() pozdrav() def test(): print("This is a test") def pozdrav(): print("Hello") if __name__ == '__main__': main()
class Empty: def __init__(self, *args, **kwargs): pass def __repr__(self): return "Empty" def __str__(self): return "Empty"
class SplitterCancelEventArgs(CancelEventArgs): """ Provides data for splitter events. SplitterCancelEventArgs(mouseCursorX: int,mouseCursorY: int,splitX: int,splitY: int) """ @staticmethod def __new__(self,mouseCursorX,mouseCursorY,splitX,splitY): """ __new__(cls: type,mouseCursorX: int,mouseCursorY: int,splitX: int,splitY: int) """ pass MouseCursorX=property(lambda self: object(),lambda self,v: None,lambda self: None) """Gets the X coordinate of the mouse pointer in client coordinates. Get: MouseCursorX(self: SplitterCancelEventArgs) -> int """ MouseCursorY=property(lambda self: object(),lambda self,v: None,lambda self: None) """Gets the Y coordinate of the mouse pointer in client coordinates. Get: MouseCursorY(self: SplitterCancelEventArgs) -> int """ SplitX=property(lambda self: object(),lambda self,v: None,lambda self: None) """Gets or sets the X coordinate of the upper left corner of the System.Windows.Forms.SplitContainer in client coordinates. Get: SplitX(self: SplitterCancelEventArgs) -> int Set: SplitX(self: SplitterCancelEventArgs)=value """ SplitY=property(lambda self: object(),lambda self,v: None,lambda self: None) """Gets or sets the Y coordinate of the upper left corner of the System.Windows.Forms.SplitContainer in client coordinates. Get: SplitY(self: SplitterCancelEventArgs) -> int Set: SplitY(self: SplitterCancelEventArgs)=value """
# -*- coding: utf-8 -*- class drone: def __init__(self, location, maximum_load): self.location = location self.maximum_load = maximum_load productsOnBoard = list() self.state = 0 self.alarm = 0 self.isBusy = False def Load(self, warehouse, product): if warehouse.take(product): productsOnBoard.append(product) def Unload(self,product): if product in self.productsOnBoard: self.productsOnBoard.remove(product) return True return False def deliver(self,productLocation, ): pass def droneCurrentWeight(self): return sum([i.weight for i in self.productsOnBoard]) def setAlarm(self, time): self.isBusy = True self.alarm = time def checkBusy(self): return self.isBusy def step(self): if self.alarm > 0: self.alarm -= 1 if self.alarm == 0: self.isBusy = False
class CTF: def __init__(self, channel_id, name, long_name): """ An object representation of an ongoing CTF. channel_id : The slack id for the associated channel name : The name of the CTF """ self.channel_id = channel_id self.name = name self.challenges = [] self.cred_user = "" self.cred_pw = "" self.long_name = long_name self.finished = False self.finished_on = 0 def add_challenge(self, challenge): """ Add a challenge object to the list of challenges belonging to this CTF. challenge : A challenge object """ self.challenges.append(challenge)
# date: 09/07/2020 # Description: # Given a string, we want to remove 2 adjacent characters that are the same, # and repeat the process with the new string until we can no longer perform the operation. def remove_adjacent_dup(s): finished = False index = 0 while not finished: if s[index+1]==s[index]: s = s.replace(s[index+1],'') index = 0 else: index +=1 if index+1 > len(s)-1: finished = True return s print(remove_adjacent_dup("cabba")) # Start with cabba # After remove bb: caa # After remove aa: c # print c
# -*- coding: utf-8 -*- # 定义操作指令 STOP = 0x0000 LEFT = 0x0001 RIGHT = 0x0010 FORWARD = 0x0100 BACKWARD = 0x1000 SHUTDOWN = 0x1111 SERVER_HOST = "0.0.0.0" PI_HOST = "172.17.11.169" COMPUTER_HOST = "172.17.11.102" VIDEO_STREAMING_PORT = 8000 KEYBOARD_PORT = 8001 # 设定摄像头拍摄的图像大小 RESOLUTION = (640, 480) IMAGE_DIR = "../training_images" SAMPLE_DIR = "../training_data"
wtf = list(range(1000)) for i in range(len(wtf)): wtf[i] = 2 print(wtf)
#!/usr/bin/env python3 ######################################################################## # # # Program purpose: Program to check the priority of the four # # operators (+, -, *, /) # # Program Author : Happi Yvan <[email protected]> # # Creation Date : September 6, 2019 # # # ######################################################################## __operators__ = "+-/*" __parenthesis__ = "()" __priority__ = { '+': 0, '-': 0, '*': 1, '/': 1 } def test_higher_priority(operatorA, operatorB): return __priority__[operatorA] >= __priority__[operatorB] if __name__ == "__main__": print(test_higher_priority('*', '-')) print(test_higher_priority('+', '-')) print(test_higher_priority('+', '*')) print(test_higher_priority('+', '/')) print(test_higher_priority('*', '/'))
par = [] impar = [] cont = 0 im = 0 p = 0 while cont < 15: num = int(input()) if num % 2 == 0: par.append(num) p += 1 else: impar.append(num) im += 1 if p > 4: for i in range(5): print(f'par[{i}] = {par[i]}') par = [] p = 0 if im > 4: for y in range(5): print(f'impar[{y}] = {impar[y]}') impar = [] im = 0 cont += 1 if im > 0: for j in range(im): print('impar[{}] = {}'.format(j, impar[j])) if p > 0: for h in range(p): print('par[{}] = {}'.format(h, par[h]))
#================================================================================================== # python_scripts/set_state.py # modified from - https://community.home-assistant.io/t/how-to-manually-set-state-value-of-sensor/43975/37 #================================================================================================== #-------------------------------------------------------------------------------------------------- # Set the state or other attributes for the entity specified in the Automation Action #-------------------------------------------------------------------------------------------------- inputEntity = data.get('entity_id') if inputEntity is None: logger.warning("===== entity_id is required if you want to set something.") else: inputStateObject = hass.states.get(inputEntity) if inputStateObject is None and not data.get('allow_create'): logger.warning("===== unknown entity_id: %s", inputEntity) else: if not inputStateObject is None: inputState = inputStateObject.state inputAttributesObject = inputStateObject.attributes.copy() else: inputAttributesObject = {} for item in data: newAttribute = data.get(item) logger.debug("===== item = {0}; value = {1}".format(item,newAttribute)) if item == 'entity_id': continue # already handled elif item == 'allow_create': continue # already handled elif item == 'state': inputState = newAttribute else: inputAttributesObject[item] = newAttribute hass.states.set(inputEntity, inputState, inputAttributesObject)
string1 = "Devops" string2 = "Project" joined_string = string1 +' '+ string2 ## Add space between two strings print(joined_string)
num = 2 ** 1000 num = list(str(num)) total = 0 for i in num: total += int(i) print(total)
#desafio 25: procurando uma string dentro de outra // verifica se o nome tem SILVA nome = str(input('Digite seu nome completo: ')).strip().upper() print('^'*30) print(f'\33[34mSeu nome tem Silva? {"SILVA" in nome}\33[m') print('^'*30)
# part one lines = open('input.txt', 'r').readlines() gammaRate = "" for pos in range(len(lines[0].strip())): oneCount = len([p for p in lines if p[pos] == "1"]) gammaRate += "1" if 2 * oneCount > len(lines) else "0" print(int(gammaRate, 2) * int(gammaRate.replace("1", "#").replace("0", "1").replace("#", "0"), 2)) # part two oxygen = [entry.strip() for entry in open('input.txt', 'r').readlines()] co2 = [entry for entry in oxygen] for pos in range(len(oxygen[0])): if len(oxygen) != 1: oneCount = len([p for p in oxygen if p[pos] == "1"]) keepNumber = "1" if 2 * oneCount >= len(oxygen) else "0" oxygen = [entry for entry in oxygen if (entry[pos] == keepNumber)] if len(co2) != 1: zeroCount = len([p for p in co2 if p[pos] == "0"]) keepNumber = "0" if 2 * zeroCount <= len(co2) else "1" co2 = [entry for entry in co2 if entry[pos] == keepNumber] print(int(oxygen[0], 2) * int(co2[0], 2))
def network(): model = tf.keras.Sequential() model.add(kl.InputLayer(input_shape=(224, 224, 3))) # First conv block model.add(kl.Conv2D(filters=96, kernel_size=7, padding='same', strides=2)) model.add(tf.keras.layers.ReLU()) model.add(kl.MaxPooling2D(pool_size=(3, 3))) # Second conv block model.add(kl.Conv2D(filters=256, kernel_size=5, padding='same', strides=1)) model.add(tf.keras.layers.ReLU()) model.add(kl.MaxPooling2D(pool_size=(2, 2))) # Third-Fourth-Fifth conv block for i in range(3): model.add(kl.Conv2D(filters=512, kernel_size=3, padding='same', strides=1)) model.add(tf.keras.layers.ReLU()) model.add(kl.MaxPooling2D(pool_size=(3, 3))) # Flatten model.add(kl.Flatten()) # First FC model.add(kl.Dense(4048)) # Second Fc model.add(kl.Dense(4048)) # Third FC model.add(kl.Dense(4)) # Softmax at the end model.add(kl.Softmax()) return model
""" You are given a binary tree. Write a function that can return the inorder traversal of node values. Example: Input: 3 \ 1 / 5 Output: [3,5,1] """ # Definition for a binary tree node. class TreeNode: def __init__(self, val=0, left=None, right=None): self.val = val self.left = left self.right = right """iterative solution""" def inorder_traversal_iter(root): return result t1 = TreeNode(3) t1.right = TreeNode(1) t1.right.left = TreeNode(5) print(inorder_traversal(t1))
src = [] component = aos_component('osal', src) component.add_global_includes('mico/include', 'include') component.add_comp_deps("middleware/alink/cloud") if aos_global_config.arch == 'ARM968E-S': component.add_cflags('-marm') @pre_config('osal') def osal_pre(comp): osal = aos_global_config.get('osal', 'rhino') if osal == 'freertos': comp.add_global_macros('OSAL_FREERTOS') comp.add_sources('aos/freertos.c') elif osal == 'posix': comp.add_global_macros('OSAL_POSIX') comp.add_sources('aos/posix.c') elif osal == 'winmsvs': comp.add_global_macros('OSAL_MSVS') comp.add_sources('aos/winnt.c') else: comp.add_global_macros('OSAL_RHINO') comp.add_comp_deps('kernel/rhino') if aos_global_config.mcu_family == 'esp32' or aos_global_config.mcu_family == 'esp8266': comp.add_comp_deps('osal/espos') if aos_global_config.board == 'linuxhost' or aos_global_config.board == 'mk3060' \ or aos_global_config.board == 'mk3239' or aos_global_config.board == 'mk3166' or aos_global_config.board == 'mk3165': comp.add_sources('mico/mico_rhino.c') comp.add_sources('aos/rhino.c') osal_pre(component)
# # PySNMP MIB module TRAPEZE-NETWORKS-BASIC-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/TRAPEZE-NETWORKS-BASIC-MIB # Produced by pysmi-0.3.4 at Wed May 1 15:27:11 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ConstraintsUnion") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") iso, Counter64, NotificationType, Counter32, IpAddress, Integer32, Bits, Unsigned32, ModuleIdentity, Gauge32, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "Counter64", "NotificationType", "Counter32", "IpAddress", "Integer32", "Bits", "Unsigned32", "ModuleIdentity", "Gauge32", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "ObjectIdentity") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") TrpzLicenseFeature, = mibBuilder.importSymbols("TRAPEZE-NETWORKS-LICENSE-FEATURE-TC-MIB", "TrpzLicenseFeature") trpzMibs, = mibBuilder.importSymbols("TRAPEZE-NETWORKS-ROOT-MIB", "trpzMibs") trpzBasic = ModuleIdentity((1, 3, 6, 1, 4, 1, 14525, 4, 2)) trpzBasic.setRevisions(('2009-11-16 00:10', '2006-07-10 00:08', '2006-04-14 00:07', '2005-01-01 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: trpzBasic.setRevisionsDescriptions(('v3.0.0: Moved TrpzLicenseFeature into its own module for easier maintenance. This will be published in 7.1 release.', 'v2.0.6: Fixed MAX-ACCESS of trpzMobilityMemberEntryAddr, an index that was also the only column', 'v2.0.5: Revised for 4.1 release', 'v1: initial version, as for 4.0 and older releases',)) if mibBuilder.loadTexts: trpzBasic.setLastUpdated('200911160010Z') if mibBuilder.loadTexts: trpzBasic.setOrganization('Trapeze Networks') if mibBuilder.loadTexts: trpzBasic.setContactInfo('Trapeze Networks Technical Support www.trapezenetworks.com US: 866.TRPZ.TAC International: 925.474.2400 [email protected]') if mibBuilder.loadTexts: trpzBasic.setDescription("Basic objects for Trapeze Networks wireless switches. Copyright 2004-2009 Trapeze Networks, Inc. All rights reserved. This Trapeze Networks SNMP Management Information Base Specification (Specification) embodies Trapeze Networks' confidential and proprietary intellectual property. Trapeze Networks retains all title and ownership in the Specification, including any revisions. This Specification is supplied 'AS IS' and Trapeze Networks makes no warranty, either express or implied, as to the use, operation, condition, or performance of the Specification.") trpzBasicSystemInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 14525, 4, 2, 1)) trpzSerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzSerialNumber.setStatus('current') if mibBuilder.loadTexts: trpzSerialNumber.setDescription('The serial number of the switch.') trpzSwMajorVersionNumber = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzSwMajorVersionNumber.setStatus('current') if mibBuilder.loadTexts: trpzSwMajorVersionNumber.setDescription('The major release version of the running software.') trpzSwMinorVersionNumber = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzSwMinorVersionNumber.setStatus('current') if mibBuilder.loadTexts: trpzSwMinorVersionNumber.setDescription('The minor release version of the running software.') trpzVersionString = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzVersionString.setStatus('current') if mibBuilder.loadTexts: trpzVersionString.setDescription('The version string of the running software, including the major, minor, patch and build numbers, such as 3.0.0.185') trpzMobilityDomainInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2)) trpzMobilityDomainName = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzMobilityDomainName.setStatus('current') if mibBuilder.loadTexts: trpzMobilityDomainName.setDescription('The mobility domain containing the switch, or a zero-length string when the mobility domain is unknown.') trpzMobilitySeedIp = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 2), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzMobilitySeedIp.setStatus('current') if mibBuilder.loadTexts: trpzMobilitySeedIp.setDescription("The IPv4 address of the seed switch for this switch's mobility domain, or the IPv4 address 0.0.0.0 if unknown.") trpzMobilityMemberTableSize = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzMobilityMemberTableSize.setStatus('current') if mibBuilder.loadTexts: trpzMobilityMemberTableSize.setDescription('The number of entries in the mobility member table, trpzMobilityMemberTable.') trpzMobilityMemberTable = MibTable((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 4), ) if mibBuilder.loadTexts: trpzMobilityMemberTable.setStatus('current') if mibBuilder.loadTexts: trpzMobilityMemberTable.setDescription('Table of members of the mobility domain, indexed by the member IPv4 address.') trpzMobilityMemberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 4, 1), ).setIndexNames((0, "TRAPEZE-NETWORKS-BASIC-MIB", "trpzMobilityMemberEntryAddr")) if mibBuilder.loadTexts: trpzMobilityMemberEntry.setStatus('current') if mibBuilder.loadTexts: trpzMobilityMemberEntry.setDescription('An entry in the trpzMobilityMemberTable table.') trpzMobilityMemberEntryAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 14525, 4, 2, 2, 4, 1, 1), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzMobilityMemberEntryAddr.setStatus('current') if mibBuilder.loadTexts: trpzMobilityMemberEntryAddr.setDescription('IPv4 address of a member of the mobility domain.') trpzLicenseInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3)) trpzLicenseInfoTableSize = MibScalar((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzLicenseInfoTableSize.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoTableSize.setDescription('The number of entries in the license table, trpzLicenseInfoTable.') trpzLicenseInfoTable = MibTable((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 2), ) if mibBuilder.loadTexts: trpzLicenseInfoTable.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoTable.setDescription('Table of installed licenses on the switch. The licences provide additional capabilities over the default capabilities of the switch.') trpzLicenseInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 2, 1), ).setIndexNames((0, "TRAPEZE-NETWORKS-BASIC-MIB", "trpzLicenseInfoEntryFeature")) if mibBuilder.loadTexts: trpzLicenseInfoEntry.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoEntry.setDescription('A license table entry.') trpzLicenseInfoEntryFeature = MibTableColumn((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 2, 1, 1), TrpzLicenseFeature()) if mibBuilder.loadTexts: trpzLicenseInfoEntryFeature.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoEntryFeature.setDescription('The feature being reported on') trpzLicenseInfoEntryValue = MibTableColumn((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzLicenseInfoEntryValue.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoEntryValue.setDescription('The value of the feature enabled, for example a feature may have multiple levels of licensing, so the value will very with the license level.') trpzLicenseInfoEntryDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 14525, 4, 2, 3, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: trpzLicenseInfoEntryDescr.setStatus('current') if mibBuilder.loadTexts: trpzLicenseInfoEntryDescr.setDescription("A human interpretable description of this license, for example, '120 APs or DAPs.'") mibBuilder.exportSymbols("TRAPEZE-NETWORKS-BASIC-MIB", trpzBasicSystemInfo=trpzBasicSystemInfo, trpzSwMinorVersionNumber=trpzSwMinorVersionNumber, trpzBasic=trpzBasic, trpzMobilityMemberTableSize=trpzMobilityMemberTableSize, trpzMobilityDomainName=trpzMobilityDomainName, trpzLicenseInfoTable=trpzLicenseInfoTable, trpzLicenseInfoTableSize=trpzLicenseInfoTableSize, trpzVersionString=trpzVersionString, trpzMobilityMemberTable=trpzMobilityMemberTable, trpzLicenseInfoGroup=trpzLicenseInfoGroup, trpzLicenseInfoEntryDescr=trpzLicenseInfoEntryDescr, PYSNMP_MODULE_ID=trpzBasic, trpzMobilityMemberEntry=trpzMobilityMemberEntry, trpzSerialNumber=trpzSerialNumber, trpzSwMajorVersionNumber=trpzSwMajorVersionNumber, trpzMobilityMemberEntryAddr=trpzMobilityMemberEntryAddr, trpzLicenseInfoEntry=trpzLicenseInfoEntry, trpzLicenseInfoEntryValue=trpzLicenseInfoEntryValue, trpzMobilityDomainInfo=trpzMobilityDomainInfo, trpzLicenseInfoEntryFeature=trpzLicenseInfoEntryFeature, trpzMobilitySeedIp=trpzMobilitySeedIp)
class TextVectorizationResponse: """ Stores the BOW-encodings and (padded or aggregated e.g. averaged) embeddings for text. """ def __init__(self, tokens_bow_encoded, tokens_aggregated_embedding, tokens_embeddings_padded): self.tokens_bow_encoded = tokens_bow_encoded self.tokens_aggregated_embedding = tokens_aggregated_embedding self.tokens_embeddings_padded = tokens_embeddings_padded
# date: 01/07/2020 # Description: # A Perfect Number is a positive integer # that is equal to the sum of all its # positive divisors except itself. class Solution(object): def checkPerfectNumber(self, num): if num <= 0: return False,[] divisors = [] for i in range(1,num): # perfect number is a positive integer # that is equal to the sum of its # positive divisors if num%i == 0: divisors.append(i) total = 0 # double check the results for i in divisors: total+=i if total == num: return True,divisors else: return False,[] print(Solution().checkPerfectNumber(28)) # True # 28 = 1 + 2 + 4 + 7 + 14
# GCD def gcd(a, b): while(b != 0): t = a a = b b = t % b return a def main(): print(gcd(60, 96)) print(gcd(20, 8)) if __name__ == "__main__": main()
n=input() r=0 for i in range(1, 2**9+1): r+=(int(bin(i)[2:]) <= int(n)) print(r)
def run(coro): try: coro.send(None) except StopIteration as e: return e.value async def coro(): print('coro') class AContextManager(): async def __aenter__(self): print('Entering') await coro() return self async def __aexit__(self, ty, val, tb): print('Exiting') await coro() async def main(): m = AContextManager() async with m: print('hello') run(main())
#!/usr/bin/env python with open("my_new_file.txt", "a") as f: f.write('something else\n')
""" Created on Mar 2, 2012 @author: Alex Hansen """ parse_line = "13C - Pure In-phase Carbon CEST" description = """\ Analyzes 13C chemical exchange in the presence of 1H composite decoupling during the CEST block. This keeps the spin system purely in-phase throughout, and is calculated using the 6x6, single spin matrix: [ Cx(a), Cy(a), Cz(a), Cx(b), Cy(b), Cz(b) ] The calculation is designed specifically to analyze the experiment found in the reference.""" reference = { 'journal': 'J Biomol NMR', 'year': 2012, 'volume': 53, 'pages': '303-10' }
# Copyright Rein Halbersma 2018-2021. # Distributed under the Boost Software License, Version 1.0. # (See accompanying file LICENSE_1_0.txt or copy at # http://www.boost.org/LICENSE_1_0.txt) # http://forum.stratego.com/topic/357378-strategy-question-findingavoiding-bombs-at-the-end-of-games/?p=432037 print('TODO: implement first move statistics')
class TreeNode: def __init__(self, data, left=None, right=None): self.data = data self.left = left self.right = right def __str__(self): fmt = 'TreeNode(data={}, left={}, right={})' return fmt.format(self.data, self.left, self.right) class BinarySearchTree: def __init__(self, tree_data): self.root = None for data in tree_data: self.insert(data) def insert(self, data): if self.root is None: self.root = TreeNode(data) elif data <= self.root.data: if self.root.left is None: self.root.left = TreeNode(data) else: left_tree = BinarySearchTree([]) left_tree.root = self.root.left left_tree.insert(data) else: if self.root.right is None: self.root.right = TreeNode(data) else: right_tree = BinarySearchTree([]) right_tree.root = self.root.right right_tree.insert(data) def data(self): return self.root def sorted_data(self): if self.root is None: return [] left_tree = BinarySearchTree([]) left_tree.root = self.root.left right_tree = BinarySearchTree([]) right_tree.root = self.root.right return left_tree.sorted_data() + [self.root.data] + right_tree.sorted_data()
##CONFIG## ##Leave it for blank if you don't want to include data from that source #Ether addresses that you'd like to watch. Input them as a list if there're more than one address. #E.g.: addresses = ['0xad2a6d5890c06083c340d723053b4040a28580ef', '0x214d0bb2b260b22b1498977200c1a32bdb75131b'] addresses = [] #Get this from Bittrex pannel. Watch-only permmision recommended bittrex_apikey = '' bittrex_apisecret = b'' #Get this from Poloniex pannel. Watch-only permmision recommended poloniex_apikey = '' poloniex_apisecret = b'' #Get this from Bitfinex pannel. Watch-only permmision recommended bitfinex_apikey = '' bitfinex_apisecret = b'' #Get this from Bigone settings page. bigone_apikey = '' #Mannually add balance from other sources that this program has not covered yet #E.g.: other_bl = {'BTC': 5.2, 'ETH': 10} other_bl = {}
# 79 # Crie um programa onde o usuário possa digitar vários valores numéricos e cadastre-os em uma lista. Caso o número já exista lá dentro, ele não será adicionado. No final, serão exibidos todos os valores únicos digitados, em ordem crescente. lista = list() while True: num = int(input('Digite um valor: ')) if num not in lista: lista.append(num) print('\33[32mValor adicionado com sucesso!\33[m', end='') else: print('\33[31mValor duplicado! Não será adicionado.\33[m', end='') resp = ' ' while resp not in 'SN': resp = str(input('\nQuer continuar? [S/N] ')).upper().strip()[0] print('¨'*30) if resp == 'N': break print() print('-='*30) lista.sort() print(f'Você digitou os valores \33[36m{lista}\33[m')
potential_list = [[1,1],[1,0],[-1,0],[0,-1],[-3,1]] print(potential_list) for item1,item2 in potential_list: if item2 <= 0: potential_list.remove([item1,item2]) for item1,item2 in potential_list: if item1 <= 0: potential_list.remove([item1,item2]) print(potential_list)
#!/usr/bin/env python # -*- coding: utf-8 -*- # File: __init__.py # ------------------- # Divine Oasis # Text Based RPG Game # By wsngamerz # ------------------- __author__ = "wsngamerz" __version__ = "0.0.1 ALPHA 1"
# -*- coding:utf-8 -*- # https://leetcode.com/problems/minimum-window-substring/description/ class Solution(object): def minWindow(self, s, t): """ :type s: str :type t: str :rtype: str """ wi, wj = None, None ds, dt = {}, {} for c in t: ds[c], dt[c] = 0, dt.get(c, 0) + 1 count, i = 0, 0 for j, c in enumerate(s): if c not in dt: continue ds[c] += 1 if ds[c] == dt[c]: count += 1 if count < len(dt): continue while i <= j and ds.get(s[i], 0) > dt.get(s[i], -1): if s[i] in ds: ds[s[i]] -= 1 i += 1 if wi is None or j - i < wj - wi: wi, wj = i, j count -= 1 ds[s[i]] -= 1 i += 1 return '' if wi is None else s[wi:wj+1]
print(1,2,3)
geo, par, val,override = IN setPreviously = False try: tags = geo.Tags if tags.LookupTag(par) is None or override: tags.AddTag(par, val) except ValueError: setPreviously = True OUT = IN[0], setPreviously
def beautify_fill(angle_limit=3.14159): '''Rearrange some faces to try to get less degenerated geometry :param angle_limit: Max Angle, Angle limit :type angle_limit: float in [0, 3.14159], (optional) ''' pass def bevel(offset_type='OFFSET', offset=0.0, segments=1, profile=0.5, vertex_only=False, clamp_overlap=False, loop_slide=True, material=-1): '''Edge Bevel :param offset_type: Amount Type, What distance Amount measuresOFFSET Offset, Amount is offset of new edges from original.WIDTH Width, Amount is width of new face.DEPTH Depth, Amount is perpendicular distance from original edge to bevel face.PERCENT Percent, Amount is percent of adjacent edge length. :type offset_type: enum in ['OFFSET', 'WIDTH', 'DEPTH', 'PERCENT'], (optional) :param offset: Amount :type offset: float in [-1e+06, 1e+06], (optional) :param segments: Segments, Segments for curved edge :type segments: int in [1, 1000], (optional) :param profile: Profile, Controls profile shape (0.5 = round) :type profile: float in [0.15, 1], (optional) :param vertex_only: Vertex Only, Bevel only vertices :type vertex_only: boolean, (optional) :param clamp_overlap: Clamp Overlap, Do not allow beveled edges/vertices to overlap each other :type clamp_overlap: boolean, (optional) :param loop_slide: Loop Slide, Prefer slide along edge to even widths :type loop_slide: boolean, (optional) :param material: Material, Material for bevel faces (-1 means use adjacent faces) :type material: int in [-1, inf], (optional) ''' pass def bisect( plane_co=(0.0, 0.0, 0.0), plane_no=(0.0, 0.0, 0.0), use_fill=False, clear_inner=False, clear_outer=False, threshold=0.0001, xstart=0, xend=0, ystart=0, yend=0, cursor=1002): '''Cut geometry along a plane (click-drag to define plane) :param plane_co: Plane Point, A point on the plane :type plane_co: float array of 3 items in [-inf, inf], (optional) :param plane_no: Plane Normal, The direction the plane points :type plane_no: float array of 3 items in [-1, 1], (optional) :param use_fill: Fill, Fill in the cut :type use_fill: boolean, (optional) :param clear_inner: Clear Inner, Remove geometry behind the plane :type clear_inner: boolean, (optional) :param clear_outer: Clear Outer, Remove geometry in front of the plane :type clear_outer: boolean, (optional) :param threshold: Axis Threshold :type threshold: float in [0, 10], (optional) :param xstart: X Start :type xstart: int in [-inf, inf], (optional) :param xend: X End :type xend: int in [-inf, inf], (optional) :param ystart: Y Start :type ystart: int in [-inf, inf], (optional) :param yend: Y End :type yend: int in [-inf, inf], (optional) :param cursor: Cursor, Mouse cursor style to use during the modal operator :type cursor: int in [0, inf], (optional) ''' pass def blend_from_shape(shape='', blend=1.0, add=True): '''Blend in shape from a shape key :param shape: Shape, Shape key to use for blending :type shape: enum in [], (optional) :param blend: Blend, Blending factor :type blend: float in [-1000, 1000], (optional) :param add: Add, Add rather than blend between shapes :type add: boolean, (optional) ''' pass def bridge_edge_loops(type='SINGLE', use_merge=False, merge_factor=0.5, twist_offset=0, number_cuts=0, interpolation='PATH', smoothness=1.0, profile_shape_factor=0.0, profile_shape='SMOOTH'): '''Make faces between two or more edge loops :param type: Connect Loops, Method of bridging multiple loops :type type: enum in ['SINGLE', 'CLOSED', 'PAIRS'], (optional) :param use_merge: Merge, Merge rather than creating faces :type use_merge: boolean, (optional) :param merge_factor: Merge Factor :type merge_factor: float in [0, 1], (optional) :param twist_offset: Twist, Twist offset for closed loops :type twist_offset: int in [-1000, 1000], (optional) :param number_cuts: Number of Cuts :type number_cuts: int in [0, 1000], (optional) :param interpolation: Interpolation, Interpolation method :type interpolation: enum in ['LINEAR', 'PATH', 'SURFACE'], (optional) :param smoothness: Smoothness, Smoothness factor :type smoothness: float in [0, 1000], (optional) :param profile_shape_factor: Profile Factor, How much intermediary new edges are shrunk/expanded :type profile_shape_factor: float in [-1000, 1000], (optional) :param profile_shape: Profile Shape, Shape of the profileSMOOTH Smooth, Smooth falloff.SPHERE Sphere, Spherical falloff.ROOT Root, Root falloff.INVERSE_SQUARE Inverse Square, Inverse Square falloff.SHARP Sharp, Sharp falloff.LINEAR Linear, Linear falloff. :type profile_shape: enum in ['SMOOTH', 'SPHERE', 'ROOT', 'INVERSE_SQUARE', 'SHARP', 'LINEAR'], (optional) ''' pass def colors_reverse(): '''Flip direction of vertex colors inside faces ''' pass def colors_rotate(use_ccw=False): '''Rotate vertex colors inside faces :param use_ccw: Counter Clockwise :type use_ccw: boolean, (optional) ''' pass def convex_hull(delete_unused=True, use_existing_faces=True, make_holes=False, join_triangles=True, face_threshold=0.698132, shape_threshold=0.698132, uvs=False, vcols=False, seam=False, sharp=False, materials=False): '''Enclose selected vertices in a convex polyhedron :param delete_unused: Delete Unused, Delete selected elements that are not used by the hull :type delete_unused: boolean, (optional) :param use_existing_faces: Use Existing Faces, Skip hull triangles that are covered by a pre-existing face :type use_existing_faces: boolean, (optional) :param make_holes: Make Holes, Delete selected faces that are used by the hull :type make_holes: boolean, (optional) :param join_triangles: Join Triangles, Merge adjacent triangles into quads :type join_triangles: boolean, (optional) :param face_threshold: Max Face Angle, Face angle limit :type face_threshold: float in [0, 3.14159], (optional) :param shape_threshold: Max Shape Angle, Shape angle limit :type shape_threshold: float in [0, 3.14159], (optional) :param uvs: Compare UVs :type uvs: boolean, (optional) :param vcols: Compare VCols :type vcols: boolean, (optional) :param seam: Compare Seam :type seam: boolean, (optional) :param sharp: Compare Sharp :type sharp: boolean, (optional) :param materials: Compare Materials :type materials: boolean, (optional) ''' pass def customdata_custom_splitnormals_add(): '''Add a custom split normals layer, if none exists yet ''' pass def customdata_custom_splitnormals_clear(): '''Remove the custom split normals layer, if it exists ''' pass def customdata_mask_clear(): '''Clear vertex sculpt masking data from the mesh ''' pass def customdata_skin_add(): '''Add a vertex skin layer ''' pass def customdata_skin_clear(): '''Clear vertex skin layer ''' pass def decimate(ratio=1.0, use_vertex_group=False, vertex_group_factor=1.0, invert_vertex_group=False, use_symmetry=False, symmetry_axis='Y'): '''Simplify geometry by collapsing edges :param ratio: Ratio :type ratio: float in [0, 1], (optional) :param use_vertex_group: Vertex Group, Use active vertex group as an influence :type use_vertex_group: boolean, (optional) :param vertex_group_factor: Weight, Vertex group strength :type vertex_group_factor: float in [0, 1000], (optional) :param invert_vertex_group: Invert, Invert vertex group influence :type invert_vertex_group: boolean, (optional) :param use_symmetry: Symmetry, Maintain symmetry on an axis :type use_symmetry: boolean, (optional) :param symmetry_axis: Axis, Axis of symmetry :type symmetry_axis: enum in ['X', 'Y', 'Z'], (optional) ''' pass def delete(type='VERT'): '''Delete selected vertices, edges or faces :param type: Type, Method used for deleting mesh data :type type: enum in ['VERT', 'EDGE', 'FACE', 'EDGE_FACE', 'ONLY_FACE'], (optional) ''' pass def delete_edgeloop(use_face_split=True): '''Delete an edge loop by merging the faces on each side :param use_face_split: Face Split, Split off face corners to maintain surrounding geometry :type use_face_split: boolean, (optional) ''' pass def delete_loose(use_verts=True, use_edges=True, use_faces=False): '''Delete loose vertices, edges or faces :param use_verts: Vertices, Remove loose vertices :type use_verts: boolean, (optional) :param use_edges: Edges, Remove loose edges :type use_edges: boolean, (optional) :param use_faces: Faces, Remove loose faces :type use_faces: boolean, (optional) ''' pass def dissolve_degenerate(threshold=0.0001): '''Dissolve zero area faces and zero length edges :param threshold: Merge Distance, Minimum distance between elements to merge :type threshold: float in [1e-06, 50], (optional) ''' pass def dissolve_edges(use_verts=True, use_face_split=False): '''Dissolve edges, merging faces :param use_verts: Dissolve Verts, Dissolve remaining vertices :type use_verts: boolean, (optional) :param use_face_split: Face Split, Split off face corners to maintain surrounding geometry :type use_face_split: boolean, (optional) ''' pass def dissolve_faces(use_verts=False): '''Dissolve faces :param use_verts: Dissolve Verts, Dissolve remaining vertices :type use_verts: boolean, (optional) ''' pass def dissolve_limited(angle_limit=0.0872665, use_dissolve_boundaries=False, delimit={'NORMAL'}): '''Dissolve selected edges and verts, limited by the angle of surrounding geometry :param angle_limit: Max Angle, Angle limit :type angle_limit: float in [0, 3.14159], (optional) :param use_dissolve_boundaries: All Boundaries, Dissolve all vertices inbetween face boundaries :type use_dissolve_boundaries: boolean, (optional) :param delimit: Delimit, Delimit dissolve operationNORMAL Normal, Delimit by face directions.MATERIAL Material, Delimit by face material.SEAM Seam, Delimit by edge seams.SHARP Sharp, Delimit by sharp edges.UV UVs, Delimit by UV coordinates. :type delimit: enum set in {'NORMAL', 'MATERIAL', 'SEAM', 'SHARP', 'UV'}, (optional) ''' pass def dissolve_mode(use_verts=False, use_face_split=False, use_boundary_tear=False): '''Dissolve geometry based on the selection mode :param use_verts: Dissolve Verts, Dissolve remaining vertices :type use_verts: boolean, (optional) :param use_face_split: Face Split, Split off face corners to maintain surrounding geometry :type use_face_split: boolean, (optional) :param use_boundary_tear: Tear Boundary, Split off face corners instead of merging faces :type use_boundary_tear: boolean, (optional) ''' pass def dissolve_verts(use_face_split=False, use_boundary_tear=False): '''Dissolve verts, merge edges and faces :param use_face_split: Face Split, Split off face corners to maintain surrounding geometry :type use_face_split: boolean, (optional) :param use_boundary_tear: Tear Boundary, Split off face corners instead of merging faces :type use_boundary_tear: boolean, (optional) ''' pass def drop_named_image(name="Image", filepath="Path", relative_path=True): '''Assign Image to active UV Map, or create an UV Map :param name: Name, Image name to assign :type name: string, (optional, never None) :param filepath: Filepath, Path to image file :type filepath: string, (optional, never None) :param relative_path: Relative Path, Select the file relative to the blend file :type relative_path: boolean, (optional) ''' pass def dupli_extrude_cursor(rotate_source=True): '''Duplicate and extrude selected vertices, edges or faces towards the mouse cursor :param rotate_source: Rotate Source, Rotate initial selection giving better shape :type rotate_source: boolean, (optional) ''' pass def duplicate(mode=1): '''Duplicate selected vertices, edges or faces :param mode: Mode :type mode: int in [0, inf], (optional) ''' pass def duplicate_move(MESH_OT_duplicate=None, TRANSFORM_OT_translate=None): '''Duplicate mesh and move :param MESH_OT_duplicate: Duplicate, Duplicate selected vertices, edges or faces :type MESH_OT_duplicate: MESH_OT_duplicate, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def edge_collapse(): '''Collapse selected edges ''' pass def edge_face_add(): '''Add an edge or face to selected ''' pass def edge_rotate(use_ccw=False): '''Rotate selected edge or adjoining faces :param use_ccw: Counter Clockwise :type use_ccw: boolean, (optional) ''' pass def edge_split(): '''Split selected edges so that each neighbor face gets its own copy ''' pass def edgering_select(extend=False, deselect=False, toggle=False, ring=True): '''Select an edge ring :param extend: Extend, Extend the selection :type extend: boolean, (optional) :param deselect: Deselect, Remove from the selection :type deselect: boolean, (optional) :param toggle: Toggle Select, Toggle the selection :type toggle: boolean, (optional) :param ring: Select Ring, Select ring :type ring: boolean, (optional) ''' pass def edges_select_sharp(sharpness=0.523599): '''Select all sharp-enough edges :param sharpness: Sharpness :type sharpness: float in [0.000174533, 3.14159], (optional) ''' pass def extrude_edges_indiv(mirror=False): '''Extrude individual edges only :param mirror: Mirror Editing :type mirror: boolean, (optional) ''' pass def extrude_edges_move(MESH_OT_extrude_edges_indiv=None, TRANSFORM_OT_translate=None): '''Extrude edges and move result :param MESH_OT_extrude_edges_indiv: Extrude Only Edges, Extrude individual edges only :type MESH_OT_extrude_edges_indiv: MESH_OT_extrude_edges_indiv, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def extrude_faces_indiv(mirror=False): '''Extrude individual faces only :param mirror: Mirror Editing :type mirror: boolean, (optional) ''' pass def extrude_faces_move(MESH_OT_extrude_faces_indiv=None, TRANSFORM_OT_shrink_fatten=None): '''Extrude faces and move result :param MESH_OT_extrude_faces_indiv: Extrude Individual Faces, Extrude individual faces only :type MESH_OT_extrude_faces_indiv: MESH_OT_extrude_faces_indiv, (optional) :param TRANSFORM_OT_shrink_fatten: Shrink/Fatten, Shrink/fatten selected vertices along normals :type TRANSFORM_OT_shrink_fatten: TRANSFORM_OT_shrink_fatten, (optional) ''' pass def extrude_region(mirror=False): '''Extrude region of faces :param mirror: Mirror Editing :type mirror: boolean, (optional) ''' pass def extrude_region_move(MESH_OT_extrude_region=None, TRANSFORM_OT_translate=None): '''Extrude region and move result :param MESH_OT_extrude_region: Extrude Region, Extrude region of faces :type MESH_OT_extrude_region: MESH_OT_extrude_region, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def extrude_region_shrink_fatten(MESH_OT_extrude_region=None, TRANSFORM_OT_shrink_fatten=None): '''Extrude region and move result :param MESH_OT_extrude_region: Extrude Region, Extrude region of faces :type MESH_OT_extrude_region: MESH_OT_extrude_region, (optional) :param TRANSFORM_OT_shrink_fatten: Shrink/Fatten, Shrink/fatten selected vertices along normals :type TRANSFORM_OT_shrink_fatten: TRANSFORM_OT_shrink_fatten, (optional) ''' pass def extrude_repeat(offset=2.0, steps=10): '''Extrude selected vertices, edges or faces repeatedly :param offset: Offset :type offset: float in [0, inf], (optional) :param steps: Steps :type steps: int in [0, 1000000], (optional) ''' pass def extrude_vertices_move(MESH_OT_extrude_verts_indiv=None, TRANSFORM_OT_translate=None): '''Extrude vertices and move result :param MESH_OT_extrude_verts_indiv: Extrude Only Vertices, Extrude individual vertices only :type MESH_OT_extrude_verts_indiv: MESH_OT_extrude_verts_indiv, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def extrude_verts_indiv(mirror=False): '''Extrude individual vertices only :param mirror: Mirror Editing :type mirror: boolean, (optional) ''' pass def face_make_planar(factor=1.0, repeat=1): '''Flatten selected faces :param factor: Factor :type factor: float in [-10, 10], (optional) :param repeat: Iterations :type repeat: int in [1, 10000], (optional) ''' pass def face_split_by_edges(): '''Weld loose edges into faces (splitting them into new faces) ''' pass def faces_mirror_uv(direction='POSITIVE', precision=3): '''Copy mirror UV coordinates on the X axis based on a mirrored mesh :param direction: Axis Direction :type direction: enum in ['POSITIVE', 'NEGATIVE'], (optional) :param precision: Precision, Tolerance for finding vertex duplicates :type precision: int in [1, 16], (optional) ''' pass def faces_select_linked_flat(sharpness=0.0174533): '''Select linked faces by angle :param sharpness: Sharpness :type sharpness: float in [0.000174533, 3.14159], (optional) ''' pass def faces_shade_flat(): '''Display faces flat ''' pass def faces_shade_smooth(): '''Display faces smooth (using vertex normals) ''' pass def fill(use_beauty=True): '''Fill a selected edge loop with faces :param use_beauty: Beauty, Use best triangulation division :type use_beauty: boolean, (optional) ''' pass def fill_grid(span=1, offset=0, use_interp_simple=False): '''Fill grid from two loops :param span: Span, Number of sides (zero disables) :type span: int in [1, 1000], (optional) :param offset: Offset, Number of sides (zero disables) :type offset: int in [-1000, 1000], (optional) :param use_interp_simple: Simple Blending :type use_interp_simple: boolean, (optional) ''' pass def fill_holes(sides=4): '''Fill in holes (boundary edge loops) :param sides: Sides, Number of sides in hole required to fill (zero fills all holes) :type sides: int in [0, 1000], (optional) ''' pass def flip_normals(): '''Flip the direction of selected faces’ normals (and of their vertices) ''' pass def hide(unselected=False): '''Hide (un)selected vertices, edges or faces :param unselected: Unselected, Hide unselected rather than selected :type unselected: boolean, (optional) ''' pass def inset(use_boundary=True, use_even_offset=True, use_relative_offset=False, use_edge_rail=False, thickness=0.01, depth=0.0, use_outset=False, use_select_inset=False, use_individual=False, use_interpolate=True): '''Inset new faces into selected faces :param use_boundary: Boundary, Inset face boundaries :type use_boundary: boolean, (optional) :param use_even_offset: Offset Even, Scale the offset to give more even thickness :type use_even_offset: boolean, (optional) :param use_relative_offset: Offset Relative, Scale the offset by surrounding geometry :type use_relative_offset: boolean, (optional) :param use_edge_rail: Edge Rail, Inset the region along existing edges :type use_edge_rail: boolean, (optional) :param thickness: Thickness :type thickness: float in [0, inf], (optional) :param depth: Depth :type depth: float in [-inf, inf], (optional) :param use_outset: Outset, Outset rather than inset :type use_outset: boolean, (optional) :param use_select_inset: Select Outer, Select the new inset faces :type use_select_inset: boolean, (optional) :param use_individual: Individual, Individual Face Inset :type use_individual: boolean, (optional) :param use_interpolate: Interpolate, Blend face data across the inset :type use_interpolate: boolean, (optional) ''' pass def intersect(mode='SELECT_UNSELECT', use_separate=True, threshold=1e-06): '''Cut an intersection into faces :param mode: SourceSELECT Self Intersect, Self intersect selected faces.SELECT_UNSELECT Selected/Unselected, Intersect selected with unselected faces. :type mode: enum in ['SELECT', 'SELECT_UNSELECT'], (optional) :param use_separate: Separate :type use_separate: boolean, (optional) :param threshold: Merge threshold :type threshold: float in [0, 0.01], (optional) ''' pass def intersect_boolean(operation='DIFFERENCE', use_swap=False, threshold=1e-06): '''Cut solid geometry from selected to unselected :param operation: Boolean :type operation: enum in ['INTERSECT', 'UNION', 'DIFFERENCE'], (optional) :param use_swap: Swap, Use with difference intersection to swap which side is kept :type use_swap: boolean, (optional) :param threshold: Merge threshold :type threshold: float in [0, 0.01], (optional) ''' pass def knife_project(cut_through=False): '''Use other objects outlines & boundaries to project knife cuts :param cut_through: Cut through, Cut through all faces, not just visible ones :type cut_through: boolean, (optional) ''' pass def knife_tool(use_occlude_geometry=True, only_selected=False): '''Cut new topology :param use_occlude_geometry: Occlude Geometry, Only cut the front most geometry :type use_occlude_geometry: boolean, (optional) :param only_selected: Only Selected, Only cut selected geometry :type only_selected: boolean, (optional) ''' pass def loop_multi_select(ring=False): '''Select a loop of connected edges by connection type :param ring: Ring :type ring: boolean, (optional) ''' pass def loop_select(extend=False, deselect=False, toggle=False, ring=False): '''Select a loop of connected edges :param extend: Extend Select, Extend the selection :type extend: boolean, (optional) :param deselect: Deselect, Remove from the selection :type deselect: boolean, (optional) :param toggle: Toggle Select, Toggle the selection :type toggle: boolean, (optional) :param ring: Select Ring, Select ring :type ring: boolean, (optional) ''' pass def loop_to_region(select_bigger=False): '''Select region of faces inside of a selected loop of edges :param select_bigger: Select Bigger, Select bigger regions instead of smaller ones :type select_bigger: boolean, (optional) ''' pass def loopcut(number_cuts=1, smoothness=0.0, falloff='INVERSE_SQUARE', edge_index=-1, mesh_select_mode_init=(False, False, False)): '''Add a new loop between existing loops :param number_cuts: Number of Cuts :type number_cuts: int in [1, 1000000], (optional) :param smoothness: Smoothness, Smoothness factor :type smoothness: float in [-1000, 1000], (optional) :param falloff: Falloff, Falloff type the featherSMOOTH Smooth, Smooth falloff.SPHERE Sphere, Spherical falloff.ROOT Root, Root falloff.INVERSE_SQUARE Inverse Square, Inverse Square falloff.SHARP Sharp, Sharp falloff.LINEAR Linear, Linear falloff. :type falloff: enum in ['SMOOTH', 'SPHERE', 'ROOT', 'INVERSE_SQUARE', 'SHARP', 'LINEAR'], (optional) :param edge_index: Edge Index :type edge_index: int in [-1, inf], (optional) ''' pass def loopcut_slide(MESH_OT_loopcut=None, TRANSFORM_OT_edge_slide=None): '''Cut mesh loop and slide it :param MESH_OT_loopcut: Loop Cut, Add a new loop between existing loops :type MESH_OT_loopcut: MESH_OT_loopcut, (optional) :param TRANSFORM_OT_edge_slide: Edge Slide, Slide an edge loop along a mesh :type TRANSFORM_OT_edge_slide: TRANSFORM_OT_edge_slide, (optional) ''' pass def mark_freestyle_edge(clear=False): '''(Un)mark selected edges as Freestyle feature edges :param clear: Clear :type clear: boolean, (optional) ''' pass def mark_freestyle_face(clear=False): '''(Un)mark selected faces for exclusion from Freestyle feature edge detection :param clear: Clear :type clear: boolean, (optional) ''' pass def mark_seam(clear=False): '''(Un)mark selected edges as a seam :param clear: Clear :type clear: boolean, (optional) ''' pass def mark_sharp(clear=False, use_verts=False): '''(Un)mark selected edges as sharp :param clear: Clear :type clear: boolean, (optional) :param use_verts: Vertices, Consider vertices instead of edges to select which edges to (un)tag as sharp :type use_verts: boolean, (optional) ''' pass def merge(type='CENTER', uvs=False): '''Merge selected vertices :param type: Type, Merge method to use :type type: enum in ['FIRST', 'LAST', 'CENTER', 'CURSOR', 'COLLAPSE'], (optional) :param uvs: UVs, Move UVs according to merge :type uvs: boolean, (optional) ''' pass def navmesh_clear(): '''Remove navmesh data from this mesh ''' pass def navmesh_face_add(): '''Add a new index and assign it to selected faces ''' pass def navmesh_face_copy(): '''Copy the index from the active face ''' pass def navmesh_make(): '''Create navigation mesh for selected objects ''' pass def navmesh_reset(): '''Assign a new index to every face ''' pass def noise(factor=0.1): '''Use vertex coordinate as texture coordinate :param factor: Factor :type factor: float in [-10000, 10000], (optional) ''' pass def normals_make_consistent(inside=False): '''Make face and vertex normals point either outside or inside the mesh :param inside: Inside :type inside: boolean, (optional) ''' pass def offset_edge_loops(use_cap_endpoint=False): '''Create offset edge loop from the current selection :param use_cap_endpoint: Cap Endpoint, Extend loop around end-points :type use_cap_endpoint: boolean, (optional) ''' pass def offset_edge_loops_slide(MESH_OT_offset_edge_loops=None, TRANSFORM_OT_edge_slide=None): '''Offset edge loop slide :param MESH_OT_offset_edge_loops: Offset Edge Loop, Create offset edge loop from the current selection :type MESH_OT_offset_edge_loops: MESH_OT_offset_edge_loops, (optional) :param TRANSFORM_OT_edge_slide: Edge Slide, Slide an edge loop along a mesh :type TRANSFORM_OT_edge_slide: TRANSFORM_OT_edge_slide, (optional) ''' pass def poke(offset=0.0, use_relative_offset=False, center_mode='MEAN_WEIGHTED'): '''Split a face into a fan :param offset: Poke Offset, Poke Offset :type offset: float in [-1000, 1000], (optional) :param use_relative_offset: Offset Relative, Scale the offset by surrounding geometry :type use_relative_offset: boolean, (optional) :param center_mode: Poke Center, Poke Face Center CalculationMEAN_WEIGHTED Weighted Mean, Weighted Mean Face Center.MEAN Mean, Mean Face Center.BOUNDS Bounds, Face Bounds Center. :type center_mode: enum in ['MEAN_WEIGHTED', 'MEAN', 'BOUNDS'], (optional) ''' pass def primitive_circle_add( vertices=32, radius=1.0, fill_type='NOTHING', calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a circle mesh :param vertices: Vertices :type vertices: int in [3, 10000000], (optional) :param radius: Radius :type radius: float in [0, inf], (optional) :param fill_type: Fill TypeNOTHING Nothing, Don’t fill at all.NGON Ngon, Use ngons.TRIFAN Triangle Fan, Use triangle fans. :type fill_type: enum in ['NOTHING', 'NGON', 'TRIFAN'], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_cone_add(vertices=32, radius1=1.0, radius2=0.0, depth=2.0, end_fill_type='NGON', calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a conic mesh :param vertices: Vertices :type vertices: int in [3, 10000000], (optional) :param radius1: Radius 1 :type radius1: float in [0, inf], (optional) :param radius2: Radius 2 :type radius2: float in [0, inf], (optional) :param depth: Depth :type depth: float in [0, inf], (optional) :param end_fill_type: Base Fill TypeNOTHING Nothing, Don’t fill at all.NGON Ngon, Use ngons.TRIFAN Triangle Fan, Use triangle fans. :type end_fill_type: enum in ['NOTHING', 'NGON', 'TRIFAN'], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_cube_add(radius=1.0, calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a cube mesh :param radius: Radius :type radius: float in [0, inf], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_cylinder_add( vertices=32, radius=1.0, depth=2.0, end_fill_type='NGON', calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a cylinder mesh :param vertices: Vertices :type vertices: int in [3, 10000000], (optional) :param radius: Radius :type radius: float in [0, inf], (optional) :param depth: Depth :type depth: float in [0, inf], (optional) :param end_fill_type: Cap Fill TypeNOTHING Nothing, Don’t fill at all.NGON Ngon, Use ngons.TRIFAN Triangle Fan, Use triangle fans. :type end_fill_type: enum in ['NOTHING', 'NGON', 'TRIFAN'], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_grid_add(x_subdivisions=10, y_subdivisions=10, radius=1.0, calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a grid mesh :param x_subdivisions: X Subdivisions :type x_subdivisions: int in [2, 10000000], (optional) :param y_subdivisions: Y Subdivisions :type y_subdivisions: int in [2, 10000000], (optional) :param radius: Radius :type radius: float in [0, inf], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_ico_sphere_add( subdivisions=2, size=1.0, calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct an Icosphere mesh :param subdivisions: Subdivisions :type subdivisions: int in [1, 10], (optional) :param size: Size :type size: float in [0, inf], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_monkey_add( radius=1.0, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a Suzanne mesh :param radius: Radius :type radius: float in [0, inf], (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_plane_add( radius=1.0, calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a filled planar mesh with 4 vertices :param radius: Radius :type radius: float in [0, inf], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def primitive_torus_add( view_align=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False), major_segments=48, minor_segments=12, mode='MAJOR_MINOR', major_radius=1.0, minor_radius=0.25, abso_major_rad=1.25, abso_minor_rad=0.75): '''Add a torus mesh :param view_align: Align to View :type view_align: boolean, (optional) :param location: Location :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layers :type layers: boolean array of 20 items, (optional) :param major_segments: Major Segments, Number of segments for the main ring of the torus :type major_segments: int in [3, 256], (optional) :param minor_segments: Minor Segments, Number of segments for the minor ring of the torus :type minor_segments: int in [3, 256], (optional) :param mode: Torus DimensionsMAJOR_MINOR Major/Minor, Use the major/minor radii for torus dimensions.EXT_INT Exterior/Interior, Use the exterior/interior radii for torus dimensions. :type mode: enum in ['MAJOR_MINOR', 'EXT_INT'], (optional) :param major_radius: Major Radius, Radius from the origin to the center of the cross sections :type major_radius: float in [0.01, 100], (optional) :param minor_radius: Minor Radius, Radius of the torus’ cross section :type minor_radius: float in [0.01, 100], (optional) :param abso_major_rad: Exterior Radius, Total Exterior Radius of the torus :type abso_major_rad: float in [0.01, 100], (optional) :param abso_minor_rad: Interior Radius, Total Interior Radius of the torus :type abso_minor_rad: float in [0.01, 100], (optional) ''' pass def primitive_uv_sphere_add( segments=32, ring_count=16, size=1.0, calc_uvs=False, view_align=False, enter_editmode=False, location=(0.0, 0.0, 0.0), rotation=(0.0, 0.0, 0.0), layers=(False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False, False)): '''Construct a UV sphere mesh :param segments: Segments :type segments: int in [3, 100000], (optional) :param ring_count: Rings :type ring_count: int in [3, 100000], (optional) :param size: Size :type size: float in [0, inf], (optional) :param calc_uvs: Generate UVs, Generate a default UV map :type calc_uvs: boolean, (optional) :param view_align: Align to View, Align the new object to the view :type view_align: boolean, (optional) :param enter_editmode: Enter Editmode, Enter editmode when adding this object :type enter_editmode: boolean, (optional) :param location: Location, Location for the newly added object :type location: float array of 3 items in [-inf, inf], (optional) :param rotation: Rotation, Rotation for the newly added object :type rotation: float array of 3 items in [-inf, inf], (optional) :param layers: Layer :type layers: boolean array of 20 items, (optional) ''' pass def quads_convert_to_tris(quad_method='BEAUTY', ngon_method='BEAUTY'): '''Triangulate selected faces :param quad_method: Quad Method, Method for splitting the quads into trianglesBEAUTY Beauty , Split the quads in nice triangles, slower method.FIXED Fixed, Split the quads on the first and third vertices.FIXED_ALTERNATE Fixed Alternate, Split the quads on the 2nd and 4th vertices.SHORTEST_DIAGONAL Shortest Diagonal, Split the quads based on the distance between the vertices. :type quad_method: enum in ['BEAUTY', 'FIXED', 'FIXED_ALTERNATE', 'SHORTEST_DIAGONAL'], (optional) :param ngon_method: Polygon Method, Method for splitting the polygons into trianglesBEAUTY Beauty, Arrange the new triangles evenly (slow).CLIP Clip, Split the polygons with an ear clipping algorithm. :type ngon_method: enum in ['BEAUTY', 'CLIP'], (optional) ''' pass def region_to_loop(): '''Select boundary edges around the selected faces ''' pass def remove_doubles(threshold=0.0001, use_unselected=False): '''Remove duplicate vertices :param threshold: Merge Distance, Minimum distance between elements to merge :type threshold: float in [1e-06, 50], (optional) :param use_unselected: Unselected, Merge selected to other unselected vertices :type use_unselected: boolean, (optional) ''' pass def reveal(): '''Reveal all hidden vertices, edges and faces ''' pass def rip(mirror=False, proportional='DISABLED', proportional_edit_falloff='SMOOTH', proportional_size=1.0, release_confirm=False, use_fill=False): '''Disconnect vertex or edges from connected geometry :param mirror: Mirror Editing :type mirror: boolean, (optional) :param proportional: Proportional EditingDISABLED Disable, Proportional Editing disabled.ENABLED Enable, Proportional Editing enabled.PROJECTED Projected (2D), Proportional Editing using screen space locations.CONNECTED Connected, Proportional Editing using connected geometry only. :type proportional: enum in ['DISABLED', 'ENABLED', 'PROJECTED', 'CONNECTED'], (optional) :param proportional_edit_falloff: Proportional Editing Falloff, Falloff type for proportional editing modeSMOOTH Smooth, Smooth falloff.SPHERE Sphere, Spherical falloff.ROOT Root, Root falloff.INVERSE_SQUARE Inverse Square, Inverse Square falloff.SHARP Sharp, Sharp falloff.LINEAR Linear, Linear falloff.CONSTANT Constant, Constant falloff.RANDOM Random, Random falloff. :type proportional_edit_falloff: enum in ['SMOOTH', 'SPHERE', 'ROOT', 'INVERSE_SQUARE', 'SHARP', 'LINEAR', 'CONSTANT', 'RANDOM'], (optional) :param proportional_size: Proportional Size :type proportional_size: float in [1e-06, inf], (optional) :param release_confirm: Confirm on Release, Always confirm operation when releasing button :type release_confirm: boolean, (optional) :param use_fill: Fill, Fill the ripped region :type use_fill: boolean, (optional) ''' pass def rip_edge(mirror=False, proportional='DISABLED', proportional_edit_falloff='SMOOTH', proportional_size=1.0, release_confirm=False): '''Extend vertices along the edge closest to the cursor :param mirror: Mirror Editing :type mirror: boolean, (optional) :param proportional: Proportional EditingDISABLED Disable, Proportional Editing disabled.ENABLED Enable, Proportional Editing enabled.PROJECTED Projected (2D), Proportional Editing using screen space locations.CONNECTED Connected, Proportional Editing using connected geometry only. :type proportional: enum in ['DISABLED', 'ENABLED', 'PROJECTED', 'CONNECTED'], (optional) :param proportional_edit_falloff: Proportional Editing Falloff, Falloff type for proportional editing modeSMOOTH Smooth, Smooth falloff.SPHERE Sphere, Spherical falloff.ROOT Root, Root falloff.INVERSE_SQUARE Inverse Square, Inverse Square falloff.SHARP Sharp, Sharp falloff.LINEAR Linear, Linear falloff.CONSTANT Constant, Constant falloff.RANDOM Random, Random falloff. :type proportional_edit_falloff: enum in ['SMOOTH', 'SPHERE', 'ROOT', 'INVERSE_SQUARE', 'SHARP', 'LINEAR', 'CONSTANT', 'RANDOM'], (optional) :param proportional_size: Proportional Size :type proportional_size: float in [1e-06, inf], (optional) :param release_confirm: Confirm on Release, Always confirm operation when releasing button :type release_confirm: boolean, (optional) ''' pass def rip_edge_move(MESH_OT_rip_edge=None, TRANSFORM_OT_translate=None): '''Extend vertices and move the result :param MESH_OT_rip_edge: Extend Vertices, Extend vertices along the edge closest to the cursor :type MESH_OT_rip_edge: MESH_OT_rip_edge, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def rip_move(MESH_OT_rip=None, TRANSFORM_OT_translate=None): '''Rip polygons and move the result :param MESH_OT_rip: Rip, Disconnect vertex or edges from connected geometry :type MESH_OT_rip: MESH_OT_rip, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def rip_move_fill(MESH_OT_rip=None, TRANSFORM_OT_translate=None): '''Rip-fill polygons and move the result :param MESH_OT_rip: Rip, Disconnect vertex or edges from connected geometry :type MESH_OT_rip: MESH_OT_rip, (optional) :param TRANSFORM_OT_translate: Translate, Translate (move) selected items :type TRANSFORM_OT_translate: TRANSFORM_OT_translate, (optional) ''' pass def screw(steps=9, turns=1, center=(0.0, 0.0, 0.0), axis=(0.0, 0.0, 0.0)): '''Extrude selected vertices in screw-shaped rotation around the cursor in indicated viewport :param steps: Steps, Steps :type steps: int in [1, 100000], (optional) :param turns: Turns, Turns :type turns: int in [1, 100000], (optional) :param center: Center, Center in global view space :type center: float array of 3 items in [-inf, inf], (optional) :param axis: Axis, Axis in global view space :type axis: float array of 3 items in [-1, 1], (optional) ''' pass def select_all(action='TOGGLE'): '''(De)select all vertices, edges or faces :param action: Action, Selection action to executeTOGGLE Toggle, Toggle selection for all elements.SELECT Select, Select all elements.DESELECT Deselect, Deselect all elements.INVERT Invert, Invert selection of all elements. :type action: enum in ['TOGGLE', 'SELECT', 'DESELECT', 'INVERT'], (optional) ''' pass def select_axis(mode='POSITIVE', axis='X_AXIS', threshold=0.0001): '''Select all data in the mesh on a single axis :param mode: Axis Mode, Axis side to use when selecting :type mode: enum in ['POSITIVE', 'NEGATIVE', 'ALIGNED'], (optional) :param axis: Axis, Select the axis to compare each vertex on :type axis: enum in ['X_AXIS', 'Y_AXIS', 'Z_AXIS'], (optional) :param threshold: Threshold :type threshold: float in [1e-06, 50], (optional) ''' pass def select_face_by_sides(number=4, type='EQUAL', extend=True): '''Select vertices or faces by the number of polygon sides :param number: Number of Vertices :type number: int in [3, inf], (optional) :param type: Type, Type of comparison to make :type type: enum in ['LESS', 'EQUAL', 'GREATER', 'NOTEQUAL'], (optional) :param extend: Extend, Extend the selection :type extend: boolean, (optional) ''' pass def select_interior_faces(): '''Select faces where all edges have more than 2 face users ''' pass def select_less(use_face_step=True): '''Deselect vertices, edges or faces at the boundary of each selection region :param use_face_step: Face Step, Connected faces (instead of edges) :type use_face_step: boolean, (optional) ''' pass def select_linked(delimit={'SEAM'}): '''Select all vertices linked to the active mesh :param delimit: Delimit, Delimit selected regionNORMAL Normal, Delimit by face directions.MATERIAL Material, Delimit by face material.SEAM Seam, Delimit by edge seams.SHARP Sharp, Delimit by sharp edges.UV UVs, Delimit by UV coordinates. :type delimit: enum set in {'NORMAL', 'MATERIAL', 'SEAM', 'SHARP', 'UV'}, (optional) ''' pass def select_linked_pick(deselect=False, delimit={'SEAM'}, index=-1): '''(De)select all vertices linked to the edge under the mouse cursor :param deselect: Deselect :type deselect: boolean, (optional) :param delimit: Delimit, Delimit selected regionNORMAL Normal, Delimit by face directions.MATERIAL Material, Delimit by face material.SEAM Seam, Delimit by edge seams.SHARP Sharp, Delimit by sharp edges.UV UVs, Delimit by UV coordinates. :type delimit: enum set in {'NORMAL', 'MATERIAL', 'SEAM', 'SHARP', 'UV'}, (optional) ''' pass def select_loose(extend=False): '''Select loose geometry based on the selection mode :param extend: Extend, Extend the selection :type extend: boolean, (optional) ''' pass def select_mirror(axis={'X'}, extend=False): '''Select mesh items at mirrored locations :param axis: Axis :type axis: enum set in {'X', 'Y', 'Z'}, (optional) :param extend: Extend, Extend the existing selection :type extend: boolean, (optional) ''' pass def select_mode(use_extend=False, use_expand=False, type='VERT', action='TOGGLE'): '''Change selection mode :param use_extend: Extend :type use_extend: boolean, (optional) :param use_expand: Expand :type use_expand: boolean, (optional) :param type: Type :type type: enum in ['VERT', 'EDGE', 'FACE'], (optional) :param action: Action, Selection action to executeDISABLE Disable, Disable selected markers.ENABLE Enable, Enable selected markers.TOGGLE Toggle, Toggle disabled flag for selected markers. :type action: enum in ['DISABLE', 'ENABLE', 'TOGGLE'], (optional) ''' pass def select_more(use_face_step=True): '''Select more vertices, edges or faces connected to initial selection :param use_face_step: Face Step, Connected faces (instead of edges) :type use_face_step: boolean, (optional) ''' pass def select_next_item(): '''Select the next element (using selection order) ''' pass def select_non_manifold(extend=True, use_wire=True, use_boundary=True, use_multi_face=True, use_non_contiguous=True, use_verts=True): '''Select all non-manifold vertices or edges :param extend: Extend, Extend the selection :type extend: boolean, (optional) :param use_wire: Wire, Wire edges :type use_wire: boolean, (optional) :param use_boundary: Boundaries, Boundary edges :type use_boundary: boolean, (optional) :param use_multi_face: Multiple Faces, Edges shared by 3+ faces :type use_multi_face: boolean, (optional) :param use_non_contiguous: Non Contiguous, Edges between faces pointing in alternate directions :type use_non_contiguous: boolean, (optional) :param use_verts: Vertices, Vertices connecting multiple face regions :type use_verts: boolean, (optional) ''' pass def select_nth(nth=2, skip=1, offset=0): '''Deselect every Nth element starting from the active vertex, edge or face :param nth: Nth Selection :type nth: int in [2, inf], (optional) :param skip: Skip :type skip: int in [1, inf], (optional) :param offset: Offset :type offset: int in [-inf, inf], (optional) ''' pass def select_prev_item(): '''Select the next element (using selection order) ''' pass def select_random(percent=50.0, seed=0, action='SELECT'): '''Randomly select vertices :param percent: Percent, Percentage of objects to select randomly :type percent: float in [0, 100], (optional) :param seed: Random Seed, Seed for the random number generator :type seed: int in [0, inf], (optional) :param action: Action, Selection action to executeSELECT Select, Select all elements.DESELECT Deselect, Deselect all elements. :type action: enum in ['SELECT', 'DESELECT'], (optional) ''' pass def select_similar(type='NORMAL', compare='EQUAL', threshold=0.0): '''Select similar vertices, edges or faces by property types :param type: Type :type type: enum in ['NORMAL', 'FACE', 'VGROUP', 'EDGE', 'LENGTH', 'DIR', 'FACE', 'FACE_ANGLE', 'CREASE', 'BEVEL', 'SEAM', 'SHARP', 'FREESTYLE_EDGE', 'MATERIAL', 'IMAGE', 'AREA', 'SIDES', 'PERIMETER', 'NORMAL', 'COPLANAR', 'SMOOTH', 'FREESTYLE_FACE'], (optional) :param compare: Compare :type compare: enum in ['EQUAL', 'GREATER', 'LESS'], (optional) :param threshold: Threshold :type threshold: float in [0, 1], (optional) ''' pass def select_similar_region(): '''Select similar face regions to the current selection ''' pass def select_ungrouped(extend=False): '''Select vertices without a group :param extend: Extend, Extend the selection :type extend: boolean, (optional) ''' pass def separate(type='SELECTED'): '''Separate selected geometry into a new mesh :param type: Type :type type: enum in ['SELECTED', 'MATERIAL', 'LOOSE'], (optional) ''' pass def shape_propagate_to_all(): '''Apply selected vertex locations to all other shape keys ''' pass def shortest_path_pick(use_face_step=False, use_topology_distance=False, use_fill=False, nth=1, skip=1, offset=0, index=-1): '''Select shortest path between two selections :param use_face_step: Face Stepping, Traverse connected faces (includes diagonals and edge-rings) :type use_face_step: boolean, (optional) :param use_topology_distance: Topology Distance, Find the minimum number of steps, ignoring spatial distance :type use_topology_distance: boolean, (optional) :param use_fill: Fill Region, Select all paths between the source/destination elements :type use_fill: boolean, (optional) :param nth: Nth Selection :type nth: int in [1, inf], (optional) :param skip: Skip :type skip: int in [1, inf], (optional) :param offset: Offset :type offset: int in [-inf, inf], (optional) ''' pass def shortest_path_select(use_face_step=False, use_topology_distance=False, use_fill=False, nth=1, skip=1, offset=0): '''Selected vertex path between two vertices :param use_face_step: Face Stepping, Traverse connected faces (includes diagonals and edge-rings) :type use_face_step: boolean, (optional) :param use_topology_distance: Topology Distance, Find the minimum number of steps, ignoring spatial distance :type use_topology_distance: boolean, (optional) :param use_fill: Fill Region, Select all paths between the source/destination elements :type use_fill: boolean, (optional) :param nth: Nth Selection :type nth: int in [1, inf], (optional) :param skip: Skip :type skip: int in [1, inf], (optional) :param offset: Offset :type offset: int in [-inf, inf], (optional) ''' pass def solidify(thickness=0.01): '''Create a solid skin by extruding, compensating for sharp angles :param thickness: Thickness :type thickness: float in [-10000, 10000], (optional) ''' pass def sort_elements(type='VIEW_ZAXIS', elements={'VERT'}, reverse=False, seed=0): '''The order of selected vertices/edges/faces is modified, based on a given method :param type: Type, Type of re-ordering operation to applyVIEW_ZAXIS View Z Axis, Sort selected elements from farthest to nearest one in current view.VIEW_XAXIS View X Axis, Sort selected elements from left to right one in current view.CURSOR_DISTANCE Cursor Distance, Sort selected elements from nearest to farthest from 3D cursor.MATERIAL Material, Sort selected elements from smallest to greatest material index (faces only!).SELECTED Selected, Move all selected elements in first places, preserving their relative order (WARNING: this will affect unselected elements’ indices as well!).RANDOMIZE Randomize, Randomize order of selected elements.REVERSE Reverse, Reverse current order of selected elements. :type type: enum in ['VIEW_ZAXIS', 'VIEW_XAXIS', 'CURSOR_DISTANCE', 'MATERIAL', 'SELECTED', 'RANDOMIZE', 'REVERSE'], (optional) :param elements: Elements, Which elements to affect (vertices, edges and/or faces) :type elements: enum set in {'VERT', 'EDGE', 'FACE'}, (optional) :param reverse: Reverse, Reverse the sorting effect :type reverse: boolean, (optional) :param seed: Seed, Seed for random-based operations :type seed: int in [0, inf], (optional) ''' pass def spin(steps=9, dupli=False, angle=1.5708, center=(0.0, 0.0, 0.0), axis=(0.0, 0.0, 0.0)): '''Extrude selected vertices in a circle around the cursor in indicated viewport :param steps: Steps, Steps :type steps: int in [0, 1000000], (optional) :param dupli: Dupli, Make Duplicates :type dupli: boolean, (optional) :param angle: Angle, Rotation for each step :type angle: float in [-inf, inf], (optional) :param center: Center, Center in global view space :type center: float array of 3 items in [-inf, inf], (optional) :param axis: Axis, Axis in global view space :type axis: float array of 3 items in [-1, 1], (optional) ''' pass def split(): '''Split off selected geometry from connected unselected geometry ''' pass def subdivide(number_cuts=1, smoothness=0.0, quadtri=False, quadcorner='STRAIGHT_CUT', fractal=0.0, fractal_along_normal=0.0, seed=0): '''Subdivide selected edges :param number_cuts: Number of Cuts :type number_cuts: int in [1, 100], (optional) :param smoothness: Smoothness, Smoothness factor :type smoothness: float in [0, 1000], (optional) :param quadtri: Quad/Tri Mode, Tries to prevent ngons :type quadtri: boolean, (optional) :param quadcorner: Quad Corner Type, How to subdivide quad corners (anything other than Straight Cut will prevent ngons) :type quadcorner: enum in ['INNERVERT', 'PATH', 'STRAIGHT_CUT', 'FAN'], (optional) :param fractal: Fractal, Fractal randomness factor :type fractal: float in [0, 1e+06], (optional) :param fractal_along_normal: Along Normal, Apply fractal displacement along normal only :type fractal_along_normal: float in [0, 1], (optional) :param seed: Random Seed, Seed for the random number generator :type seed: int in [0, inf], (optional) ''' pass def subdivide_edgering(number_cuts=10, interpolation='PATH', smoothness=1.0, profile_shape_factor=0.0, profile_shape='SMOOTH'): '''Undocumented :param number_cuts: Number of Cuts :type number_cuts: int in [0, 1000], (optional) :param interpolation: Interpolation, Interpolation method :type interpolation: enum in ['LINEAR', 'PATH', 'SURFACE'], (optional) :param smoothness: Smoothness, Smoothness factor :type smoothness: float in [0, 1000], (optional) :param profile_shape_factor: Profile Factor, How much intermediary new edges are shrunk/expanded :type profile_shape_factor: float in [-1000, 1000], (optional) :param profile_shape: Profile Shape, Shape of the profileSMOOTH Smooth, Smooth falloff.SPHERE Sphere, Spherical falloff.ROOT Root, Root falloff.INVERSE_SQUARE Inverse Square, Inverse Square falloff.SHARP Sharp, Sharp falloff.LINEAR Linear, Linear falloff. :type profile_shape: enum in ['SMOOTH', 'SPHERE', 'ROOT', 'INVERSE_SQUARE', 'SHARP', 'LINEAR'], (optional) ''' pass def symmetrize(direction='NEGATIVE_X', threshold=0.0001): '''Enforce symmetry (both form and topological) across an axis :param direction: Direction, Which sides to copy from and to :type direction: enum in ['NEGATIVE_X', 'POSITIVE_X', 'NEGATIVE_Y', 'POSITIVE_Y', 'NEGATIVE_Z', 'POSITIVE_Z'], (optional) :param threshold: Threshold :type threshold: float in [0, 10], (optional) ''' pass def symmetry_snap(direction='NEGATIVE_X', threshold=0.05, factor=0.5, use_center=True): '''Snap vertex pairs to their mirrored locations :param direction: Direction, Which sides to copy from and to :type direction: enum in ['NEGATIVE_X', 'POSITIVE_X', 'NEGATIVE_Y', 'POSITIVE_Y', 'NEGATIVE_Z', 'POSITIVE_Z'], (optional) :param threshold: Threshold :type threshold: float in [0, 10], (optional) :param factor: Factor :type factor: float in [0, 1], (optional) :param use_center: Center, Snap mid verts to the axis center :type use_center: boolean, (optional) ''' pass def tris_convert_to_quads(face_threshold=0.698132, shape_threshold=0.698132, uvs=False, vcols=False, seam=False, sharp=False, materials=False): '''Join triangles into quads :param face_threshold: Max Face Angle, Face angle limit :type face_threshold: float in [0, 3.14159], (optional) :param shape_threshold: Max Shape Angle, Shape angle limit :type shape_threshold: float in [0, 3.14159], (optional) :param uvs: Compare UVs :type uvs: boolean, (optional) :param vcols: Compare VCols :type vcols: boolean, (optional) :param seam: Compare Seam :type seam: boolean, (optional) :param sharp: Compare Sharp :type sharp: boolean, (optional) :param materials: Compare Materials :type materials: boolean, (optional) ''' pass def unsubdivide(iterations=2): '''UnSubdivide selected edges & faces :param iterations: Iterations, Number of times to unsubdivide :type iterations: int in [1, 1000], (optional) ''' pass def uv_texture_add(): '''Add UV Map ''' pass def uv_texture_remove(): '''Remove UV Map ''' pass def uvs_reverse(): '''Flip direction of UV coordinates inside faces ''' pass def uvs_rotate(use_ccw=False): '''Rotate UV coordinates inside faces :param use_ccw: Counter Clockwise :type use_ccw: boolean, (optional) ''' pass def vert_connect(): '''Connect selected vertices of faces, splitting the face ''' pass def vert_connect_concave(): '''Make all faces convex ''' pass def vert_connect_nonplanar(angle_limit=0.0872665): '''Split non-planar faces that exceed the angle threshold :param angle_limit: Max Angle, Angle limit :type angle_limit: float in [0, 3.14159], (optional) ''' pass def vert_connect_path(): '''Connect vertices by their selection order, creating edges, splitting faces ''' pass def vertex_color_add(): '''Add vertex color layer ''' pass def vertex_color_remove(): '''Remove vertex color layer ''' pass def vertices_smooth(factor=0.5, repeat=1, xaxis=True, yaxis=True, zaxis=True): '''Flatten angles of selected vertices :param factor: Smoothing, Smoothing factor :type factor: float in [-10, 10], (optional) :param repeat: Repeat, Number of times to smooth the mesh :type repeat: int in [1, 1000], (optional) :param xaxis: X-Axis, Smooth along the X axis :type xaxis: boolean, (optional) :param yaxis: Y-Axis, Smooth along the Y axis :type yaxis: boolean, (optional) :param zaxis: Z-Axis, Smooth along the Z axis :type zaxis: boolean, (optional) ''' pass def vertices_smooth_laplacian(repeat=1, lambda_factor=5e-05, lambda_border=5e-05, use_x=True, use_y=True, use_z=True, preserve_volume=True): '''Laplacian smooth of selected vertices :param repeat: Number of iterations to smooth the mesh :type repeat: int in [1, 1000], (optional) :param lambda_factor: Lambda factor :type lambda_factor: float in [1e-07, 1000], (optional) :param lambda_border: Lambda factor in border :type lambda_border: float in [1e-07, 1000], (optional) :param use_x: Smooth X Axis, Smooth object along X axis :type use_x: boolean, (optional) :param use_y: Smooth Y Axis, Smooth object along Y axis :type use_y: boolean, (optional) :param use_z: Smooth Z Axis, Smooth object along Z axis :type use_z: boolean, (optional) :param preserve_volume: Preserve Volume, Apply volume preservation after smooth :type preserve_volume: boolean, (optional) ''' pass def wireframe(use_boundary=True, use_even_offset=True, use_relative_offset=False, use_replace=True, thickness=0.01, offset=0.01, use_crease=False, crease_weight=0.01): '''Create a solid wire-frame from faces :param use_boundary: Boundary, Inset face boundaries :type use_boundary: boolean, (optional) :param use_even_offset: Offset Even, Scale the offset to give more even thickness :type use_even_offset: boolean, (optional) :param use_relative_offset: Offset Relative, Scale the offset by surrounding geometry :type use_relative_offset: boolean, (optional) :param use_replace: Replace, Remove original faces :type use_replace: boolean, (optional) :param thickness: Thickness :type thickness: float in [0, 10000], (optional) :param offset: Offset :type offset: float in [0, 10000], (optional) :param use_crease: Crease, Crease hub edges for improved subsurf :type use_crease: boolean, (optional) :param crease_weight: Crease weight :type crease_weight: float in [0, 1000], (optional) ''' pass
class TreeNode: def __init__(self, x): self.val = x self.left = None self.right = None class Solution: # def bstFromPreorder(self, preorder): # if not preorder: # return None # preorder.sort() # root = self.generator(1, preorder) # return root # def generator(self, idx, preorder): # mx = len(preorder) # if idx > mx: # return None # node = TreeNode(preorder[idx - 1]) # if mx - 1 == idx << 1: # if preorder[idx - 1] > preorder[-1]: # node.left = TreeNode(preorder[-1]) # else: # node.right = TreeNode(preorder[-1]) # else: # next_l = idx << 1 # node.left = self.generator(next_l, preorder) # next_r = (idx << 1) + 1 # node.right = self.generator(next_r, preorder) # return node def bstFromPreorder(self, preorder): if not preorder: return None inorder = sorted(preorder) def generator(preorder, inorder): if not preorder or not inorder: return None node = TreeNode(preorder[0]) inorder_idx = inorder.index(preorder[0]) node.left = generator(preorder[1:inorder_idx + 1], inorder[:inorder_idx]) node.right = generator(preorder[inorder_idx + 1:], inorder[inorder_idx + 1:]) return node return generator(preorder, inorder) if __name__ == '__main__': a = Solution() b = a.bstFromPreorder([1,3]) print(b)
def sum_mul(n, m): sumu = 0 if n > 0 and m > 0: for i in range(n, m): if (i % n == 0): sumu += i else: return 'INVALID' return sumu
string = 'some text' print(string) print(id(string)) print('Run fuction, then print string and it\'s id again without using the function') def changeString(): string = 'changed' print(string) print(id(string)) changeString() print(string) print(id(string)) print('(Redeclaring function)') print('Run fuction, then print string and it\'s id again without using the function') def changeString(): string = 'changed' print(string) print(id(string)) return string changeString() print(string) print(id(string)) print('-----------------------------') arr = [1, 2, 3] print(arr) def changeArr(): arr = [6, 7, 8] print(arr) changeArr() print(arr) print('-----------------------------') print(arr) def changeArr(): arr[0] = 6 arr[1] = 7 arr[2] = 8 print(arr) changeArr() print(arr) print('-----------------------------') arr = [1, 2, 3] print(arr) print(id(arr)) def changeArr(): global arr arr = [6, 7, 8] print(arr) changeArr() print(arr) #this time the arr got modified print(id(arr)) #arr also got a new adress
for letter in 'Python': if letter == 'h': pass print("This is Pass Block") print("Current letter", letter) print("Good Job")
# https://leetcode.com/explore/challenge/card/august-leetcoding-challenge/551/week-3-august-15th-august-21st/3430/ ''' 13 / 13 test cases passed. Status: Accepted Runtime: 108 ms Memory Usage: 23.3 MB Your runtime beats 50.00 % of python3 submissions. Your memory usage beats 28.30 % of python3 submissions. ''' # Definition for singly-linked list. # class ListNode: # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution: def reorderList(self, head: ListNode) -> None: """ Do not return anything, modify head in-place instead. """ d=[] i=0 while head: d.append(head) i+=1 head=head.next n=i i=1 if n: d[n//2].next=None while i<=(n//2)-1+n%2: temp=d[i-1].next d[i-1].next=d[n-i] d[n-i].next=temp i+=1
### building a more advance calculator with python num1 = float(input("Enter first number: ")) op = input("Enter operator: ") num2 = float(input("Enter second number: ")) if op == "+": print(num1 + num2) elif op == "-": print(num1 - num2) elif op == "*": print(num1 * num2) elif op == "/": print(num1 / num2) else: print("invalid operation")
# link: https://leetcode.com/problems/find-all-the-lonely-nodes/ # find all lonely nodes # Definition for a binary tree node. # class TreeNode(object): # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution(object): def getLonelyNodes(self, root): """ :type root: TreeNode :rtype: List[int] """ if not root.left and not root.right: return [] result = [] return self.dfs(root, result) def dfs(self, root, result): if not root: return if not root.left and root.right: result.append(root.right.val) if root.left and not root.right: result.append(root.left.val) self.dfs(root.left,result) self.dfs(root.right, result) return result
print("FINDING ROOTS OF A QUADRATIC EQUATION\n\n") print("Any general quadratic equation will be of the form 'ax^2+bx+c=0', \ntherefore state values...") a=int(input("\tcoefficient of x^2, a= ")) b=int(input("\tcoefficient of x, b= ")) c=int(input("\tconstant, c= ")) x=(b**2)-4*a*c if(x==0): print("\nThe roots are equal\nThe roots are") r1=(-b/2*a) r2=(-b/2*a) print("\t",r1) print("\t",r2) elif(x>0): print("The roots are real and unequal\nThe roots are") r1=(-b+(x**(1/2)))/2*a r2=(-b-(x**(1/2)))/2*a print("\t",r1) print("\t",r2) else: print("The roots are imaginary and unequal\nThe roots are") r1=(-b/2*a) r2=((-x)**(1/2))/2*a print("\t",r1,"+i",r2) print("\t",r1,"-i",r2) print("\n\nProgram Ends, Press 'Enter' key to close") i=input()
dysk = set() with open( r"D:\_MACIEK_\python_proby\skany_fabianki\lista_P.txt", "r" ) as listadysk: for line in listadysk: dysk.add(line) with open( r"D:\_MACIEK_\python_proby\skany_fabianki\lista_dysk.txt", "r" ) as listaP: for line in listaP: if line not in dysk: with open( r"D:\_MACIEK_\python_proby\skany_fabianki\jest_a_nie_bylo.txt", "a", ) as brak: brak.write(line)
# initial configurations PORT=33000 HOST="0.0.0.0"
# # PySNMP MIB module NAI-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/NAI-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:22:50 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Counter32, iso, MibIdentifier, NotificationType, Gauge32, ObjectIdentity, TimeTicks, NotificationType, Bits, Unsigned32, ModuleIdentity, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, enterprises, Integer32, IpAddress = mibBuilder.importSymbols("SNMPv2-SMI", "Counter32", "iso", "MibIdentifier", "NotificationType", "Gauge32", "ObjectIdentity", "TimeTicks", "NotificationType", "Bits", "Unsigned32", "ModuleIdentity", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "enterprises", "Integer32", "IpAddress") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") nai = MibIdentifier((1, 3, 6, 1, 4, 1, 3401)) naiStandardTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 3401, 1)) naiTrapAgent = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapAgent.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapAgent.setDescription('The name of the agent that generated the trap.') naiTrapAgentVersion = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapAgentVersion.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapAgentVersion.setDescription('The version of the agent that generated the trap.') naiTrapSeverity = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("inform", 1), ("warning", 2), ("minor", 3), ("major", 4), ("critical", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapSeverity.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapSeverity.setDescription('Additional information delivered with alarm messages and indicated the critical, Major, Minor, Warning and informational. Advanced management applications can make use of this information to better evaluate the severity of the situation. This variable is only intended for use with traps; no meaning should be assumed by a Manager to the value retrieved through a Get operation on this object.') naiTrapDescription = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 300))).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapDescription.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapDescription.setDescription('The alarm description.') naiTrapAlarmSourceAddress = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 5), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapAlarmSourceAddress.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapAlarmSourceAddress.setDescription('This information identifies the piece of equipment which is casuing the alarm. If the information is not available, then this field can be left blank.') naiTrapAlarmSourceDNSName = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 6), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapAlarmSourceDNSName.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapAlarmSourceDNSName.setDescription('The fully qualified DNS name of the piece of equipment which is casuing the alarm.This can contain the name of the machine that sent the trap, if DNS name is not available.') naiTrapGMTTime = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 7), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapGMTTime.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapGMTTime.setDescription('The time that the condition or event occurred which caused generation of this alarm. This value is given in seconds since 00:00:00 Greenwich mean time (GMT) January 1, 1970.') naiTrapLocalTime = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 8), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapLocalTime.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapLocalTime.setDescription('The time that the condition or event occurred which caused generation of this alarm. This value is given in seconds since 00:00:00 Local time January 1, 1970.') naiTrapURL = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 9), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapURL.setStatus('mandatory') if mibBuilder.loadTexts: naiTrapURL.setDescription('A fully qualified URL link to an HTML page/FTP file for more information about the alarm.') naiTrapPseudoID = MibScalar((1, 3, 6, 1, 4, 1, 3401, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: naiTrapPseudoID.setStatus('optional') if mibBuilder.loadTexts: naiTrapPseudoID.setDescription('This information identifies the pseudo-Id of the trap being sent. If the information is not available, then this field can be left blank.') mibBuilder.exportSymbols("NAI-MIB", naiTrapAgentVersion=naiTrapAgentVersion, nai=nai, naiTrapAgent=naiTrapAgent, naiTrapLocalTime=naiTrapLocalTime, naiTrapURL=naiTrapURL, naiTrapGMTTime=naiTrapGMTTime, naiTrapPseudoID=naiTrapPseudoID, naiTrapAlarmSourceAddress=naiTrapAlarmSourceAddress, naiTrapAlarmSourceDNSName=naiTrapAlarmSourceDNSName, naiTrapDescription=naiTrapDescription, naiStandardTrap=naiStandardTrap, naiTrapSeverity=naiTrapSeverity)
# Checking if a binary tree is a perfect binary tree in Python class newNode: def __init__(self, k): self.key = k self.right = self.left = None # Calculate the depth def calculateDepth(node): d = 0 while node is not None: d += 1 node = node.left return d # Check if the tree is perfect binary tree def is_perfect(root, d, level=0): # Check if the tree is empty if root is None: return True # Check the presence of trees if root.left is None and root.right is None: return d == level + 1 if root.left is None or root.right is None: return False return is_perfect(root.left, d, level + 1) and is_perfect(root.right, d, level + 1) root = None root = newNode(1) root.left = newNode(2) root.right = newNode(3) root.left.left = newNode(4) root.left.right = newNode(5) if is_perfect(root, calculateDepth(root)): print("The tree is a perfect binary tree") else: print("The tree is not a perfect binary tree")
def set_salestax(request, tax_type, tax_total): """ Stores the tax type and total in the session. """ request.session["tax_type"] = tax_type request.session["tax_total"] = tax_total
# print("Please choose your option from the list below:") # print("1:\tLearn Python") # print("2:\tLearn Java") # print("3:\tGo swimming") # print("4:\tHave dinner") # print("5:\tGo to bed") # print("0:\tExit") choice = "-" while choice != "0": # while True: # choice = input() # if choice == "0": # break # elif choice in "12345": if choice in "12345": print("You chose {}".format(choice)) else: print("Please choose your option from the list below:") print("1:\tLearn Python") print("2:\tLearn Java") print("3:\tGo swimming") print("4:\tHave dinner") print("5:\tGo to bed") print("0:\tExit") choice = input()
# Leia uma frase e descubra quantos caracteres existem nesta frase. # Implemente uma função chamada contaCaracter(). def contaCaracter(str): return len(str) print(contaCaracter(input()))
# -*- coding: utf-8 -*- { 'name': "cheques", 'summary': """ Administracion de cheques""", 'description': """ Lógica de negocio en el manejo de cheques. En cheques propios y de terceros. Cheques propios. * Tipos de cheques (cheque común, diferidos, Cheque Cancelatorio). Cheque de pago común. Contenido preimpreso: * Nombre del cheque en el texto. * Un nro de órden incluido en el cuerpo. * El nombre del banco. (En el contacto) * Domicilio de pago. (En el contacto) * El nro de cuenta corriente. (En el contacto) * El domiciolio que el titular tiene registrado en el Banco. * El nro de cuil o cuit del titular de la cuenta. Contenido llenado en el momento de emisión. * La indicación del lugar y de la fecha de creación * La orden de pagar una suma determinada de dinero en número. * La orden de pagar una suma determindad de dinero en letras. * La firma del librador. Análisis Técnicos. A partir del recibo de pago de clientes se generará un nuevo registro en el modelo diario que contiene una linea más que será cheque de tercero. Este registro lo agrego con el archivo metodopago.xml Cuando se elige un cheque de tercero. Automaticamente se abre un notebook. Con los registros de movi- mientos de cheques. Y se carga un nuevo cheque. El total de la linea se sumará en el total del recibos. El modelo movimientos de cheques contendrá todos los datos relacionados a los cheques. Campos a generar. Name_del_campo tipo req ro relación. obs Nro_orden entero x Banco many2one x move.bank Domicilio_pago char Domicilio_titular char Contacto many2one x res.partner. Tipo selección x Cheque común ; Cheque diferido fecha de emisión date x fecha de pago date x apidepens (si es comun hasta 30 días desde la emisión) estado (en mano, endosado, rechazados, cobrados) monto en numeros float x monto en letras texto x apidepens (texto generado) origen selección x propio ; de tercero Debemos generar el formulario tree de cheques. """, 'author': "Guvens", 'website': "http://www.yourcompany.com", # Categories can be used to filter modules in modules listing # Check https://github.com/odoo/odoo/blob/13.0/odoo/addons/base/data/ir_module_category_data.xml # for the full list 'category': 'Uncategorized', 'version': '0.1', # any module necessary for this one to work correctly 'depends': ['base'], # always loaded 'data': [ # 'security/ir.model.access.csv', 'views/views.xml', 'views/templates.xml', 'data/metododepago.xml', ], # only loaded in demonstration mode 'demo': [ 'demo/demo.xml', ], }
k = int(input()) chess = 'W' empty = '.' neighbour = [[0, -1], [0, 1], [1, 0], [-1, 0],[1,-1],[1,1],[-1,-1],[-1,1]] def dfs(r, c, area, visited): mianji = 1 visited[r][c] = 1 stack = [] stack.append([r, c]) while len(stack) != 0: x, y = stack.pop() for dx, dy in neighbour: temp_x = x + dx temp_y = y + dy if area[temp_x][temp_y] == chess and visited[temp_x][temp_y] == 0: visited[temp_x][temp_y] = 1 stack.append([temp_x, temp_y]) mianji += 1 return mianji for _ in range(k): n, m = list(map(int,input().split())) area = [] visited =[] area.append(empty*(m+2)) visited.append([0] * (m + 2)) current_max = 0 for __ in range(n): area.append(empty+input()+empty) visited.append([0] * (m + 2)) area.append(empty*(m+2)) visited.append([0] * (m + 2)) # search for row in range(1,n+1): for column in range(1,m+1): if area[row][column] != empty and visited[row][column] == 0: # dfs temp_mianji = dfs(row,column,area=area,visited=visited) if temp_mianji > current_max: current_max = temp_mianji print(current_max)
r_result_json = { 'result': [{ 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'bfc39682-3929-4635-9834-e95b8ba7c2c2', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_07', 'src_list': 'seciplist:/Compute-587626604/[email protected]/emh-home-ip', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_07', 'disabled': False, 'application': '/oracle/public/all', 'action': 'PERMIT', 'id': '5aee8ea3-8065-4ca2-8a28-e4306829da1e', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '992dd2ac-5ba3-4c5d-b383-1f989c693a92', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5c47fcc5-a75c-49d1-aa0e-f09a6df44a20', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_chttps-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/tresources', 'action': 'PERMIT', 'id': 'b6c6cd74-c85d-4389-9ac9-b149a9a349e8', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_dbconsole-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'e2c35278-38c8-4527-a4a6-6c56d029bfdf', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_http-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': '0e8c8a98-2089-477d-8439-f9092f54d150', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '55c7e0cd-14b3-4f7f-9bd4-cfc3b74ab311', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'f846d5f7-be36-4657-84ee-578345c93db0', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/tresources', 'action': 'PERMIT', 'id': '7bd5149d-e77b-418b-b7bd-acfc86b440fe', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '071af2b8-2aa3-4bb4-8d4b-c6dd6579e76a', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5d8813ad-e633-4ab7-8fa5-d7522d3632f8', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/tresources', 'action': 'PERMIT', 'id': '176ea0f5-f116-4c1b-994b-2dfbd7d76af3', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0153aaf6-4cce-4f0d-8df0-e6457433c559', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_dbport-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/tresources', 'action': 'PERMIT', 'id': '02715c0b-707a-43fd-b3ef-efcd64204962', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_http-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': 'c0f1a35a-c93f-425a-b922-8ae893630057', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'd5d34ba2-df0f-46db-873b-87c81dc7b4ea', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '6da4cf69-bdde-4400-8d1d-0ad3d758181c', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/tresources', 'action': 'PERMIT', 'id': '4a2f56b6-3d64-4818-9a58-8c2bde68c533', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/tresources', 'action': 'PERMIT', 'id': '8e032dc3-8dfa-4e20-9cc4-118fa69c8d27', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': '55274756-111d-42ce-87f0-b35edd500126', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_http-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': 'a2c2f139-be3a-444f-b76f-0c8d430ec682', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0be41ca5-f469-4e65-9c95-f4ed76ff1fd8', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a546b8ef-e32c-480e-96d3-15fad12791e0', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_ahttps-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/tresources', 'action': 'PERMIT', 'id': '87f9995f-605e-4c7d-9abe-07ec23fb8efa', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_02', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_02', 'disabled': False, 'application': '/oracle/public/https', 'action': 'PERMIT', 'id': '77808af7-ea5a-4b6b-88b6-cb12ff0c810f', 'description': 'NAAC/SOAR allow HTTPS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/naacntsb_secrule_03', 'src_list': 'seciplist:/Compute-587626604/[email protected]/naacntsb-ipl', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/naacntsb_secrule_03', 'disabled': False, 'application': '/Compute-587626604/[email protected]/naacntsb_dblistener', 'action': 'PERMIT', 'id': 'c09063e1-a887-49e0-bdb6-b9b1372a06fc', 'description': 'port 1521 for ntsb' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_chttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': '524e58f8-9dab-4d33-8568-a9a905feec4f', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_chttps-jcs/tresources', 'action': 'PERMIT', 'id': '143e544e-eea3-4a11-a095-26e49b8ec675', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_04', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_04', 'disabled': False, 'application': '/Compute-587626604/[email protected]/http-tcp-8000', 'action': 'PERMIT', 'id': 'db8650b4-bf5a-4183-b435-8ee8dd6a132c', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': 'aba47e68-44e0-40b8-aa3f-c876ab9cd71e', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_03', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_03', 'disabled': False, 'application': '/Compute-587626604/[email protected]/HTTPS-4443', 'action': 'PERMIT', 'id': 'd4a9a29d-6444-4522-8130-f54e7423e084', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_dbconsole', 'action': 'PERMIT', 'id': 'c4b4d71e-49a6-4a4a-ad47-916207415e37', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_p2admin_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ahttps-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/tresources', 'action': 'PERMIT', 'id': '553c8390-3217-485d-b04f-7d9688105795', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5e9ea51b-41d6-4419-b19e-72b5c469b467', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3NAACCDMT_PSFT', 'name': '/Compute-587626604/[email protected]/GC3NAACCDMT-HTTPS-4443-PUBLIC-GC3NAACCDMT_PSFT', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/GC3NAACCDMT-HTTPS-4443-PUBLIC-GC3NAACCDMT_PSFT', 'disabled': False, 'application': '/Compute-587626604/[email protected]/https-tcp-4443', 'action': 'PERMIT', 'id': 'fa8d0424-3235-4725-8779-c7e280f77377', 'description': 'Allow HTTPS on port 4443' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': '6438443d-d4e4-4db3-b929-097ea3a64dd7', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'dda07d42-4813-4449-b7a6-6426335c4054', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_dblistener', 'action': 'PERMIT', 'id': 'ce983d6b-8d59-4ea6-9dcc-2507c03315f5', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_ahttps', 'action': 'PERMIT', 'id': '26796471-da52-4606-948c-1bad6d9a44b1', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/naacntsb_seclist_01', 'name': '/Compute-587626604/[email protected]/naacntsb_secrule_02', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/naacntsb_secrule_02', 'disabled': False, 'application': '/oracle/public/https', 'action': 'PERMIT', 'id': 'b3beef75-bdc7-4a60-837e-fdb59076af7d', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'bda14c5f-5e32-46b3-a419-afd0055345dc', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_06', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_06', 'disabled': False, 'application': '/Compute-587626604/[email protected]/https-943', 'action': 'PERMIT', 'id': 'e543d10e-6739-49f0-8098-a3b139655661', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_dbexpress-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': '9290d556-705a-4d51-ad14-c41ece37ec01', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '43253bb8-2075-4f2a-9ae1-38aa0ba5fbc2', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/ora_chttps-587626604/[email protected]/paas/APICS/gc3ntagrogr606/tresources', 'action': 'PERMIT', 'id': 'a44b7976-552c-4b22-9e80-12607551c967', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_dbexpress', 'action': 'PERMIT', 'id': '2924a77c-4ac8-4cce-8e0f-1e7ff5bdfca3', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'db7d7c45-3045-4282-8c20-72cf3b5758aa', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/ora_chttp-587626604/[email protected]/paas/APICS/gc3ntagrogr606/tresources', 'action': 'PERMIT', 'id': '291cce74-a446-4ca2-8e07-feb10cea5beb', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ahttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': '29716862-7b4c-49a6-be42-b87dd8e03c51', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_ahttps-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/tresources', 'action': 'PERMIT', 'id': 'ff82eb71-69fa-49ef-80e8-20a9f16d5b09', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_dblistener', 'action': 'PERMIT', 'id': '080a39d8-52aa-4f05-a8f1-29886c17c0fe', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/naacntsb_secrule_04', 'src_list': 'seciplist:/Compute-587626604/[email protected]/naacntsb-ipl', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/naacntsb_secrule_04', 'disabled': False, 'application': '/Compute-587626604/[email protected]/naacntsb_dblistener', 'action': 'PERMIT', 'id': '236f92fa-1c17-4ef4-90a6-67eb645bd9e2', 'description': 'port 1521 for ntsb' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_ahttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': '37c1a77d-ed78-4ae6-baaa-69096235a1dc', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_chttps-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/tresources', 'action': 'PERMIT', 'id': '70752320-fd6a-4920-8527-684a81f6c3f5', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '4c81488f-1a7d-429c-88a3-032a53a3c1a0', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/naacntsb_seclist_01', 'name': '/Compute-587626604/[email protected]/naacntsb_secrule_01', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/naacntsb_secrule_01', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9090efd5-1b62-4041-b558-c0d32282f7a1', 'description': 'SSH secrule for naacntsb' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_chttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': 'dc081aa1-1cab-43b9-bffd-25a31c1fe07f', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ea540fa6-0e97-4b65-b7a8-33e0be9bdf03', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'c5ab6942-5116-44e9-ad52-e92142732e8e', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ad2e926d-0db1-451c-832a-df124508a170', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '52a8bb81-b745-413d-b5e9-84fe4a306603', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9f7c30bc-1f43-4d54-9442-597232408aa4', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_chttp-jcs/lb/tresources', 'action': 'PERMIT', 'id': 'a437591e-b494-4db2-bb4d-a9fbd8daaa7c', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3NAACCDMT_PSFT', 'name': '/Compute-587626604/[email protected]/GC3NAACCDMT-SSH-PUBLIC-GC3NAACCDMT_PSFT', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/GC3NAACCDMT-SSH-PUBLIC-GC3NAACCDMT_PSFT', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1cfb6883-29d4-4e55-b32a-6abe26bc9d47', 'description': 'Allow SSH for GC3NAACCDMT' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_05', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_05', 'disabled': False, 'application': '/Compute-587626604/[email protected]/openvpn-udp-1194', 'action': 'PERMIT', 'id': 'a11b0d07-0a33-4249-9806-8a49f50c47e0', 'description': 'OpenVPN' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/sn_oel_ssh_sec_list', 'name': '/Compute-587626604/[email protected]/sn_oel_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/sn_oel_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '7cd6db40-6117-4aa5-9d2d-1b6ea02b43f2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_httpadmin', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_httpadmin', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_httpadmin', 'action': 'PERMIT', 'id': '0b2594f8-196e-49b4-beae-c7700a1bcba2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ahttps', 'action': 'PERMIT', 'id': 'aaadb573-8639-4ccc-97c3-96ccb293fa74', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_chttps', 'action': 'PERMIT', 'id': '6d0487fa-8e48-4bb4-9589-a47fa6e4ba56', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_chttps', 'action': 'PERMIT', 'id': '64d6bc28-355c-4f0a-af2a-142fd0982a95', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_ahttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': '335f284d-4807-4763-8a89-4d27f4c8a31c', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'fdbaac06-4022-4ba9-8b9f-833448d7b0cd', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_dbconsole', 'action': 'PERMIT', 'id': '01219c5c-c7a3-4053-9cd0-61d773f8ec2b', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_dbconsole', 'action': 'PERMIT', 'id': 'e26504ae-566c-4eeb-976f-46be1f340c45', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '56cf62d0-3441-41c7-97b8-0b93e3a1c0d6', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a091e865-c72c-4cf8-bf9d-ef72d68bc9d9', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a9c35a03-6c38-4814-9809-49e4dbe9fd91', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_http', 'action': 'PERMIT', 'id': '427839ff-7585-4818-8ddd-1191dc173a73', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1a863933-4060-4f9e-b0cc-bcdb8a6b19bd', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_chttps', 'action': 'PERMIT', 'id': '8477401e-b50d-45dd-bfd2-e187d3a15738', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'b4d2be43-b600-4dae-9aaa-ec30fe542e18', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'b27adb24-95ba-4deb-bf92-444a7f7a0397', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'b864fb50-bc67-4d7e-acdf-798f5308e39a', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_chttp', 'action': 'PERMIT', 'id': 'da60a887-e6e5-43f4-aecf-55e2e35bd47c', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_chttps', 'action': 'PERMIT', 'id': '8fba824e-b99e-413f-825c-3286963817d0', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ahttps', 'action': 'PERMIT', 'id': '123cf1b7-5c2d-422c-934c-010709c214c5', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_dbport', 'action': 'PERMIT', 'id': '5c00aa44-7151-42e0-acfd-44afb14fc3a9', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_httpssl', 'action': 'PERMIT', 'id': '569b84d2-e55b-479d-9001-6173d47f38de', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/ora_chttp-jcs/tresources', 'action': 'PERMIT', 'id': '81544963-38d7-42c1-881b-dc0549145178', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_ahttps', 'action': 'PERMIT', 'id': '9ff9bae5-3b8c-4a93-b61e-21f8cc9ef4c2', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'f3fa5796-40f9-41e3-83a4-faa9f516c51d', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3ntagrogr601_SecurityList', 'name': '/Compute-587626604/[email protected]/gc3ntagrogr601_SecurityRule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/gc3ntagrogr601_SecurityRule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '05b091c0-062b-44f2-9f24-b9f8231e69ff', 'description': 'gc3ntagrogr601_SecurityRule' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_dblistener', 'action': 'PERMIT', 'id': '0dad3a4a-adad-4f49-92a9-cdae00aca8d3', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_dbexpress', 'action': 'PERMIT', 'id': '74593d28-1581-4d2e-beec-c45d8e46bf58', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_http', 'action': 'PERMIT', 'id': 'c175519c-91c5-4809-a0d2-57ce8ee6abc0', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/ora_chttp', 'action': 'PERMIT', 'id': 'bd0fc0f9-8786-461b-b0a8-a69d14514c3b', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '65020a49-e695-428b-99cf-583c50da8f1a', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9ccbb8c4-aef9-4ce9-aa11-d2f5d9c3ef86', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_dblistener', 'action': 'PERMIT', 'id': 'f765df78-2db0-44d1-ab8d-5771df5317b5', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_httpssl', 'action': 'PERMIT', 'id': 'ffb5ea45-ebf3-4440-b7b9-334158b99844', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_http-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': 'fdeafbda-2a89-4548-86cc-3654a3b9e671', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/ora_chttps', 'action': 'PERMIT', 'id': '4961d497-9b0b-461c-b8b3-c093d1b70c20', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_dbport', 'action': 'PERMIT', 'id': '34c4173a-6f7c-4630-89d7-0a0818c43f1d', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '50c2e576-0aa3-405f-a11c-eb2935f65b82', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_dblistener', 'action': 'PERMIT', 'id': 'd3b84419-a07e-4870-85e4-5769a51a48fe', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_httpadmin', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_httpadmin', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_httpadmin', 'action': 'PERMIT', 'id': '35edcaa3-5738-4f86-b76c-d380ab0b6468', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_httpssl', 'action': 'PERMIT', 'id': '2e417757-f8e3-4651-bffa-2e0334500440', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_dbexpress', 'action': 'PERMIT', 'id': '61b59f92-a5e3-4568-afa8-432f7a0c57f4', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'fec914c3-e1c3-4549-aec2-c42dd717e45a', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB003/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB003/db_1/ora_http', 'action': 'PERMIT', 'id': 'be0b6731-4dab-4c44-aab0-eac2dacfca65', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/dbaas/GC3NAACNTSB004/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAACNTSB004/db_1/ora_dblistener', 'action': 'PERMIT', 'id': 'a34ba23d-c8d1-4132-ace3-7146888b0c8f', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/paas/JaaS/GC3NAACNTSB005/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAACNTSB005/wls/ora_chttp', 'action': 'PERMIT', 'id': 'ebb19e07-cc6a-4965-885a-fb57cd54d2fa', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_httpadmin', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_p2_httpadmin', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/GC3NAAC-CDMT-DB1/db_1/ora_httpadmin', 'action': 'PERMIT', 'id': 'bd976906-0826-4e21-b30d-1edae554ec7b', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/ora_chttps', 'action': 'PERMIT', 'id': '45ce7491-fc53-4477-9401-c05ed2f6c893', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a4b8e22a-abe5-46d6-b897-272935b2f895', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/ora_chttp', 'action': 'PERMIT', 'id': 'fe7684e4-9c23-427e-910c-c800a3108874', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/GC3NAAC-CDMT-ODI/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/GC3NAAC-CDMT-ODI/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a8f815bd-615f-4b05-8298-61d598e626a5', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3hutil_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3hutil_secrule_02', 'src_list': 'seciplist:/Compute-587626604/[email protected]/gc3hutil_iplist_01', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/gc3hutil_secrule_02', 'disabled': False, 'application': '/Compute-587626604/[email protected]/gc3hutil_rsyslog', 'action': 'PERMIT', 'id': '69329db3-2dcc-4bc2-915f-94ff6347b778', 'description': 'GC3 Hosting Utility Servers' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/tresources', 'action': 'PERMIT', 'id': '22fbbd68-b79c-4a6e-8d6e-24fdc2e44264', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': '2e74d95d-6ae5-4872-9ca4-49b16f682b1e', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': '99dd5599-43ad-4ee6-a453-6f14932a9742', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_dbport-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/tresources', 'action': 'PERMIT', 'id': 'dcc5dba0-7fdb-4358-9dce-9d7e7f7e9e72', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/tresources', 'action': 'PERMIT', 'id': 'fcc8d275-d041-4f01-9a4c-641cf9ae9086', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/tresources', 'action': 'PERMIT', 'id': '96ce4342-7ee9-4f46-a674-dac64a6d3e5c', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/tresources', 'action': 'PERMIT', 'id': 'd945ea2b-dc30-4213-808e-240755dbde87', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '660734e9-0bda-4428-bd32-b406a00bb956', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_dbport-jcs/wls/tresources', 'action': 'PERMIT', 'id': 'dff36792-ce27-42c6-b8c6-332849c3eb6c', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3OSCSA_Seclist', 'name': '/Compute-587626604/[email protected]/secrule_HTTPS_GC3OSCSA', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/secrule_HTTPS_GC3OSCSA', 'disabled': False, 'application': '/oracle/public/https', 'action': 'PERMIT', 'id': '4a2fc532-bb60-48ba-825a-642ac1cecc16', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'e8aef85f-d0a9-448d-b546-1c7b40ff7f33', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/tresources', 'action': 'PERMIT', 'id': 'a12256e5-d43e-42e9-8ef1-a7406f95c4e2', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-ntag-pod1-d01-jcs/wls/ora_chttp-jcs/wls/tresources', 'action': 'PERMIT', 'id': 'a029b6be-c6fb-4b4f-931f-779755d1469a', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3OSCSA_Seclist', 'name': '/Compute-587626604/[email protected]/secrule_SSH_GC3OSCSA', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/seetharaman.nandyal%40oracle.com/secrule_SSH_GC3OSCSA', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '58dceca5-3c83-4b10-ade5-d5128d9c4562', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '4b77dfb2-a29f-40cf-90b5-9e669d479d70', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/tresources', 'action': 'PERMIT', 'id': '39c1058a-39da-4053-bcea-37027ae5e343', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_dbport-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/tresources', 'action': 'PERMIT', 'id': 'f6d8f1f4-34c2-4164-9ded-c1239c35141f', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/tresources', 'action': 'PERMIT', 'id': 'f79c69c6-9ad2-4b62-b7ef-16387bcede8c', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/tresources', 'action': 'PERMIT', 'id': '4a4c0954-7154-4559-8f93-208fb784ecca', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_dbport-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/tresources', 'action': 'PERMIT', 'id': '93ef46ba-47d6-4d37-b7ff-418f06f7d4ee', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'acd7bcf0-5ada-4cbe-ba47-5282de7dfb87', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ef2c6332-3dfe-4299-bd51-dcf0c96a4de9', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/NTAG_POD1', 'name': '/Compute-587626604/[email protected]/emh-home-ip_NTAG_POD1', 'src_list': 'seciplist:/Compute-587626604/[email protected]/emh-home-ip', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/emh-home-ip_NTAG_POD1', 'disabled': False, 'application': '/oracle/public/all', 'action': 'PERMIT', 'id': '7a9ab679-552e-4353-aabc-c75af8274ca0', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '959ce11e-8160-43ce-9dac-af1c3e3f31a9', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': '1347583c-cbd9-4d32-92c3-ac8de39718a7', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_chttps-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/tresources', 'action': 'PERMIT', 'id': 'a11c15b3-54b3-4ff3-bae2-c03abe7dbee6', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1a645af2-2974-43e0-9072-c34faf6e44a2', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': '9e0980f6-af0b-4a70-a71f-d2deb175b2e8', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_httpssl-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '809f8336-02ff-40c4-8c8c-eae0bb020616', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/NTAG_POD', 'name': '/Compute-587626604/[email protected]/NTAG_POD-public-ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/NTAG_POD-public-ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '268fb759-e95b-40b3-9b2b-a06490bc6f2a', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_chttp-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/tresources', 'action': 'PERMIT', 'id': '32f79b8d-b0c4-4206-b40e-7f224ad81eba', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '425cafd4-736c-47b9-bd87-6dce4377c4be', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '3c34a7b4-f7cd-462a-86a9-692edd66f7a0', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3hutil_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3hutil_secrule_01', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/gc3hutil_secrule_01', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '354c2523-e7fe-4b3f-a755-38d0a4c63bfd', 'description': 'GC3 Hosting Utility Servers' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_dbconsole-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '2beb4c7d-826d-42c6-9b32-7feaba3f8124', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '2638c8b7-f865-4985-b618-011c9d4441fc', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '7cc5113f-05cf-41c8-a24b-b9d72671c040', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '8b909af0-34fd-4f0c-afa9-20a360b8b7c0', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '85b5a73c-7258-42a1-ab56-869ba3ba05e4', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_dbexpress-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '74c315df-130d-4d3c-8ba2-c104dbc93644', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ae4a6eb2-c6fc-4c70-8d58-2d171aa36885', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a158359b-7fc6-44a4-b5f3-311d455771fc', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_ahttps-JCS/lb/tresources', 'action': 'PERMIT', 'id': '2b8f5892-a3a8-4a55-996c-2548007d67e8', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_http-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '120b212b-4979-42b1-ad85-d9dd1887dc53', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_dbport-JCS/wls/tresources', 'action': 'PERMIT', 'id': '853be60e-f794-4d10-acdf-a31520cc0780', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2admin_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ahttps-JCS/wls/tresources', 'action': 'PERMIT', 'id': '7fd4343a-a509-4d5e-8de5-c06cbd59c7c8', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/ora_chttps-JCS/tresources', 'action': 'PERMIT', 'id': '299029b4-6916-4c1a-b4f0-c6a878866d02', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0c66d6d9-1a26-4513-b4cd-d8f3d94e01d1', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_p2admin_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/tresources', 'action': 'PERMIT', 'id': '364385db-d8d5-42ad-ab23-30a6cb697262', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_ahttps-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/tresources', 'action': 'PERMIT', 'id': '052a83d0-264a-4fa4-a9b9-c066276c718c', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_chttps-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/tresources', 'action': 'PERMIT', 'id': '8c66afe7-e6d7-4d9b-b617-589cf842f23c', 'description': 'Permit public access to https Application Context port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '2a3cf0b7-2d89-4409-84db-37a82ca9b1f7', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_http-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': '5cfd0ec2-9bc2-4c6f-bf61-73f288e21936', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/tresources', 'action': 'PERMIT', 'id': 'f12ac69f-8f8d-4c52-ad1e-910a462c08e0', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_dbconsole-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': 'c5292c9d-c2b3-4f4e-960e-e1e9a031127a', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/tresources', 'action': 'PERMIT', 'id': '3eae2817-7595-48c0-b7fc-6e0745554f97', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9f3fc3a4-edbb-45af-a5df-2106b2708711', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5a322601-83a2-4a43-b67e-15bd05355c86', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_chttp-JCS/wls/tresources', 'action': 'PERMIT', 'id': '741239d6-cb3e-4516-b270-6759d7785936', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3_naac_soar_seclist_01', 'name': '/Compute-587626604/[email protected]/gc3_naac_soar_secrule_01', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_soar_secrule_01', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '26f52559-aecf-4f3e-87f0-71608331a982', 'description': 'NAAC/SOAR allow SSH' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/tresources', 'action': 'PERMIT', 'id': 'e8258118-3c07-446a-aaf2-5a9bd5025f3d', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '412ebe9d-b7f2-42d2-afde-5e46a9049634', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/NTAG_POD', 'name': '/Compute-587626604/[email protected]/NTAG_POD-public-https', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/NTAG_POD-public-https', 'disabled': False, 'application': '/oracle/public/https', 'action': 'PERMIT', 'id': 'db912f42-8ae4-4831-bb06-97a11717137b', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5d7bfdc2-b70a-461d-b7ae-93918b301246', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '08c94820-ab8c-45e7-8d63-157429591767', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_chttp-JCS/lb/tresources', 'action': 'PERMIT', 'id': '630c63d0-9a89-48b2-8bb7-99eb20895948', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a9274fd1-7df1-47a3-b385-2a6d87e02ea7', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/ora_ggcs2dbrepo_repodbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/ora_ggcs2dbrepo_repodbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/ora_repodbport-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/tresources', 'action': 'PERMIT', 'id': 'be5c42b7-b68b-4bd1-af43-70bf0f597d73', 'description': 'Permit connection to Database Service from GoldenGate Service' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/tresources', 'action': 'PERMIT', 'id': '79471830-c1ef-4851-b5e1-6321dc00fbb1', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_httpssl-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'a3a8cdd4-11dc-45ee-9110-38929b6678f9', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/tresources', 'action': 'PERMIT', 'id': '171b0263-b97a-42c1-b3af-436e35a4ca9f', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_chttps-JCS/lb/tresources', 'action': 'PERMIT', 'id': '56aa9897-24e0-4e06-a51f-502c88faee28', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/tresources', 'action': 'PERMIT', 'id': '8ce4ff0a-8dba-46a2-b89c-4afc3e37d0c5', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/tresources', 'action': 'PERMIT', 'id': 'da3d94ee-bc42-4a0d-8e4c-762216d2d6a4', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'f52b1bb2-9697-455c-9b03-4092b0089dd7', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_dbport-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/tresources', 'action': 'PERMIT', 'id': '99d0c9a9-9857-4aa5-926e-2406000e43bf', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': '97d99997-af2b-4ff7-9a37-dafd99eaa7ca', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/tresources', 'action': 'PERMIT', 'id': 'a03f67a2-0191-4c57-9d47-2e0e7c495725', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_chttps-JCS/wls/tresources', 'action': 'PERMIT', 'id': '5b462183-c484-4312-854c-07b143b02b00', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': 'c10b9d7c-ced7-48cf-9a1c-3b455924ef0e', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': '4f954b2a-182e-4cf3-9d60-1fcdcac2770a', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/tresources', 'action': 'PERMIT', 'id': 'c0c8b495-0ef0-4c3a-83c3-23125290585c', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_dblistener-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': 'bdb54c20-5292-4703-b6d3-9ef17278cf68', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9ec2b3d1-f7a2-4fc3-8fbf-5d0c0a0bfc14', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': 'edaff0dd-6a1b-44b6-8bab-0c0dc41e5f0b', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_dbexpress-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '0e62f784-8628-4789-ac23-002e6f6f7771', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/lb/ora_p2otd_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/tresources', 'action': 'PERMIT', 'id': '91b0ec34-cabd-4afc-9d44-b2730040de12', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': 'c5a5201a-ed91-40f6-a55c-869bd6183378', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': '852e1b2e-02b2-4fbe-b98d-1f7136eb6b13', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'c7db45ec-9699-4dd8-8210-849254fc1a5a', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_httpssl-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': '0fd2f145-c366-426e-8cf8-272d904dbbc7', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'fb4ca61a-6b19-4977-b3fd-26ba4999d3c3', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '055a6e82-57ce-47d3-8983-44c1bd0b2848', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/ora_chttp-JCS/tresources', 'action': 'PERMIT', 'id': 'c9bf82b5-f8c9-4dec-a6ef-3d2aa74aca8c', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'db49238d-8f46-45d1-98c6-1fb918060ac9', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/tresources', 'action': 'PERMIT', 'id': 'bc4e53aa-b9af-4c2f-9888-8ee058f5a1bd', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': 'c54fdd4a-2f5d-4f63-8182-3297438d7dd9', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_http-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '46665562-04fa-4e8b-be03-eeba424a7a55', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1e7b62ea-3995-4fb7-a56c-7a180fdf0132', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/tresources', 'action': 'PERMIT', 'id': 'a1044826-5f2f-4836-80d1-1f319505d55f', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'c41773c9-9fdd-4de4-99da-9f2c37e9162c', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': 'f5b0221e-dc72-4c03-9fd4-d38023973d24', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': '34ca229e-98a4-4647-b5aa-3ba267f8d39d', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ad98c929-d641-4014-898a-cca69520456f', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '2ac82279-b3cb-4370-ad8c-c4343bfa3fc8', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagocsd803/tresources', 'action': 'PERMIT', 'id': 'f9b25c3d-8c31-461d-a21f-f15f97c6490f', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_dbport-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/tresources', 'action': 'PERMIT', 'id': '7fccc884-7f99-43c4-a131-885f5f3a31ea', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': '93935155-1f9c-4ed5-a02e-1e888b8c6cb1', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '6926d49d-6df3-466c-8d76-47bacdd60776', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/tresources', 'action': 'PERMIT', 'id': 'f9dae2f4-dec6-4d15-a9ff-ddc33f7918ba', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagocsd801/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_http-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/tresources', 'action': 'PERMIT', 'id': '928b6606-ce1c-40b3-a490-01f19c2d71e8', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagdevm702/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagdevm702/lb/tresources', 'action': 'PERMIT', 'id': 'ef734c45-8e02-4766-8185-1d1c1901cf71', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/NAAC-CDMT-D03-JCS/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'd450206c-884e-43fd-855b-1bd61c3eb6d2', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_httpssl-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'd1899f1b-ec99-4c3f-8f99-95eb1d9172af', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_dblistener-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': '66aedd05-491d-477e-89ab-7acb7f841719', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '47bc4aff-603a-43d2-8bb8-e4f8ff828760', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_dbexpress-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': '7fa1e2f4-d647-43d8-82fa-62dfa997f271', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagocsd801/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3ntagocsd802/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/ora_dbport-587626604/[email protected]/paas/JaaS/gc3ntagocsd802/wls/tresources', 'action': 'PERMIT', 'id': '21c4b69e-b535-46d8-967b-9dca16975880', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/NAAC-CDMT-D03-DBCS/db_1/ora_dblistener-DBCS/db_1/tresources', 'action': 'PERMIT', 'id': 'd367c2f2-f8ba-4fb1-b7e7-1b199093b1dc', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9c95e65f-abd0-4cf8-997d-fb6db1a82eb1', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/tresources', 'action': 'PERMIT', 'id': '708bd83e-18ff-47f5-a087-46cd74ed6d5e', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagocsd803/tresources', 'action': 'PERMIT', 'id': 'c8dc9a7b-2c85-4481-baea-a08ef0b8c232', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'd1d49d0c-51ab-48cf-8996-c58093c1365a', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagocsd803/lb/tresources', 'action': 'PERMIT', 'id': 'f53d5e2a-8dfa-41c9-b0b1-0dd07f9ddfb5', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/SOA/gc3ntagocsd803/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagocsd803/wls/tresources', 'action': 'PERMIT', 'id': 'b31490ac-8996-4036-8359-4f0417b0d2fe', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/ora_ggcs2dbreporac_repodbportrac', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/ora_ggcs2dbreporac_repodbportrac', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/ora_repodbportrac-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/tresources', 'action': 'PERMIT', 'id': '11c441f6-bd7d-4615-a224-6f33601859e9', 'description': 'Permit connection to Database Service db_listener in case RAC from GoldenGate Service' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/wls/ora_p2admin_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/tresources', 'action': 'PERMIT', 'id': 'dde17d2b-d53f-404c-a7b1-23d0ef8eeff0', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0cc77193-df68-432a-b153-60016be68999', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '8fb83b5a-b1cd-4f92-ad3b-d68d5902f2cb', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d03-soacsdb/db_1/ora_dblistener-soacsdb/db_1/tresources', 'action': 'PERMIT', 'id': '3818842f-37d1-491e-a27a-07032a30a5ba', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '5b466504-c874-4eef-bcb2-5bea27ba01c4', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/torfaly_seclist', 'name': '/Compute-587626604/[email protected]/torfaly_secrule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/tarek.orfaly%40oracle.com/torfaly_secrule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'bd68765b-f085-4b05-854f-342fc7d66eff', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'df5e2e90-7bf2-4c62-b31a-4db2232aabbd', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3NAACCDMT_PSFT', 'name': '/Compute-587626604/[email protected]/emh-home-ip_CDMT', 'src_list': 'seciplist:/Compute-587626604/[email protected]/emh-home-ip', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/emh-home-ip_CDMT', 'disabled': False, 'application': '/oracle/public/all', 'action': 'PERMIT', 'id': '915e048e-5603-45eb-a345-193962fb1be7', 'description': 'Allow traffic to CDMT' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/tresources', 'action': 'PERMIT', 'id': '88d2b383-afa5-452d-af6f-0eff3e60b719', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/SOA/gc3ntagpod1d03soacs/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagpod1d03soacs/tresources', 'action': 'PERMIT', 'id': 'bb24898f-23cc-4e29-aabc-6a366690f929', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d02-dbcs/db_1/ora_dbexpress-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': 'ba960c47-b0d5-4a95-afec-d588ca7909e2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'b15e2f23-02ad-4e7d-bfc7-a414822a106b', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3ntagdevm701/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/ora_http-587626604/[email protected]/dbaas/gc3ntagdevm701/db_1/tresources', 'action': 'PERMIT', 'id': 'ab3951dc-12be-41ce-a797-0818d403e9eb', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_bdc_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/sys_infra2bdc_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/paas/BDCSCE/rdbdcstest/1/bdcsce/sys_infra2bdc_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ad29c2b3-6030-4fdd-8053-c9dafe07cea9', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-ntag-pod1-d01-jcsdb/db_1/ora_dbconsole-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '8c19f196-2bca-46c2-a5fd-e4643743b5b0', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '3c9451c7-ae46-4d1c-acf5-d7de4c241ce7', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '2f182c58-e781-4cb0-980f-a88cf4226f28', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagrogr605/tresources', 'action': 'PERMIT', 'id': '788c6e13-ccfc-4d00-b545-81259146eb94', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/ora_chttps-587626604/[email protected]/paas/SOA/gc3ntagrogr605/tresources', 'action': 'PERMIT', 'id': '5eb114dd-fa83-4545-bc06-e979a2365828', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_ahttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/tresources', 'action': 'PERMIT', 'id': 'b7d3bd53-5d0e-40ba-a363-7670e6963ae7', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': 'cfd3ae74-e171-4886-9e23-144956842d74', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': '702377f7-5b61-42d5-adf0-5fbcfccb978d', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/ora_chttp-587626604/[email protected]/paas/SOA/gc3ntagrogr605/lb/tresources', 'action': 'PERMIT', 'id': '3214d01b-0710-4310-8206-eabb24e32cd2', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': 'a087c5b2-b158-4423-8a09-dea270ba22ba', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'e7324764-fd6a-45a3-b958-a1b81141fa46', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': '34a65910-260f-4c9d-9f0f-eeb1629b30f8', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': 'ecebce7c-733c-4221-8ce4-b412d7703e15', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_nw', 'name': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9edacadf-fdb1-4a7e-af5b-cd28411fa644', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/ossa_seclist', 'name': '/Compute-587626604/[email protected]/ossa_secrule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/tarek.orfaly%40oracle.com/ossa_secrule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'cd2a9d53-0268-42e8-8bdc-5904e6b634e1', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ec027422-4e49-4774-bffd-ef857cad4671', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'dc9c19aa-4765-4eee-95b1-3b1a66c412ba', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/tresources', 'action': 'PERMIT', 'id': 'b0d93e63-6b29-4b2e-aee4-86ff231548a7', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': '148d0f97-18eb-4e69-9054-27adb81f2cf6', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_dbconsole-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '8bf66a9f-8bf3-49a1-9851-f7888ebff785', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a9839b1c-45d9-41d2-8120-8ca855481494', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '4bc9934e-76e5-4927-8ad7-813c58a896c5', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': '6063b0fc-45a9-4d37-abd0-45741cda0870', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_dbport-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/tresources', 'action': 'PERMIT', 'id': '491a9d7f-13c2-4fc3-92b1-9b07e752c74b', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'eb4ae542-0976-400c-b53b-b933d8fed01f', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/ossa_gscc_seclist_01', 'name': '/Compute-587626604/[email protected]/ossa_gscc_SSH', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/ossa_gscc_SSH', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'd87c6567-321b-4bd2-91f6-b7b04b73a869', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/ora_chttps-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/tresources', 'action': 'PERMIT', 'id': '8d6cc030-6e69-4fd2-9b9f-ca0eac2b9014', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_dbport-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/tresources', 'action': 'PERMIT', 'id': '310b9c4c-fd48-4d19-b66b-7f7e5beb96fd', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_chttp-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/tresources', 'action': 'PERMIT', 'id': '59e397f3-0624-48de-bdcd-c6b1dfc45c79', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3ntagdevm705_secList', 'name': '/Compute-587626604/[email protected]/gc3ntagdevm705_secRule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/gc3ntagdevm705_secRule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'b592cba8-78e7-443d-a525-b40b19459cbc', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_httpssl-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '1a3e50f6-e28a-4fea-bb80-57421235ccfc', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '71545d97-259e-460e-881f-54e34bdff7ae', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/tresources', 'action': 'PERMIT', 'id': '4dc74751-03f5-4154-a725-5dfae98bf880', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '17a9dd57-1cc0-45b9-af0b-6c61de4e1555', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/SOA/gc3ntagrogr605/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/ora_ahttps-587626604/[email protected]/paas/SOA/gc3ntagrogr605/wls/tresources', 'action': 'PERMIT', 'id': 'dbf48b96-3ced-4a77-b3db-40b695505f2f', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '08158e25-33fa-4f9a-aa53-df48c75fa8c7', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_master_nw', 'name': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_nginx', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_nginx', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_nginx-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/tresources', 'action': 'PERMIT', 'id': 'c5e54cf2-4d3f-49f9-b375-dda49bdf8198', 'description': 'NGINX Proxy' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'e9695be8-fba7-441d-8c1a-d3bfd3eae6d2', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr603/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/tresources', 'action': 'PERMIT', 'id': '8cb21a18-1697-4b9b-860d-8569c4959ef8', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/siva.subramani%40oracle.com/dbaas/gc3ntagrogr602/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3ntagrogr602/db_1/tresources', 'action': 'PERMIT', 'id': 'fb2e5f0e-8b7c-46fd-9f96-26d8f7c2cc55', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_dbexpress-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '7f0146ab-8315-4e62-b2e7-54033da62eab', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3ntagrogr603/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'dcb5768b-acd7-43b4-824d-80a4071456d1', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/ora_ahttps-587626604/[email protected]/paas/APICS/gc3ntagrogr606/wls/tresources', 'action': 'PERMIT', 'id': 'b861c9ad-f85b-4b2b-aa80-0bd83ada363c', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/JaaS/gc3ntagrogr604/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3ntagrogr604/lb/tresources', 'action': 'PERMIT', 'id': 'a5a0dd17-f8fe-4bdf-a3df-a9f8433badb5', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/paas/APICS/gc3ntagrogr606/lb/ora_p2otd_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/ora_chttp-587626604/[email protected]/paas/APICS/gc3ntagrogr606/lb/tresources', 'action': 'PERMIT', 'id': '3b6f9154-3301-4488-a6d0-fb17b7b42fd5', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'a5def31a-f6f1-45cd-ae6f-4aa24b3e9838', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '97349e7f-85db-437f-b913-9b9f8650f697', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_dbconsole-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '0261ea8f-5da9-4cc4-845c-b5b311965f68', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3ntagdevm706_secList', 'name': '/Compute-587626604/[email protected]/gc3ntagdevm706_secRule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/gc3ntagdevm706_secRule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'c62607e9-2cde-4500-b8b7-c18dcd68a88f', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_httpssl-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': 'ba4974be-01aa-46e3-bf32-c2d5cda9a105', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_http-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'fa515e4d-21ae-4362-ba8a-ddb858a862d9', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '6ff2cd6a-b885-403d-b5cc-2ad330ca6154', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_httpssl-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '5d787c13-b6c5-4eb8-b739-b70efc178906', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_http-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '651bdc1a-3a97-4519-bb61-d0bb7422fde3', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3NAACCDMT_PSFT', 'name': '/Compute-587626604/[email protected]/gc3_naac_cdmt_secrule_05', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_cdmt_secrule_05', 'disabled': False, 'application': '/Compute-587626604/[email protected]/openvpn-udp-1194', 'action': 'PERMIT', 'id': '62d28da9-9bf0-4170-a3d8-00f015014ef1', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '0b46b304-2bc0-4231-a85d-ecf18f677b03', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_http-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '775f87b5-d283-4d70-857b-51bce7d2ebf6', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '61a26038-24a5-44e8-b50d-16f08014633c', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_gg_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/sys_infra2gg_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/GGCSRep/sys_infra2gg_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9b0219c2-de2d-44ff-891e-fe3028980bdb', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '392b0ed0-ef78-495a-985a-7039d8b5112d', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': '6c113314-9655-40f3-b16f-0e04b5353679', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/gc3ntagdevm708_secList', 'name': '/Compute-587626604/[email protected]/gc3ntagdevm708_secRule', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/mayurnath.gokare%40oracle.com/gc3ntagdevm708_secRule', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'e4f7c028-b315-4ecf-9541-07bf445a234e', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1dd91dfa-09dd-468c-bf86-60c037027245', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_dbport-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/tresources', 'action': 'PERMIT', 'id': 'c1b17271-a261-4ee6-b745-4a22b622c972', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_chttp-jcs/wls/tresources', 'action': 'PERMIT', 'id': 'de76b81f-451a-43ef-abcd-eb725dfed3dd', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_chttp-jcs/tresources', 'action': 'PERMIT', 'id': '3f276264-9594-4b48-a808-f051178381fb', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_dbport-jcs/wls/tresources', 'action': 'PERMIT', 'id': '90424ef9-4766-4616-8024-c4a8a9a23ad1', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '52818fff-3a4d-481b-8bf0-179a24ad74c3', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_chttp-jcs/wls/tresources', 'action': 'PERMIT', 'id': '54b17ade-2748-457c-8b44-a4e2fefe0423', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_chttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': '21918d4d-c4b9-48b0-b456-90fdac6a385f', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_wls2db_dbport', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_wls2db_dbport', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_dbport-jcs/wls/tresources', 'action': 'PERMIT', 'id': 'b5a170e9-ed03-4b91-93c2-c9a584cfc19e', 'description': 'Permit connection to Database Service from WLS' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_dbexpress-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '6aa632f8-560a-4ba6-8516-3e50fb5a289b', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '48628194-9a29-487f-ab3c-0ce6235514bc', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_master_nw', 'name': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_ambari', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_p2bdcsce_ambari', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_ambari-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/tresources', 'action': 'PERMIT', 'id': '70ad744f-2b4a-4577-87b4-a698dff2f18d', 'description': 'Ambari REST' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '1999e85d-37fb-4ee6-835b-7c3f7e07beeb', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0f541a5b-16ca-4b67-aefa-7f14769e0be6', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '69880c7a-98ee-4729-af50-5ee1a65fcdc5', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_chttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': 'e6cb7ec8-1e6f-4c6f-81e2-782a4a589f41', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/ossa_gscc_seclist_01', 'name': '/Compute-587626604/[email protected]/ossa_gscc_HTTPS', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/ossa_gscc_HTTPS', 'disabled': False, 'application': '/oracle/public/https', 'action': 'PERMIT', 'id': 'b0b9a844-4586-4c59-b5ee-c86ce2d102b4', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_chttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': '6fba6324-aa5a-4fac-a5b0-6f954b0cbaa4', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '4be57feb-a626-4a5d-832a-7a1bb25244af', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_chttp-jcs/tresources', 'action': 'PERMIT', 'id': 'd88cc64c-9c21-475f-bb12-a5af2b82b666', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '12e9d94d-e4c0-4409-9d70-b6e98542bf6f', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '60ccd29b-8be6-4087-8af4-61e2da8467c5', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': 'a36e7df4-0c0e-413b-a38a-c7e1276d86db', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/GC3NAACCDMT_PSFT', 'name': '/Compute-587626604/[email protected]/gc3_naac_cdmt_secrule_06', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/gc3_naac_cdmt_secrule_06', 'disabled': False, 'application': '/Compute-587626604/[email protected]/https-943', 'action': 'PERMIT', 'id': '3154a7d3-2b44-4351-998e-0cc430a4dcbf', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/ora_chttp-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/tresources', 'action': 'PERMIT', 'id': '43b5ae9c-004e-42a3-b62a-f4f9141418c4', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_http-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': 'f759a8a4-e90e-46fa-8f4a-97f52c6494b2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/ora_chttps-jcs/tresources', 'action': 'PERMIT', 'id': 'e4cc6a49-0bf6-404d-a2bd-1c3ab2335289', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9b7940b2-1d92-4706-a11e-7ccb1fda5be0', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_dbexpress-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': '160010c5-dd1e-4f2e-88d0-1698da938462', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ad2d1646-a7a0-4154-8e4b-100810dd523d', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_p2ms_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_p2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_chttps-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/tresources', 'action': 'PERMIT', 'id': 'ff48355e-417d-4b5e-8521-e319031728de', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'dd58e5a6-d37c-4cef-bdee-68984569613f', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dbexpress', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dbexpress', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_dbexpress-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '53bed8ad-0df6-4ebc-aa01-c43820868d47', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'ef776742-95b1-44c7-923b-03056f564348', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_chttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': 'd2bb5373-8131-4616-a734-4f0a8e27bf57', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ahttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': '1449dfef-aee9-41d4-9ff1-570e1f541765', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '5a997922-a2de-493d-a9e5-6ed07880e65f', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'b36acc99-531a-4a92-a23e-e096cf6c6f23', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_GGCSRepSecList', 'name': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_bhttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_permit_ggcsrep_bhttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/ora_bhttps-587626604/[email protected]/paas/ggcs/gc3gc3hsamp504/GGCSRep/tresources', 'action': 'PERMIT', 'id': '8e1a58ed-43e3-4636-905d-c165772395f6', 'description': 'Permit public access to https Application Context port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/tresources', 'action': 'PERMIT', 'id': 'c7f6f431-d61e-4f25-aacd-c7f2ddeaec4a', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d05-dbcs/db_1/ora_dbconsole-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '6febbd2a-f6a0-4d9f-904d-5289f956a629', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_p2otd_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_ahttps-jcs/lb/tresources', 'action': 'PERMIT', 'id': 'e2e8d11b-df8b-4c4f-8295-bc64cc3b6cba', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'be941961-9ee3-4295-a19f-0ec105ad4c58', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '4975feab-51fe-408d-84a3-09406e19ce00', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '92585996-1d61-43b0-afa8-38ee1b2473f8', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_httpssl', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_httpssl-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '6bc4f45f-015b-4f33-b21a-08659378f1e2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-soar-d02-dbcs/db_1/ora_dblistener-dbcs/db_1/tresources', 'action': 'PERMIT', 'id': '7ef4b1fe-0263-4f9c-bf5f-e309570df9cc', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_dbconsole-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'e10807a2-bace-4a83-b0f5-0e57def86d9d', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_chttps-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/tresources', 'action': 'PERMIT', 'id': 'ef4a059e-54a9-4ef6-89cf-87127938da07', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'e0ac04f0-3faf-43f7-88af-07b935408000', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': '7cabe311-805b-483f-a5ef-e5f07d114274', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_chttps-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/tresources', 'action': 'PERMIT', 'id': 'a51a4372-a3b1-41a4-afb2-b92999275026', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '25cfe5c2-9f86-4a40-9834-cc95e1e9d95e', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_wls_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/sys_infra2wls_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/sys_infra2wls_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '42c3ca42-5e0b-46b1-bf14-879b21fd0603', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_chttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/lb/ora_p2otd_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_chttps-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/tresources', 'action': 'PERMIT', 'id': '3b4f1474-c669-42c9-8a5a-f3c1b351fa73', 'description': 'Permit public access to https content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_http', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_http', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_http-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': '2cec4212-940e-4a6f-aecb-aa7bd2616fff', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ahttps-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/tresources', 'action': 'PERMIT', 'id': '595038ee-357f-47d5-83ce-b056cde495a9', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': 'f7c9d7f7-c248-46b5-84b5-f1e1bef072ac', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_dbconsole', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_dbconsole', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_dbconsole-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': 'ba2ceff4-bdf8-4564-aea8-a036a14d6494', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2admin_ahttps', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_p2admin_ahttps', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ahttps-jcs/wls/tresources', 'action': 'PERMIT', 'id': '687d52fe-5682-4615-894d-407c4d9f9535', 'description': 'Permit public access to https administration port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/ora_chttps-jcs/tresources', 'action': 'PERMIT', 'id': 'eb7df455-ac1f-40ee-95bc-334e7a8e0632', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_sys_ms2db_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_sys_ms2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '0f7d24d1-1d6c-4c65-aba4-ac93b51af1a1', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '6baf64a9-6ef8-45d5-8fc8-6cd4517d95cc', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_p2_httpssl', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/dbaas/gc3emeaapcr051/db_1/ora_p2_httpssl', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/ora_httpssl-587626604/[email protected]/dbaas/gc3emeaapcr051/db_1/tresources', 'action': 'PERMIT', 'id': '65e987f0-6773-42ee-9aef-8323f99192b2', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/ora_chttps-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/tresources', 'action': 'PERMIT', 'id': 'd65b2c7a-da93-49e4-96b3-d386d9e6c5d7', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dblistener', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_p2_dblistener', 'disabled': True, 'application': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_dblistener-jcsdb/db_1/tresources', 'action': 'PERMIT', 'id': 'd7518908-8160-4b6a-aacd-68c575dda830', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '8d19c4fb-f920-4701-8d9a-d736b5c2189d', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/dhiru.vallabhbhai%40oracle.com/paas/JaaS/gc3emeaapcr052/wls/ora_p2ms_chttp', 'disabled': True, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/ora_chttp-587626604/[email protected]/paas/JaaS/gc3emeaapcr052/wls/tresources', 'action': 'PERMIT', 'id': '7e6353f9-b375-4111-bef0-57e20369b77e', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/lb/ora_p2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '9095f81c-b9a0-4e5f-9055-7b050f3bfea6', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/sys_infra2db_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d05-jcsdb/db_1/sys_infra2db_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '212d5f22-a7b3-4767-b79d-b04a70b7aaff', 'description': 'DO NOT MODIFY: Permit PSM to ssh to database' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_admin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_p2admin_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_p2admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1ae6002a-e022-49dd-97f1-6844b652546b', 'description': 'Permit ssh access to nodes' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d05-jcs/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d05-jcs/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '4ce42a31-4d18-49c6-8d5e-1218386ad000', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/dbaas/gc3-naac-cdmt-d04-jcsdb/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '7d824c81-b981-49cc-bcf7-c557c24fd0ca', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/sys_infra2otd_admin_ssh', 'src_list': 'seciplist:/oracle/public/paas-infra', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/eric.harris%40oracle.com/paas/JaaS/gc3-naac-cdmt-d04-jcs/lb/sys_infra2otd_admin_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '332c5d52-226f-48cc-9a32-f1d57398946a', 'description': 'DO NOT MODIFY: Permit PSM to ssh to admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_master_nw', 'name': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_trusted_hosts_bdcsce', 'src_list': 'seciplist:/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_trusted_hosts_bdcsce', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/ramesh.dadhania%40oracle.com/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_trusted_hosts_bdcsce', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/ora_hosts_bdcsce-587626604/[email protected]/paas/BDCSCE/rdbdcstest/1/bdcsce/tresources', 'action': 'PERMIT', 'id': 'bbcc7d93-bb65-4b2b-81bd-9daef56b6ceb', 'description': 'DO NOT MODIFY: Permit specific IPs to access BDC port ' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/ora_chttps-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/tresources', 'action': 'PERMIT', 'id': '14a23fe1-271f-4557-b218-3b3a7d96eb96', 'description': 'Permit https connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/ora_chttp-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/tresources', 'action': 'PERMIT', 'id': 'ceb2a493-1e23-442c-a30d-8d60c1aae9cc', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_p2ms_chttp', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/wls/ora_p2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_chttp-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/tresources', 'action': 'PERMIT', 'id': 'f65e607d-7331-4b61-b129-d665e072bbc8', 'description': 'Permit public access to http content port' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_p2_ssh', 'src_list': 'seciplist:/oracle/public/public-internet', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_p2_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '1e1534ca-f68b-41da-a584-204ba7c68869', 'description': '' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/lb/ora_otd_infraadmin', 'name': '/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/sys_wls2otd_ssh', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/JaaS/gc3gc3hsamp502/wls/ora_wls_infraadmin', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/JaaS/gc3gc3hsamp502/sys_wls2otd_ssh', 'disabled': False, 'application': '/oracle/public/ssh', 'action': 'PERMIT', 'id': '59b40f59-938a-443c-bce9-463b114ee176', 'description': 'DO NOT MODIFY: Permit WLS admin host to ssh to OTD admin host' }, { 'dst_is_ip': 'false', 'src_is_ip': 'true', 'dst_list': 'seclist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_db', 'name': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_trusted_hosts_dblistener', 'src_list': 'seciplist:/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_trusted_hosts_dblistener', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/dbaas/gc3gc3hsamp501/db_1/ora_trusted_hosts_dblistener', 'disabled': False, 'application': '/Compute-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/ora_dblistener-587626604/[email protected]/dbaas/gc3gc3hsamp501/db_1/tresources', 'action': 'PERMIT', 'id': '07eca2ed-0822-49cf-aff1-4411c79336b8', 'description': 'DO NOT MODIFY: A secrule to allow specific IPs to connect to this db' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/ora_otd2ms_chttp', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/ora_otd2ms_chttp', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/ora_chttp-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/tresources', 'action': 'PERMIT', 'id': 'f9d125ab-88b7-446a-bc29-b7625925e9e4', 'description': 'Permit http connection to managed servers from OTD' }, { 'dst_is_ip': 'false', 'src_is_ip': 'false', 'dst_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/wls/ora_ms', 'name': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/ora_otd2ms_chttps', 'src_list': 'seclist:/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/lb/ora_otd', 'uri': 'https://compute.uscom-central-1.oraclecloud.com/secrule/Compute-587626604/manjunath.udupa%40oracle.com/paas/SOA/gc3gc3hsamp503/ora_otd2ms_chttps', 'disabled': False, 'application': '/Compute-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/ora_chttps-587626604/[email protected]/paas/SOA/gc3gc3hsamp503/tresources', 'action': 'PERMIT', 'id': '80f023f5-6aab-4863-9aa3-c45bb2f6d7ec', 'description': 'Permit https connection to managed servers from OTD' }] }
# SPDX-License-Identifier: MIT # Copyright (c) 2020 Akumatic # #https://adventofcode.com/2020/day/13 def readFile() -> tuple: with open(f"{__file__.rstrip('code.py')}input.txt", "r") as f: timestamp = int(f.readline().strip()) values = f.readline().strip().split(",") bus_ids = [{"value": int(values[i]), "index": i} for i in range(len(values)) if values[i] != "x"] return timestamp, bus_ids def part1(timestamp: int, bus_ids: list) -> int: min = timestamp min_id = None for bus in bus_ids: waiting_time = bus["value"] - (timestamp % bus["value"]) if waiting_time < min: min = waiting_time min_id = bus["value"] return min * min_id def part2(bus_ids: list) -> int: time, step = 1, 1 for bus in bus_ids: while (time + bus["index"]) % bus["value"] != 0: time += step step *= bus["value"] return time if __name__ == "__main__": input = readFile() print(f"Part 1: {part1(*input)}") print(f"Part 2: {part2(input[1])}")
class File: def __init__(self, code: str, name: str, ast): self.lines = code.splitlines() self.name = name self.ast = ast def line(self, number): return self.lines[number]
""" Pharos.Model.laser._skeleton.py ================================== .. note:: **IMPORTANT** Whatever new function is implemented in a specific model, it should be first declared in the laserBase class. In this way the other models will have access to the method and the program will keep running (perhaps with non intended behavior though). .. sectionauthor:: Aquiles Carattino <[email protected]> """ class LaserBase(): # Trigger modes TRIG_NO = 0 TRIG_EXTERNAL = 1 TRIG_SOFTWARE = 2 TRIG_OUTPUT = 3 # Scan modes MODE_SINGLE = 1 MODE_TWO_WAY = 2 MODE_STEP_SINGLE = 3 MODE_STEP_TWO_WAY = 4 # Parameters (wavelength or frequency) PARAM_WAVELENGTH = 1 PARAM_FREQUENCY = 2 def __init__(self): self.trig_mode = self.TRIG_NO # Means the trigger was not set. def wavelength_scan_setup(self, start, end, steps, time, trigger, mode): pass def frequency_scan_setup(self, start, end, steps, time, trigger, mode): pass def trigger_scan(self): pass def is_running(self): pass def stop_scan(self): pass
#!/usr/bin/env python3 def validate_iso8601(ts): """Check validity of a timestamp in ISO 8601 format.""" digits = [0, 1, 2, 3, 5, 6, 8, 9, 11, 12, 14, 15, 17, 18, 20, 21, 22] try: assert len(ts) == 24 assert all([ts[i].isdigit() for i in digits]) assert int(ts[5:7]) <= 12 assert int(ts[8:10]) < 32 assert int(ts[11:13]) < 24 assert all([i < 60 for i in [int(ts[14: 16]), int(ts[17: 19])]]) assert all([ts[i] == '-' for i in [4, 7]]) assert all([ts[i] == ':' for i in [13, 16]]) assert ts[19] == '.' assert ts[10].lower() == 't' assert ts[23].lower() == 'z' return True except AssertionError: pass return False
class LogicStringUtil: @staticmethod def getBytes(string): return string.encode() @staticmethod def getByteLength(string): return len(string)
# MIT License # # Copyright (c) 2017 Changsung # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. class BaseStrategy: ''' class for strategy. write an algorithm in this class''' __signals = {} def __init__(self): pass def addSignals(self, key, signal): self.__signals[key] = signal signal.setStrategy(self) def getSignal(self, key): return self.__signals[key].getSignal() def handleData(self): raise NotImplementedError() def setAlphaman(self, alphaman): self.__alphaman = alphaman def buy(self, instrument, volume, limit_price=None, stop_price=None, days=None): self.__alphaman.buy(instrument, volume, limit_price, stop_price, days) def sell(self, instrument, volume, limit_price=None, stop_price=None, days=None): self.__alphaman.sell(instrument, volume, limit_price, stop_price, days) def orderTarget(self, instrument, percentage, limit_price=None, stop_price=None, days=None): self.__alphaman.orderTarget(instrument, percentage, limit_price, stop_price, days) def getSchedules(self): return self.__alphaman.getSchedules() def getFeed(self): return self.__alphaman.getFeed() def get(self, instrument, key, date_idx): # assert to only access to previous data feed = self.getFeed() if isinstance(date_idx, int): assert(date_idx <= 0) today_idx = self.__alphaman.getTodayIdx() + date_idx if today_idx < 0: today_idx = 0 try: return feed.getDailyInstrumentData(today_idx, instrument).getBarData(key) except KeyError: return feed.getDailyInstrumentData(today_idx, instrument).getExtraData(key) elif isinstance(date_idx, list): assert(date_idx[-1] <= 0) today_idx_list = map(lambda x: x+self.__alphaman.getTodayIdx(), date_idx) #today_idx_list = list(set(today_idx_list)).sort() data_list = [] for today_idx in today_idx_list: if today_idx < 0: continue try: data_list.append(feed.getDailyInstrumentData(today_idx, instrument).getBarData(key)) except KeyError: data_list.append(feed.getDailyInstrumentData(today_idx, instrument).getExtraData(key)) return data_list else: raise Exception('date_idx must be int or list of int')
_a = request.application response.logo = A(B('KVASIR'), _class="brand") response.title = settings.title response.subtitle = settings.subtitle response.meta.author = '%s <%s>' % (settings.author, settings.author_email) response.meta.keywords = settings.keywords response.meta.description = settings.description response.menu = [ (T('Home'), False, URL(_a,'default','index'), []), # (A(I(_class='icon-home icon-white'), T('Home'), _href=URL('default', 'index')), False, []), (T('All Hosts'), False, URL(_a,'hosts','list'), []), # (A(I(_class='icon-th-list icon-white'), T('All Hosts'), _href=URL('hosts', 'list')), False, []), (T('Host Data'), False, '', [ (T('Add Host'), False, URL(_a,'hosts','add'), []), (T('Services'), False, '', [ (T('List All'), False, URL(_a,'services','list'), []), #(T('All w/ Vulns'), False, URL(_a,'vulns','service_vulns_list'), []), # TODO: service_vulns_list (T('IPs w/ Port'), False, URL(_a,'services','hosts_with_port'), []), (T('Add'), False, URL(_a,'services','add'), []), ]), (T('Accounts'), False, '', [ (T('List'), False, URL(_a,'accounts', 'list'), []), (T('Add'), False, URL(_a,'accounts', 'add'), []), (T('Import File'), False, URL(_a,'accounts', 'import_file'), []), (T('Mass Import'), False, URL(_a,'accounts', 'import_mass_password'), []), (T('Process crack file'), False, URL(_a,'accounts', 'update_hashes_by_file'), []), (T('Process john.pot'), False, URL(_a,'accounts', 'check_john_pot'), []), ]), (T('NetBIOS'), False, '', [ (T('Domain Details'), False, URL(_a,'netbios','domain_detail'), []), (T('List'), False, URL(_a,'netbios','index'), []), (T('Add'), False, URL(_a,'netbios','add'), []), ]), (T('OS'), False, '', [ (T('List'), False, URL(_a,'os','list'), []), (T('Add '), False, URL(_a,'os','add'), []), (T('List OS Refs'), False, URL(_a,'os','refs_list'), []), (T('Add OS Ref'), False, URL(_a,'os','refs_add'), []), ]), (T('Other'), False, '', [ (T('List Evidence'), False, URL(_a,'evidence','list'), []), (T('List Notes'), False, URL(_a,'notes','list'), []), (T('List SNMP'), False, URL(_a,'snmp','list'), []), (T('List Tool Output'), False, URL(_a,'tooloutput','list'), []), (T('CSV Hostname Update'), False, URL(_a,'hosts','csv_hostupdate'), []), ]), ]), (T('Tasks'), False, URL(_a,'tasks','index'), []), (T('Metasploit'), False, '', [ (T('Mass Jobs'), False, '', [ (T('Bruteforce'), False, URL(_a, 'metasploit', 'bruteforce'), []), (T('Exploit'), False, URL(_a, 'metasploit', 'exploit'), []), ]), (T('Imports'), False, '', [ (T('PWDUMP Files'), False, URL(_a, 'metasploit', 'import_pwdump'), []), (T('Screenshots'), False, URL(_a, 'metasploit', 'import_screenshots'), []), (T('Report XML'), False, URL(_a, 'metasploit', 'import_report_xml'), []), ]), (T('Send Accounts'), False, URL(_a, 'metasploit', 'send_accounts'), []), (T('Send Scan XML Files'), False, URL(_a, 'metasploit', 'send_scanxml'), []), (T('API Settings'), False, URL(_a, 'metasploit', 'api_settings'), []), #(T('Tasks'), False, URL(_a, 'metasploit', 'task_list'), []), ]), (T('Other'), False, '', [ (T('Browse Data Directory'), False, URL(_a, 'default', 'data_dir'), []), (T('Customer XML'),URL(_a,'report','customer_xml.xml')==URL(),URL(_a,'report','customer_xml.xml'),[]), (T('Stats XLS'),URL(_a,'report','spreadsheet')==URL(),URL(_a,'report','spreadsheet'),[]), (T('Wiki'),URL(_a,'default','wiki')==URL(),URL(_a,'default','wiki'),[]), (T('Update DB Fields'),URL(_a,'default','update_dynamic_fields')==URL(),URL(_a,'default','update_dynamic_fields'),[]), (T('IP Calculator'), False, URL(_a, 'default', 'ip_calc'), []), (T('Exploit Database (local)'), False, URL(_a, 'exploitdb', 'index'), []), (T('PwnWiki'), False, URL(_a, 'default', 'redirect', vars={'url':settings.pwnwiki_path, 'pwnwiki': True}), []), ]), (T('Statistics'), False, '', [ (T('Vulnlist'), False, URL(_a,'stats','vulnlist'), []), (T('Passwords'), False, URL(_a,'stats','passwords'), []), (T('OS'), False, URL(_a,'stats','os'), []), (T('Services'), False, URL(_a,'stats','services'), []), (T('VulnCircles'), False, URL(_a,'stats','vulncircles'), []), ]), (T('Import'), False ,'', [ (T('Nexpose XML'), False, URL(_a,'nexpose','import_xml_scan'), []), (T('Nmap XML'), False, URL(_a,'nmap','import_xml_scan'), []), (T('Nmap Scan and Import'), False, URL(_a,'nmap','nmap_scan'), []), (T('Nessus Scanfile'), False, URL(_a,'nessus','import_scan'), []), (T('hping File'), False, URL(_a,'hping','import_scan'), []), (T('Metasploit XML'), False, URL(_a, 'metasploit', 'import_report_xml'), []), (T('ShodanHQ'), False, URL(_a, 'shodanhq', 'import_report'), []), ]), (T('Administration'), False, '', [ (T('Nexpose'), False, '', [ (T('Install/Update VulnData'),URL(_a,'nexpose','vuln_update')==URL(),URL(_a,'nexpose','vuln_update'),[]), #(T('Import Scan Template '),URL(_a,'nexpose','scan_template')==URL(),URL(_a,'nexpose','scan_template'),[]), (T('Import VulnID'), False, URL(_a, 'nexpose', 'import_vulnid'), []), (T('Import Exploit XML'),URL(_a,'exploits','import_nexpose_xml')==URL(),URL(_a,'exploits','import_nexpose_xml'),[]), (T('Purge Nexpose Data'),URL(_a,'nexpose','purge')==URL(),URL(_a,'nexpose','purge'),[]), ]), (T('VulnDB'), False, '', [ (T('Vulnerabilities'), False, URL(_a,'vulns','vulndata_list'),[]), (T('Add Vulnerability'), False, URL(_a,'vulns','vulndata_add'),[]), (T('References'), False, URL(_a,'vulns','vuln_refs'),[]), (T('Vuln->Reference Links'), False, URL(_a,'vulns','vuln_references_list'),[]), (T('Exploits'), False, URL(_a,'exploits','list'),[]), (T('Connect Vulns/Exploits'), False, URL(_a,'exploits','connect_exploits'), []), (T('Import Nexpose Exploits'), False, URL(_a,'exploits','import_nexpose_xml'),[]), (T('Import CANVAS Exploits'), False, URL(_a,'exploits','import_canvas_xml'),[]), ]), (T('CPE Database'), False, '', [ (T('Import CPE Data'), False, URL(_a,'cpe','import_cpe_xml'), []), (T('List OS DB'), False, URL(_a,'cpe','os_list'), []), (T('Add OS'), False, URL(_a,'cpe','os_add'), []), #(T('List Application DB'), False, URL(_a,'cpe','apps_list'), []), #(T('Add Application'), False, URL(_a,'cpe','apps_add'), []), #(T('List Hardware DB'), False, URL(_a,'cpe','hardware_list'), []), #(T('Add Hardware'), False, URL(_a,'cpe','hardware_add'), []), (T('Purge CPE DB'), False, URL(_a,'cpe','purge'), []), ]), (T('Last Resort'), False, '', [ (T('CSV Backup'), False, URL(_a,'default','database_backup'),[]), (T('CSV Restore'), False, URL(_a,'default','database_restore'),[]), (T('Purge Data'), URL(_a,'default','purge_data')==URL(),URL(_a,'default','purge_data'),[]), ]), ]), ]
# -*- coding: utf_8 -*- __author__ = 'Yagg' class Bombing: def __init__(self, attackerName, defenderName, planetNum, planetName, population, industry, production, capitals, materials, colonists, attackStrength, status): self.attackerName = attackerName self.defenderName = defenderName self.planetNum = planetNum self.planetName = planetName self.population = population self.industry = industry self.capitals = capitals self.materials = materials self.colonists = colonists self.attackStrength = attackStrength self.status = status self.production = production
def is_cpf(cpf): # Obtém apenas os números do CPF, ignorando pontuações numbers = [int(digit) for digit in cpf if digit.isdigit()] # Verifica se o CPF possui 11 números: if len(numbers) != 11: return False # Verifica se todos os números são repetidos if len(list(dict.fromkeys(numbers))) == 1: return False # Validação do primeiro dígito verificador: sum_of_products = sum(a * b for a, b in zip(numbers[0:9], range(10, 1, -1))) expected_digit = (sum_of_products * 10 % 11) % 10 if numbers[9] != expected_digit: return False # Validação do segundo dígito verificador: sum_of_products = sum(a * b for a, b in zip(numbers[0:10], range(11, 1, -1))) expected_digit = (sum_of_products * 10 % 11) % 10 if numbers[10] != expected_digit: return False return True
def gcd(a, b): if b == 0: return a return gcd(b, a%b) for _ in range(int(input())): a, b = map(int, input().split()) print(gcd(a, b))