content
stringlengths 7
1.05M
|
|---|
n = int(input())
count = 0
for i in range(n):
one_word = list(input())
count_arr = [0 for _ in range(26)]
pre = ""
for c in one_word:
idx = ord(c) - 97
cur = c
if (count_arr[idx] == 0) or (pre == cur):
count_arr[idx] += 1
pre = c
if sum(count_arr) == len(one_word):
count += 1
print(count)
|
p=21888242871839275222246405745257275088696311157297823662689037894645226208583
print("over 253 bit")
for i in range (10):
print(i, (p * i) >> 253)
def maxarg(x):
return x // p
print("maxarg")
for i in range(16):
print(i, maxarg(i << 253))
x=0x2c130429c1d4802eb8703197d038ebd5109f96aee333bd027963094f5bb33ad
y = x * 9
print(hex(y))
|
num1 = num2 = res = 0
def cn():
global canal
canal = "CBF cursos"
cn() # Função deve ser chamada pois é apartir dela que variável canal surgiu.
# Variável canal é chamada, expressando no console o valor que recebeu.
print(canal)
|
"""
Configuration for development - change these with caution!
"""
REGION_DIMS = (512, 512)
DEFAULT_FILTRATION_STATUS = None
DEFAULT_FILTRATION_CACHE_FILEPATH = "filtration_cache.h5"
DEFULAT_FILTRATION_CACHE_TITLE = "filtration_cache"
DATASET_FILTRATION_PREPROCESSING_MULTIPROCESSING = False
FILTRATION_CACHE_APPLY_FILTRATION_MULTIPROCESSING = True
|
# This problem was recently asked by AirBNB:
# You are given a singly linked list and an integer k. Return the linked list, removing the k-th last element from the list.
# Try to do it in a single pass and using constant space.
class Node:
def __init__(self, val, next=None):
self.val = val
self.next = next
def __str__(self):
current_node = self
result = []
while current_node:
result.append(current_node.val)
current_node = current_node.next
return str(result)
def remove_kth_from_linked_list(head, k):
# Fill this in
i = 1
res = []
n = head
while n and n.next:
if i >= k:
res.append(n.next.val)
else:
res.append(n.val)
i += 1
n = n.next
return res
head = Node(1, Node(2, Node(3, Node(4, Node(5)))))
print(head)
# [1, 2, 3, 4, 5]
head = remove_kth_from_linked_list(head, 3)
print(head)
# [1, 2, 4, 5]
|
a=int(input())
if(a%2==0):
if(a>=2 and a<5):
print ("Not Weird")
elif(a<=20):
print("Weird")
else:
print("Not Weird")
else:
print("Weird")
|
# test builtin object()
# creation
object()
# printing
print(repr(object())[:7])
|
class Solution:
def findSpecialInteger(self, arr: List[int]) -> int:
n = len(arr) // 4
c = 0
prev = -1
for e in arr:
if e == prev:
c += 1
else:
c = 1
prev = e
if c > n:
return e
|
#
# Copyright 2010 British Broadcasting Corporation and Kamaelia Contributors(1)
#
# (1) Kamaelia Contributors are listed in the AUTHORS file and at
# http://www.kamaelia.org/AUTHORS - please extend this file,
# not this notice.
#
# 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.
# -------------------------------------------------------------------------
"""\
===============
Axon Exceptions
===============
AxonException is the base class for all axon exceptions defined here.
"""
class AxonException(Exception):
"""\
Base class for axon exceptions.
Any arguments listed are placed in self.args
"""
def __init__(self, *args):
self.args = args
class normalShutdown(AxonException):
# NOT SURE OF MEANING
# NOT USED IN AXON
# NOT USED IN KAMAELIA
# NOT USED IN SKETCHES
pass
class invalidComponentInterface(AxonException):
"""\
Component does not have the required inboxes/outboxes.
Arguments:
- *"inboxes"* or *"outboxes"* - indicating which is at fault
- the component in question
- (inboxes,outboxes) listing the expected interface
Possible causes:
- Axon.util.testInterface() called with wrong interface/component specified?
"""
pass
class noSpaceInBox(AxonException):
"""\
Destination inbox is full.
Possible causes:
- The destination inbox is size limited?
- It is a threaded component with too small a 'default queue size'?
"""
pass
class BadParentTracker(AxonException):
"""\
Parent tracker is bad (not actually a tracker?)
Possible causes:
- creating a coordinatingassistanttracker specifying a parent that is not
also a coordinatingassistanttracker?
"""
pass
class ServiceAlreadyExists(AxonException):
"""\
A service already exists with the name you specifed.
Possible causes:
- Two or more components are trying to register services with the
coordinating assistant tracker using the same name?
"""
pass
class BadComponent(AxonException):
"""\
The object provided does not appear to be a proper component.
Arguments:
- the 'component' in question
Possible causes:
- Trying to register a service (component,boxname) with the coordinating
assistant tracker supplying something that isn't a component?
"""
pass
class BadInbox(AxonException):
"""\
The inbox named does not exist or is not a proper inbox.
Arguments:
- the 'component' in question
- the inbox name in question
Possible causes:
- Trying to register a service (component,boxname) with the coordinating
assistant tracker supplying something that isn't a component?
"""
pass
class MultipleServiceDeletion(AxonException):
"""\
Trying to delete a service that does not exist.
Possible causes:
- Trying to delete a service (component,boxname) from the coordinating
assistant tracker twice or more times?
"""
pass
class NamespaceClash(AxonException):
"""\
Clash of names.
Possible causes:
- two or more requests made to coordinating assistant tracker to track
values under a given name (2nd request will clash with first)?
- should have used updateValue() method to update a value being tracked by
the coordinating assistant tracker?
"""
class AccessToUndeclaredTrackedVariable(AxonException):
"""\
Attempt to access a value being tracked by the coordinating assistant
tracker that isn't actually being tracked yet!
Arguments:
- the name of the value that couldn't be accessed
- the value that it was to be updated with (optional)
Possible causes:
- Attempt to update or retrieve a value with a misspelt name?
- Attempt to update or retrieve a value before it starts being tracked?
"""
class ArgumentsClash(AxonException):
"""\
Supplied arguments clash with each other.
Possible causes:
- meaning of arguments misunderstood? not allowed this given combination of
arguments or values of arguments?
"""
pass
class BoxAlreadyLinkedToDestination(AxonException):
"""\
The inbox/outbox already has a linkage going *from* it to a destination.
Arguments:
- the box that is already linked
- the box that it is linked to
- the box you were trying to link it to
Possible causes:
- Are you trying to make a linkage going from an inbox/outbox to more than
one destination?
- perhaps another component has already made a linkage from that
inbox/outbox?
"""
pass
|
'''
Data list contains all users info. Each user's info must be a list.
First Element: 0 (int)
Second Element: name (str)
Third Element: username (str)
Fourth Element: toph link (str)
Fifth Element: dimik link (str)
Sixth Element: uri link (str)
Note: If any user does not have an account leave there an empty string.
'''
data = [
[0, "Mahinul Islam", "mahin", "", "",
"https://urionlinejudge.com.br/judge/en/profile/239509"],
[0, "Majedul Islam", "majed", "", "",
"https://urionlinejudge.com.br/judge/en/profile/229317"],
[0, "Md. Mushfiqur Rahman", "mdvirus", "https://toph.co/u/mdvirus",
"https://dimikoj.com/users/53/mdvirus", "https://urionlinejudge.com.br/judge/en/profile/223624"],
[0, "Md. Shazzad Hossein Shakib", "HackersBoss",
"https://toph.co/u/HackersBoss", "", ""],
[0, "Abdullah Al Mukit", "newbie_mukit", "https://toph.co/u/newbie_mukit",
"", "https://urionlinejudge.com.br/judge/en/profile/228785"],
[0, "Md. Toukir Ahammed", "toukir48bit",
"https://toph.co/u/toukir48bit", "", ""],
[0, "Md. Sifat Al Imtiaz", "SifatTheCoder",
"https://toph.co/u/SifatTheCoder", "", ""],
[0, "Mojahidul Islam Rakib", "HelloRakib",
"https://toph.co/u/HelloRakib", "", ""],
[0, "Md. Forhad Islam", "fiveG_coder",
"https://toph.co/u/fiveG_coder", "", ""],
[0, "Most Rumana Akter Rupa", "programmer_upa",
"https://toph.co/u/programmer_upa", "", ""],
[0, "Most Keya Akter", "Uniqe_coder",
"https://toph.co/u/Uniqe_coder", "", ""],
[0, "Most Nargiz Akter", "Simple_coder",
"https://toph.co/u/Simple_coder", "", ""],
[0, "Most Masuda Akter Momota", "itsmomota",
"https://toph.co/u/itsmomota", "", ""],
[0, "Lutfor Rahman", "Scanfl", "https://toph.co/u/Scanfl", "", ""],
[0, "Most Aysha Akter Borsha", "Smart_coder",
"https://toph.co/u/Smart_coder", "", ""]
]
|
students = []
references = []
benefits = []
MODE_SPECIFIC = '1. SPECIFIC'
MODE_HOSTEL = '2. HOSTEL'
MODE_MCDM = '3. MCDM'
MODE_REMAIN = '4. REMAIN'
|
nome = input("Informe Seu Nome: ").lower()
print("É um prazer te conhecer ",nome)
print("Senta o dedo nessa porra")
#essa parte está fora do exercício, aprendi q da para manipular um nome deixando a primeira letra maiúscula.
pl = nome[0:1].upper()
print(pl+ nome[1:])
|
#!/usr/bin/python3
'''Day 6 of the 2017 advent of code'''
def redistribute(memory):
'''helper to redistribute the memory'''
size = len(memory)
max_index = 0
max_value = memory[0] #always assumed to be memory
#find max and index of max
for i in range(size):
if memory[i] > max_value:
max_value = memory[i]
max_index = i
#reset memory at max
memory[max_index] = 0
next_block = 1
while max_value:
memory[(max_index + next_block) % size] += 1
next_block += 1
max_value -= 1
return memory
def part_one(data):
"""Return the answer to part one of this day"""
states = {}
count = 0
while True:
state = str(data)
if state not in states:
states[state] = 1
count += 1
else:
if states[state] == 2:
break
else:
states[state] += 1
data = redistribute(data)
return count
def part_two(data):
"""Return the answer to part two of this day"""
states = {}
count = 0
while True:
state = str(data)
if state not in states:
states[state] = 1
else:
if states[state] == 2:
break
else:
states[state] += 1
count += 1
data = redistribute(data)
return count
if __name__ == "__main__":
with open('input', 'r') as file:
ROWS = file.readlines()
DATA = [int(numb) for numb in ROWS[0].split()]
print("Part 1: {}".format(part_one(DATA)))
print("Part 2: {}".format(part_two(DATA)))
|
secret_password = "marty"
def apasswordcheker(password_checkers):
if password == "marty":
print("You figured out the secret password")
def password_check(passwd):
SpecialSym =['$', '@', '#', '%']
val = True
if len(passwd) < 6:
print('length should be at least 6')
val = False
if len(passwd) > 20:
print('length should be not be greater than 8')
val = False
if not any(char.isdigit() for char in passwd):
print('Password should have at least one numeral')
val = False
if not any(char.isupper() for char in passwd):
print('Password should have at least one uppercase letter')
val = False
if not any(char.islower() for char in passwd):
print('Password should have at least one lowercase letter')
val = False
if not any(char in SpecialSym for char in passwd):
print('Password should have at least one of the symbols $@#')
val = False
if val:
return val
def password_check(passwd):
SpecialSym =['$', '@', '#', '%']
val = True
if len(passwd) < 6:
print('length should be at least 6')
val = False
if len(passwd) > 20:
print('length should be not be greater than 8')
val = False
if not any(char.isdigit() for char in passwd):
print('Password should have at least one numeral')
val = False
if not any(char.isupper() for char in passwd):
print('Password should have at least one uppercase letter')
val = False
if not any(char.islower() for char in passwd):
print('Password should have at least one lowercase letter')
val = False
if not any(char in SpecialSym for char in passwd):
print('Password should have at least one of the symbols $@#')
val = False
if val:
return val
def password_chek(passwd):
SpecialSym =['$', '@', '#', '%']
val = True
if len(passwd) < 6:
print('length should be at least 6')
val = False
if len(passwd) > 20:
print('length should be not be greater than 8')
val = False
if not any(char.isdigit() for char in passwd):
print('Password should have at least one numeral')
val = False
if not any(char.isupper() for char in passwd):
print('Password should have at least one uppercase letter')
val = False
if not any(char.islower() for char in passwd):
print('Password should have at least one lowercase letter')
val = False
if not any(char in SpecialSym for char in passwd):
print('Password should have at least one of the symbols $@#')
val = False
if val:
return val
tannen = "jigowatt"
check = "FALSE"
while check == "FALSE":
user_password = input("Hi Mr Tannen, What is your password (lowercase only) ? ")
if user_password == tannen:
check = "TRUE"
print("Hello Detective Tannen, the last file you accessed is: topsecret.txt")
elif user_password == "marty":
print("Please dont look at the code to figure out the password ")
else:
print("That is incorrect, please try again")
def passord_check(passwd):
SpecialSym =['$', '@', '#', '%']
val = True
if len(passwd) < 6:
print('length should be at least 6')
val = False
if len(passwd) > 20:
print('length should be not be greater than 8')
val = False
if not any(char.isdigit() for char in passwd):
print('Password should have at least one numeral')
val = False
if not any(char.isupper() for char in passwd):
print('Password should have at least one uppercase letter')
val = False
if not any(char.islower() for char in passwd):
print('Password should have at least one lowercase letter')
val = False
if not any(char in SpecialSym for char in passwd):
print('Password should have at least one of the symbols $@#')
val = False
if val:
return val
|
#Faça um programa que leia algo pelo teclado e mostre na tela o seu tipo primitivo e todas as informações possíveis sobre ele
var = input('Digite algo: ')
print('O tipo primitivo desse valor é', type(var))
print('Só tem espaços? ', var.isspace())
print('É um número ', var.isnumeric())
print('É alfabetico', var.isalpha())
print('Está em maiúsculas? ', var.isupper())
print('Está em minúsculas', var.islower())
|
def levenshtein_dis(wordA, wordB):
wordA = wordA.lower() # making the wordA lower case
wordB = wordB.lower() # making the wordB lower case
# get the length of the words and defining the variables
length_A = len(wordA)
length_B = len(wordB)
max_len = 0
diff = 0
distances = []
distance = 0
# check the difference of the word to decide how many letter should be delete or add
# also store that value in the 'diff' variable and get the max length of the user given words
if length_A > length_B:
diff = length_A - length_B
max_len = length_A
elif length_A < length_B:
diff = length_B - length_A
max_len = length_B
else:
diff = 0
max_len = length_A
# starting from the front of the words and compare the letters of the both user given words
for x in range(max_len - diff):
if wordA[x] != wordB[x]:
distance += 1
# add the 'distance' value to the 'distances' array
distances.append(distance)
distance = 0
# starting from the back of the words and compare the letters of the both user given words
for x in range(max_len - diff):
if wordA[-(x + 1)] != wordB[-(x + 1)]:
distance += 1
# add the 'distance' value to the 'distances' array
distances.append(distance)
# get the minimun value of the 'distances' array and add it with the 'diff' values and
# store them in the 'diff' variable
diff = diff + min(distances)
# return the value
return diff
|
#
# PySNMP MIB module SHIVA-ETHER-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SHIVA-ETHER-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:54:57 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)
#
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint")
tEther, = mibBuilder.importSymbols("SHIVA-MIB", "tEther")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Unsigned32, TimeTicks, ObjectIdentity, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, NotificationType, Integer32, IpAddress, Counter64, Bits, Counter32, ModuleIdentity, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "TimeTicks", "ObjectIdentity", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "NotificationType", "Integer32", "IpAddress", "Counter64", "Bits", "Counter32", "ModuleIdentity", "MibIdentifier")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
tEtherTable = MibTable((1, 3, 6, 1, 4, 1, 166, 4, 5, 1), )
if mibBuilder.loadTexts: tEtherTable.setStatus('mandatory')
pysmiFakeCol1000 = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1) + (1000, ), Integer32())
tEtherEntry = MibTableRow((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1), ).setIndexNames((0, "SHIVA-ETHER-MIB", "pysmiFakeCol1000"))
if mibBuilder.loadTexts: tEtherEntry.setStatus('mandatory')
etherCRCErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherCRCErrors.setStatus('mandatory')
etherAlignErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherAlignErrors.setStatus('mandatory')
etherResourceErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherResourceErrors.setStatus('mandatory')
etherOverrunErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherOverrunErrors.setStatus('mandatory')
etherInPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherInPackets.setStatus('mandatory')
etherOutPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherOutPackets.setStatus('mandatory')
etherBadTransmits = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherBadTransmits.setStatus('mandatory')
etherOversizeFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherOversizeFrames.setStatus('mandatory')
etherSpurRUReadys = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherSpurRUReadys.setStatus('mandatory')
etherSpurCUActives = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherSpurCUActives.setStatus('mandatory')
etherSpurUnknowns = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherSpurUnknowns.setStatus('mandatory')
etherBcastDrops = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherBcastDrops.setStatus('mandatory')
etherReceiverRestarts = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherReceiverRestarts.setStatus('mandatory')
etherReinterrupts = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherReinterrupts.setStatus('mandatory')
etherBufferReroutes = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherBufferReroutes.setStatus('mandatory')
etherBufferDrops = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherBufferDrops.setStatus('mandatory')
etherCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherCollisions.setStatus('mandatory')
etherDefers = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherDefers.setStatus('mandatory')
etherDMAUnderruns = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherDMAUnderruns.setStatus('mandatory')
etherMaxCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherMaxCollisions.setStatus('mandatory')
etherNoCarriers = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherNoCarriers.setStatus('mandatory')
etherNoCTSs = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherNoCTSs.setStatus('mandatory')
etherNoSQEs = MibTableColumn((1, 3, 6, 1, 4, 1, 166, 4, 5, 1, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etherNoSQEs.setStatus('mandatory')
mibBuilder.exportSymbols("SHIVA-ETHER-MIB", etherOutPackets=etherOutPackets, etherBufferDrops=etherBufferDrops, etherBadTransmits=etherBadTransmits, etherDefers=etherDefers, etherBcastDrops=etherBcastDrops, tEtherTable=tEtherTable, etherOverrunErrors=etherOverrunErrors, etherAlignErrors=etherAlignErrors, etherDMAUnderruns=etherDMAUnderruns, etherSpurCUActives=etherSpurCUActives, etherNoCarriers=etherNoCarriers, etherMaxCollisions=etherMaxCollisions, etherNoCTSs=etherNoCTSs, etherBufferReroutes=etherBufferReroutes, etherCollisions=etherCollisions, etherReinterrupts=etherReinterrupts, tEtherEntry=tEtherEntry, etherSpurUnknowns=etherSpurUnknowns, etherNoSQEs=etherNoSQEs, etherSpurRUReadys=etherSpurRUReadys, etherInPackets=etherInPackets, etherOversizeFrames=etherOversizeFrames, pysmiFakeCol1000=pysmiFakeCol1000, etherReceiverRestarts=etherReceiverRestarts, etherResourceErrors=etherResourceErrors, etherCRCErrors=etherCRCErrors)
|
def set_search_path(sender, **kwargs):
conn = kwargs.get('connection')
if conn is not None:
cursor = conn.cursor()
cursor.execute("SET search_path=saleor")
|
def debug_report_progress(repo_ctx, msg):
if repo_ctx.attr.debug:
print(msg)
repo_ctx.report_progress(msg)
for i in range(25000000):
x = 1
|
print('---- Loja Super Baratão ----')
acima_mil = total = 0
barato = None
nome_protudo = ''
while True:
nome = str(input('Nome do Produto: ')).strip()
preco = float(input('Insira o Preço: R$ '))
total += preco
if preco >= 1000:
acima_mil += 1
if barato == None:
barato = preco
nome_protudo = nome
elif preco < barato:
barato = preco
nome_protudo = nome
opcao = str(input('Deseja continuar [S/N]: ')).strip().upper()[0]
if opcao == 'N':
break
print(f'Total da compra foi R$ {total:.2f}')
print(f'Quantidade de produtos custando mais de mil: {acima_mil}')
print(f'O produto mais barato foi {nome_protudo}, custando R$ {barato:.2f}')
|
# -*- coding: utf-8 -*-
def get_normals(self, indices=[]):
"""Return the array of the normals coordinates.
Parameters
----------
self : MeshVTK
a MeshVTK object
indices : list
list of the points to extract (optional)
Returns
-------
normals: ndarray
Normals coordinates
"""
surf = self.get_surf(indices)
return surf.cell_normals
|
print('='*10, 'Desafio 15', '='*10)
dias = int(input('Quantos dias o carro ficou alugado?'))
km = float(input('Quantos quilometros foram rodados?'))
pago1 = dias * 60
pago2 = km * 0.15
pago = pago1 + pago2
print('O total a pagar é R$ {:.2f}.'.format(pago))
|
"""
Time Complexity: O(1)
Space Complexity: O(1)
"""
for number in [2, 3, 5, 7, 11, 13, 19, 23, 29]:
print(number)
|
def respond(code=200, payload={}, messages=[]):
return {
'status': 'ok' if int(code/100) == 2 else 'error',
'code': code,
'messages': messages,
'payload': payload,
}, code
|
class Puzzle:
def __init__(self, grid):
self.grid = grid
self.empty_cells = []
def check_full(self):
"""
Checks if grid is full.
:return: True if full, otherwise False
"""
for row in range(0, 9):
for col in range(0, 9):
if self.grid[row][col] == 0:
return False
return True
def find_empty(self):
"""
Finds the coordinates of unassigned cells.
:return: dictionary of row and column coordinates of empty cells
"""
for row in range(0, 9):
for col in range(0, 9):
if self.grid[row][col] == 0:
coordinates = {'row': row, 'col': col}
self.empty_cells.append(coordinates)
def exist_row(self, num, row):
"""
Checks if number already exists in row.
:param num: int to check
:param row: row to check
:return: True if exists, otherwise False
"""
for col in range(0, 9):
if self.grid[row][col] == num:
return True
return False
def exist_col(self, num, col):
"""
Checks if number already exists in column.
:param num: int to check
:param col: col to check
:return: True if exists, otherwise False
"""
for row in range(0, 9):
if self.grid[row][col] == num:
return True
return False
def exist_group(self, num, start_row, start_col):
"""
Checks if number already exists in group (a 3x3 section of the grid).
:param num: int to check
:param start_row: starting row of group
:param start_col: starting row of column
:return: True if exists, otherwise False
"""
for row in range(0, 3):
for col in range(0, 3):
if self.grid[row + start_row][col + start_col] == num:
return True
return False
def exist_constraints(self, num, row, col):
"""
Checks number against all the constraints above.
:param num: int to check
:param row: row to check
:param col: col to check
:return: True if exists in row, column, or group, otherwise False
"""
if row % 3 == 1:
start_row = row - 1
elif row % 3 == 2:
start_row = row - 2
else:
start_row = row
if col % 3 == 1:
start_col = col - 1
elif col % 3 == 2:
start_col = col - 2
else:
start_col = col
if self.exist_row(num, row) == True:
return True
if self.exist_col(num, col) == True:
return True
if self.exist_group(num, start_row, start_col) == True:
return True
return False
def solve(self, iterator):
"""
Solves grid.
:param iterator: an int, has to be with 0
:return: solved grid
"""
if self.check_full() == True:
return True
else:
cur_row = self.empty_cells[iterator]['row']
cur_col = self.empty_cells[iterator]['col']
for num in range(1, 10):
if self.exist_constraints(num, cur_row, cur_col) == False:
self.grid[cur_row][cur_col] = num
iterator += 1
if self.solve(iterator) == True:
return True
self.grid[cur_row][cur_col] = 0
iterator -= 1
return False
def print_grid(self):
"""
Pretty printing.
:return: a better-looking grid
"""
self.solve(0)
for row in range(0, 9):
if row % 3 == 0 and row != 0:
print("-------------------------")
for col in range (0, 9):
if col % 3 == 0:
print("|", end=' ')
if col == 8:
print(self.grid[row][col], end=' ')
print("|", end='\n')
else:
print(self.grid[row][col], end=' ')
print('\n')
|
default_app_config = 'business.staff_accounts.apps.UserManagementConfig'
"""
This APP is for management of users
Functions:-
Adding staff Users and giving them initial details
-Department
-Staff Type
-Departmental,General Managers have predefined roles depending on the departments they can access
"""
|
# finding least positive number
# Given an array of integers, find the first missing positive integer in linear time and constant space. In other words,
# find the lowest positive integer that does not exist in the array. The array can contain duplicates and negative numbers as well.
# code contributed by devanshi katyal
# space complexity:O(1)
# time complexity:O(n)
def MainFunction(arr, size):
for i in range(size):
if (abs(arr[i]) - 1 < size and arr[abs(arr[i]) - 1] > 0):
arr[abs(arr[i]) - 1] = -arr[abs(arr[i]) - 1]
for i in range(size):
if (arr[i] > 0):
return i + 1
return size + 1
def findpositive(arr, size):
j= 0
for i in range(size):
if (arr[i] <= 0):
arr[i], arr[j] = arr[j], arr[i]
j += 1
return MainFunction(arr[j:], size - j)
arr = list(map(int, input().split(" ")))
print("the smallest missing number", findpositive(arr, len(arr)))
|
# Aula 7 - Operadores Aritméticos
# -*- coding: utf-8 -*-
# -*- coding: cp1252 -*
'''
nome = input('Qual o seu nome? ')
print(f'Prazer em conhecer voce, {nome}')
print('='*20)
'''
n1 = int(input('Digite um numero: '))
n2 = int(input('Digite outro numero: '))
a = n1 + n2
s = n1 - n2
m = n1 * n2
d = n1 / n2
di = n1 // n2
e = n1 ** n2
print(f'A soma eh {a} e a subtraçao eh {s}', end=' ') # esse end=' ' emenda os prints numa unica linha
print(f'A multiplicaçao eh {m} e a divisao eh {d:.2f}')
print(f'A divisao inteira eh {di} e n1 elevado a n2 eh igual a {e}')
|
def login_required(func):
def not_logged_in(self, **kwargs):
self.send_login_required({'signin_required': 'you need to sign in'})
return
def check_user(self, **kwargs):
user = self.connection.user
if not user:
return not_logged_in(self, **kwargs)
return func(self, **kwargs)
return check_user
class RoutePermission(object):
def test_permission(self, handler, verb, **kwargs):
raise NotImplementedError("You need to implement test_permission")
def permission_failed(self, handler):
raise NotImplementedError("You need to implement permission_failed")
class LoginRequired(RoutePermission):
def __init__(self, verbs=None):
self.test_against_verbs = verbs
def test_permission(self, handler, verb, **kwargs):
if not self.test_against_verbs:
return handler.connection.user is not None
if self.test_against_verbs:
if verb not in self.test_against_verbs:
return True
user = handler.connection.user
return user is not None
def permission_failed(self, handler):
handler.send_login_required()
|
# C.O.R.S.
cors_origins = [
"http://localhost",
"http://localhost:8080",
"http://localhost:3000",
# Production Client on Vercel
"https://twitter-clone.programmertutor.com",
"https://www.twitter-clone.programmertutor.com",
"https://twitter.dericfagnan.com",
"https://www.twitter.dericfagnan.com",
# Websocket Origins
"ws://localhost",
"wss://localhost",
"ws://localhost:8080",
"wss://localhost:8080",
"ws://twitter-clone.programmertutor.com",
"ws://www.twitter-clone.programmertutor.com",
"wss://twitter-clone.programmertutor.com",
"wss://www.twitter-clone.programmertutor.com",
"ws://twitter.dericfagnan.com",
"ws://www.twitter.dericfagnan.com",
"wss://twitter.dericfagnan.com",
"wss://www.twitter.dericfagnan.com",
]
|
"""
Created on Saturday, November 02, 2019 11:00:46 IST
@author: Saurabh Ghanekar
"""
ip = input("Enter ip adddress: ")
firstq1 = ""
flag = 0
for i in range(len(ip)):
if ip[i] == ".":
firstqs = ip[:i + 1]
break
for i in range(len(ip)):
if ip[i] == ".":
firsths = ip[:i + 1]
flag += 1
if flag == 2:
break
firstq = int(firstqs[:len(firstqs) - 1])
class_ = ""
if firstq >= 1 and firstq <= 126:
print("Class A")
class_ = "A"
elif firstq >= 128 and firstq <= 191:
print("Class B")
class_ = "B"
elif firstq >= 192 and firstq <= 223:
print("Class C")
class_ = "C"
elif firstq > 223:
print("Out of range")
subnet_mask = ""
if class_ == "A":
subnet_mask = "255.0.0.0"
elif class_ == "B":
subnet_mask = "255.255.0.0"
elif class_ == "C":
subnet_mask = "255.255.255.0"
print("Subnet mask is=", subnet_mask)
if class_ == "A":
print("After bitwise adding=", firstqs + "0.0.0")
elif class_ == "B":
print("After bitwise adding=", ip[:len(firstqs)+1] + ".0.0")
elif class_ == "C":
print("After bitwise adding=", firsths + "0.0")
subnet_value = int(input("Enter subnet value(1,2,3,4,5,6,7,8)= "))
if class_ == "A":
sembin = "255." + "1"*subnet_value + "0"*(8 - subnet_value) + ".0.0"
dec = int("1"*subnet_value + "0"*(8 - subnet_value), 2)
print("255." + str(dec) + ".0.0")
elif class_ == "B":
sembin = "255.255." + "1"*subnet_value+"0"*(8 - subnet_value) + ".0"
dec = int("1"*subnet_value + "0"*(8 - subnet_value), 2)
print("255.255." + str(dec) + ".0")
elif class_ == "C":
sembin = "255.255.255." + "1"*subnet_value + "0"*(8 - subnet_value)
dec = int("1"*subnet_value + "0"*(8 - subnet_value), 2)
print("255.255.255." + str(dec))
|
class Job:
def __init__(self, title, link, date, job_id):
'''
This class holds job information and attributes
'''
self.title = title
self.link = link
self.date = date
self.job_id = job_id
self.applied = False
self.old = False
self.new = True
self.desc = ''
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
fabrik_cli
------------
:copyright: (c) 2015-2016 by Fröjd Interactive AB
:license: MIT, see LICENSE for more details.
"""
__title__ = "fabrik_cli"
__version__ = "2.0.1"
__build__ = 201
__license__ = "MIT"
__copyright__ = "Copyright 2015-2016 Fröjd Interactive AB"
|
{
"cells": [
{
"cell_type": "code",
"execution_count": null,
"id": "f9af1484",
"metadata": {},
"outputs": [],
"source": [
"# ---------------------- STEP 2: Climate APP\n",
"\n",
"from flask import Flask, json, jsonify\n",
"import datetime as dt\n",
"\n",
"import sqlalchemy\n",
"from sqlalchemy.ext.automap import automap_base\n",
"from sqlalchemy.orm import Session\n",
"from sqlalchemy import create_engine, func\n",
"from sqlalchemy import inspect\n",
"\n",
"engine = create_engine(\"sqlite:///./Resources/hawaii.sqlite\", connect_args={'check_same_thread': False})\n",
"# reflect an existing database into a new model\n",
"Base = automap_base()\n",
"# reflect the tables\n",
"Base.prepare(engine, reflect=True)\n",
"\n",
"# Save references to each table\n",
"Measurement = Base.classes.measurement\n",
"Station = Base.classes.station\n",
"session = Session(engine)\n",
"\n",
"app = Flask(__name__) # the name of the file & the object (double usage)\n",
"\n",
"# List all routes that are available.\n",
"@app.route(\"/\")\n",
"def home():\n",
" print(\"In & Out of Home section.\")\n",
" return (\n",
" f\"Welcome to the Climate API!<br/>\"\n",
" f\"Available Routes:<br/>\"\n",
" f\"/api/v1.0/precipitation<br/>\"\n",
" f\"/api/v1.0/stations<br/>\"\n",
" f\"/api/v1.0/tobs<br/>\"\n",
" f\"/api/v1.0/2016-01-01/<br/>\"\n",
" f\"/api/v1.0/2016-01-01/2016-12-31/\"\n",
" )\n",
"\n",
"# Return the JSON representation of your dictionary\n",
"@app.route('/api/v1.0/precipitation/')\n",
"def precipitation():\n",
" print(\"In Precipitation section.\")\n",
" \n",
" last_date = session.query(Measurement.date).order_by(Measurement.date.desc()).first().date\n",
" last_year = dt.datetime.strptime(last_date, '%Y-%m-%d') - dt.timedelta(days=365)\n",
"\n",
" rain_results = session.query(Measurement.date, Measurement.prcp).\\\n",
" filter(Measurement.date >= last_year).\\\n",
" order_by(Measurement.date).all()\n",
"\n",
" p_dict = dict(rain_results)\n",
" print(f\"Results for Precipitation - {p_dict}\")\n",
" print(\"Out of Precipitation section.\")\n",
" return jsonify(p_dict) \n",
"\n",
"# Return a JSON-list of stations from the dataset.\n",
"@app.route('/api/v1.0/stations/')\n",
"def stations():\n",
" print(\"In station section.\")\n",
" \n",
" station_list = session.query(Station.station)\\\n",
" .order_by(Station.station).all() \n",
" print()\n",
" print(\"Station List:\") \n",
" for row in station_list:\n",
" print (row[0])\n",
" print(\"Out of Station section.\")\n",
" return jsonify(station_list)\n",
"\n",
"# Return a JSON-list of Temperature Observations from the dataset.\n",
"@app.route('/api/v1.0/tobs/')\n",
"def tobs():\n",
" print(\"In TOBS section.\")\n",
" \n",
" last_date = session.query(Measurement.date).order_by(Measurement.date.desc()).first().date\n",
" last_year = dt.datetime.strptime(last_date, '%Y-%m-%d') - dt.timedelta(days=365)\n",
"\n",
" temp_obs = session.query(Measurement.date, Measurement.tobs)\\\n",
" .filter(Measurement.date >= last_year)\\\n",
" .order_by(Measurement.date).all()\n",
" print()\n",
" print(\"Temperature Results for All Stations\")\n",
" print(temp_obs)\n",
" print(\"Out of TOBS section.\")\n",
" return jsonify(temp_obs)\n",
"\n",
"# Return a JSON list of the minimum temperature, the average temperature, and the max temperature for a given start date\n",
"@app.route('/api/v1.0/<start_date>/')\n",
"def calc_temps_start(start_date):\n",
" print(\"In start date section.\")\n",
" print(start_date)\n",
" \n",
" select = [func.min(Measurement.tobs), func.avg(Measurement.tobs), func.max(Measurement.tobs)]\n",
" result_temp = session.query(*select).\\\n",
" filter(Measurement.date >= start_date).all()\n",
" print()\n",
" print(f\"Calculated temp for start date {start_date}\")\n",
" print(result_temp)\n",
" print(\"Out of start date section.\")\n",
" return jsonify(result_temp)\n",
"\n",
"# Return a JSON list of the minimum temperature, the average temperature, and the max temperature for a given start-end range.\n",
"@app.route('/api/v1.0/<start_date>/<end_date>/')\n",
"def calc_temps_start_end(start_date, end_date):\n",
" print(\"In start & end date section.\")\n",
" \n",
" select = [func.min(Measurement.tobs), func.avg(Measurement.tobs), func.max(Measurement.tobs)]\n",
" result_temp = session.query(*select).\\\n",
" filter(Measurement.date >= start_date).filter(Measurement.date <= end_date).all()\n",
" print()\n",
" print(f\"Calculated temp for start date {start_date} & end date {end_date}\")\n",
" print(result_temp)\n",
" print(\"Out of start & end date section.\")\n",
" return jsonify(result_temp)\n",
"\n",
"if __name__ == \"__main__\":\n",
" app.run(debug=True)"
]
}
],
"metadata": {
"kernelspec": {
"display_name": "Python 3",
"language": "python",
"name": "python3"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
"version": "3.8.8"
}
},
"nbformat": 4,
"nbformat_minor": 5
}
|
livro_predileto = "O diario do subsolo."
def favorite_book(titulo):
print(f'Meu livro predileto é "{livro_predileto}"')
favorite_book(livro_predileto)
|
# Add your import statements here
# Add any utility functions here
def rel_docs(query_id,qrels):
j=[item['id'] for item in qrels if item['query_num']==str(query_id)]
return j
def rel_score_as_dict_for_query(query_id,qrels):
docs_score_dict={int(item['id']):int(item['position']) for item in qrels if int(item['query_num'])==int(query_id)}
return docs_score_dict
def rel_score_for_query(query_id,qrels):
score=[int(item['position']) for item in qrels if int(item['query_num'])==int(query_id)]
i_d=[int(item['id']) for item in qrels if int(item['query_num'])==int(query_id)]
score_id=list(map(lambda x,y: [x,y],score,i_d))
return score_id
|
class MockData:
def __init__(self):
self.data = [
'ATGCAT',
'ATGGGT',
'ATGAAT',
]
def get_row(self, i):
return self.sequences[i]
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class PodiumUser(object):
"""
Object that represents a particular User.
**Attributes:**
**user_id** (int): User id
**uri** (string): URI for the User.
**username** (string): The User's username.
**description** (string): The User's description.
**avatar_url** (string): User's avatar image url.
**links** (list): 3rd party links for the user.
**friendships_uri** (string): URI to friends list.
**followers_uri** (string): URI to followers list.
**friendship_uri** (string): If this User has been friended
**events_uri** (string): URI to events for this user
**venues_uri** (string): URI to venues this user particiated at
by the user this attr will have a value, otherwise None. Defaults to
None.
"""
def __init__(self, user_id, uri, username, description, avatar_url, profile_image_url,
links, friendships_uri, followers_uri, friendship_uri, events_uri,
venues_uri):
self.user_id = user_id
self.uri = uri
self.username = username
self.description = description
self.avatar_url = avatar_url
self.profile_image_url = profile_image_url
self.links = links
self.friendships_uri = friendships_uri
self.followers_uri = followers_uri
self.friendship_uri = friendship_uri
self.events_uri = events_uri
self.venues_uri = venues_uri
def get_user_from_json(json):
"""
Returns a PodiumUser object from the json dict received from podium api.
Args:
json (dict): Dict of data from REST api
Return:
PodiumUser: The PodiumUser object for the data.
"""
return PodiumUser(json['id'],
json['URI'],
json['username'],
json['description'],
json['avatar_url'],
json['profile_image_url'],
json['links'],
json['friendships_uri'],
json['followers_uri'],
json.get("friendship_uri", None),
json['events_uri'],
json['venues_uri']
)
|
def devanagari_characters():
dic = [
# space:
(' ', ' '),
# comma:
#(',', ' , '),
# initial vowels:
('A','अ'),
('Ā','आ'),
('I', 'इ'),
('Ī','ई'),
('U', 'उ'),
('Ū', 'ऊ'),
('Ṛ', 'ऋ'),
('Ṝ', 'ॠ'),
('E', 'ए'),
('O', 'ओ'),
('Đ', 'ऐ'),
('Ő', 'औ'),
("'", 'ऽ'),
('Ó', 'ॐ'),
# conjunct vowels: ('ṝ', 'ॄ ' )
('a', ''), ('ā', 'ा' ), ('i', 'ि'), ('ī', 'ी'), ('u', 'ु'),
('ū', 'ू'), ('ṛ', 'ृ'), ('ṝ', 'ॄ' ), ('ḷ', 'ॢ '), ('ḹ', 'ॣ'),
('e', 'े'), ('o', 'ो'), ('đ', 'ै'), ('ő','ौ'), ('Ṃ', 'ं'), ('Ḥ', 'ः'),
# virāma:
('V', '्'),
# consonants:
('k', 'क'), ('K', 'ख'), ('g', 'ग'), ('G', 'घ'), ('ṅ', 'ङ'),
#
('c', 'च'), ('C', 'छ'), ('j', 'ज'), ('J', 'झ'), ('ñ', 'ञ'),
#
('ṭ', 'ट'), ('Ṭ', 'ठ'), ('ḍ', 'ड'), ('Ḍ', 'ढ'), ('ṇ', 'ण'),
#
('t', 'त'), ('T', 'थ'), ('d','द'), ('D', 'ध'), ('n', 'न'),
#
('p', 'प'), ('P', 'फ'), ('b', 'ब'), ('B', 'भ'), ('m', 'म'),
#
('y','य'), ('r','र'), ('l','ल'), ('v','व'), ('ś', 'श'), ('ṣ', 'ष'),
('s', 'स'), ('h', 'ह'), ('0', '०'),
('1', '१'), ('2', '२'), ('3', '३'), ('4', '४'), ('5', '५'), ('6', '६'),
('7', '७'), ('8', '८'), ('9', '९') ]
# 'ा ), this line is just to correct highlighting in this file
vowels = ["ṃ", "ḥ", 'a', 'i', 'u', 'ṛ', 'ṝ', 'ḷ', 'ā', 'ī', 'ū', 'ṝ', 'ḹ', 'e', 'ai', 'o', 'au', 'đ', 'ő']
consonants = ["k", "K", "g", "G", "ṅ", "c", "C", "j", "J", "ñ", "ṭ", "Ṭ", "ḍ", "Ḍ", "ṇ", "t", "T", "d", "D", "n", "p", "P", "b", "B", "m", "y", "r", "l", "v", "ś", "ṣ", "s", "h"]
return dic, vowels, consonants
|
class Arc(object):
"""
Python representation of a constraint arc
"""
def __init__(self, left, right):
"""
Since the arc is a directed edge, the left and right components
of the arc are initalized where the arc travels from left to right.
"""
self.left = left
self.right = right
self.constraints = list()
def add_constraint(self, constraint):
"""
Adds a constraint to the arc. The constraint is a function that
takes two node values and returns a boolean result
"""
self.constraints.append(constraint)
return self
def check_constraints(self, i, j):
"""
Returns true if the all of the constraints are satisfied for
i and j being node values not variable instances
"""
for constraint in self.constraints:
if not constraint(i, j):
return False
return True
def get_left(self):
"""
Gets the left side of the arc
"""
return self.left
def get_right(self):
"""
Gets the right side of the arc
"""
return self.right
def get_constraints(self):
"""
Gets the list of constraints
"""
return self.constraints
def revise(self):
"""
Revises the arc where the right variable has already been assigned
a value, this function prunes the domain of the left variable to
keep consistency. Returns true if there is a consistent pruned domain
for the left variable.
"""
pd = list()
for d in self.left.get_pruned_domain():
unary_check = self.left.check_constraints(d)
arc_check = self.check_constraints(d, self.right.get_value())
if unary_check and arc_check:
pd.append(d)
if len(pd) > 0:
self.left.set_pruned_domain(pd)
return True
else:
return False
|
#
# PySNMP MIB module ONEACCESS-DOT11-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ONEACCESS-DOT11-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:25:00 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
oacRequirements, oacMIBModules, oacExpIMDot11 = mibBuilder.importSymbols("ONEACCESS-GLOBAL-REG", "oacRequirements", "oacMIBModules", "oacExpIMDot11")
ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance")
ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, iso, Counter32, Gauge32, MibIdentifier, Unsigned32, Counter64, Integer32, NotificationType, TimeTicks, ObjectIdentity, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "iso", "Counter32", "Gauge32", "MibIdentifier", "Unsigned32", "Counter64", "Integer32", "NotificationType", "TimeTicks", "ObjectIdentity", "Bits")
DisplayString, TextualConvention, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "MacAddress")
oacDot11MIBModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 13191, 1, 100, 900))
oacDot11MIBModule.setRevisions(('2011-10-27 00:00', '2010-07-08 00:01',))
if mibBuilder.loadTexts: oacDot11MIBModule.setLastUpdated('201110270000Z')
if mibBuilder.loadTexts: oacDot11MIBModule.setOrganization(' OneAccess ')
class InterfaceType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2))
namedValues = NamedValues(("mainInterface", 1), ("subInterface", 2))
oacExpIMDot11Objects = MibIdentifier((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1))
oacExpIMDot11InterfaceTable = MibTable((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1), )
if mibBuilder.loadTexts: oacExpIMDot11InterfaceTable.setStatus('current')
oacExpIMDot11InterfaceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: oacExpIMDot11InterfaceEntry.setStatus('current')
oacExpIMDot11EntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1, 1, 1), InterfaceType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: oacExpIMDot11EntryType.setStatus('current')
oacExpIMDot11MACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1, 1, 2), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: oacExpIMDot11MACAddress.setStatus('current')
oacExpIMDot11SSID = MibTableColumn((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: oacExpIMDot11SSID.setStatus('current')
oacExpIMDot11AssociatedStations = MibTableColumn((1, 3, 6, 1, 4, 1, 13191, 10, 3, 8, 1, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: oacExpIMDot11AssociatedStations.setStatus('current')
oacExpIMDot11Conformance = MibIdentifier((1, 3, 6, 1, 4, 1, 13191, 5, 900))
oacExpIMDot11Groups = MibIdentifier((1, 3, 6, 1, 4, 1, 13191, 5, 900, 1))
oacExpIMDot11Compliances = MibIdentifier((1, 3, 6, 1, 4, 1, 13191, 5, 900, 2))
oacExpIMDot11Compliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 13191, 5, 900, 2, 1)).setObjects(("ONEACCESS-DOT11-MIB", "oacExpIMDot11GeneralGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
oacExpIMDot11Compliance = oacExpIMDot11Compliance.setStatus('current')
oacExpIMDot11GeneralGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 13191, 5, 900, 1, 1)).setObjects(("ONEACCESS-DOT11-MIB", "oacExpIMDot11EntryType"), ("ONEACCESS-DOT11-MIB", "oacExpIMDot11MACAddress"), ("ONEACCESS-DOT11-MIB", "oacExpIMDot11SSID"), ("ONEACCESS-DOT11-MIB", "oacExpIMDot11AssociatedStations"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
oacExpIMDot11GeneralGroup = oacExpIMDot11GeneralGroup.setStatus('current')
mibBuilder.exportSymbols("ONEACCESS-DOT11-MIB", PYSNMP_MODULE_ID=oacDot11MIBModule, InterfaceType=InterfaceType, oacExpIMDot11SSID=oacExpIMDot11SSID, oacExpIMDot11Conformance=oacExpIMDot11Conformance, oacExpIMDot11MACAddress=oacExpIMDot11MACAddress, oacExpIMDot11InterfaceTable=oacExpIMDot11InterfaceTable, oacExpIMDot11Groups=oacExpIMDot11Groups, oacDot11MIBModule=oacDot11MIBModule, oacExpIMDot11AssociatedStations=oacExpIMDot11AssociatedStations, oacExpIMDot11EntryType=oacExpIMDot11EntryType, oacExpIMDot11Compliance=oacExpIMDot11Compliance, oacExpIMDot11Objects=oacExpIMDot11Objects, oacExpIMDot11InterfaceEntry=oacExpIMDot11InterfaceEntry, oacExpIMDot11Compliances=oacExpIMDot11Compliances, oacExpIMDot11GeneralGroup=oacExpIMDot11GeneralGroup)
|
class Decipher:
def __init__(self, data='', password=''):
self.data = data
self.password = password
self.result = False
def decipher_password(self):
# For authentication(Deciphering your password)..
helper = self.data.split('*/*/')
count, separator, compare, helper_list = 1, '', '', []
for i in helper[0]:
if i == '%':
helper_list.append(int(separator) - count)
count += 1
separator = ''
continue
separator += i
for i in helper_list:
compare += chr(i)
if compare == self.password:
self.result = True
return self.result, helper
def decipher_message(self, helper):
# Deciphering your message
helper_list = []
helper_msg = helper[1].split('@*@')
message = str(helper_msg[0])
size = int(helper_msg[1])
separator, deciphered = '', ''
for i in message:
if i == '@':
helper_list.append(int(separator) - size)
size -= 1
separator = ''
continue
separator += i
for i in helper_list:
deciphered += chr(i)
return deciphered
if __name__ == '__main__':
pass
|
class Error(Exception):
pass
class ResourceNotFoundError(Error):
pass
class ResourceAlreadyExistsError(Error):
pass
class DatabaseCommitFailedError(Error):
pass
|
N = int(input())
t = N % 360
if t == 90 or t == 270:
print('Yes')
else:
print('No')
|
#!/usr/bin/python3
# Demo of a dictionary comprehension
d={i:chr(i) for i in range(ord('a'),ord('z')+1)}
for k,v in d.items():
print(k,':',v)
|
"""
Write a Python script to generate and print a dictionary that contains a number (between 1 and n) in the form (x, x*x).
Sample Dictionary ( n = 5) :
Expected Output : {1: 1, 2: 4, 3: 9, 4: 16, 5: 25}
"""
n=int(input("Input a number "))
d = dict()
for x in range(1,n+1):
d[x]=x*x
print(d)
|
#!/usr/bin/python3
class GuiService():
def readSettingsFile(self,wert):
settingsFile = open("Settings","r")
file = settingsFile.read()
fileList = file.split("\n")
for element in fileList:
if wert in element:
x = element.split(":")
return x[1]
def getPort(self):
self.port = self.readSettingsFile("Port")
return self.port
def getBaudRate(self):
self.baudRate = self.readSettingsFile("Baud")
return self.baudRate
def getIsTrigger(self):
if self.readSettingsFile("Trigger") == "True":
self.isTrigger = True
else:
self.isTrigger = False
return self.isTrigger
def getDesiredDistance(self):
self.desieredDistance = float(self.readSettingsFile("Desiered Distance"))
return self.desieredDistance
def getAcceptableDeviation(self):
self.acceptableDeviation = float(self.readSettingsFile("Acceptable Deviation"))
return self.acceptableDeviation
def getRunsPerSecond(self):
self.runsPerSecond = float(self.readSettingsFile("Runs per Second"))
return self.runsPerSecond
def getSmoothMode(self):
if int(self.readSettingsFile("SecList"))==1:
self.Smoothmode = "secList"
elif int(self.readSettingsFile("Gprmc"))==1:
self.Smoothmode = "GPRMC"
elif int(self.readSettingsFile("Simple"))==1:
self.Smoothmode = "simple"
return self.Smoothmode
def getLogFile(self):
if int(self.readSettingsFile("Gprmc"))==1:
self.logFile = "$GPRMC.log"
else:
self.logFile = "$GPGGA.log"
return self.logFile
def getListDimensions(self):
self.listDimensions = [float(self.readSettingsFile("Length of rawlist")),float(self.readSettingsFile("Length of smoothlist"))]
return self.listDimensions
def __init__(self):
self.port = ""
self.baudRate = 0
self.isTrigger = False
self.desieredDistance = 1.5
self.acceptableDeviation = 1.0
self.runsPerSecond = 50.0
self.Smoothmode = "secList"
self.logFile = "$GPGGA.log"
self.listDimensions = [20,2]
|
carbohydrate_min_length = 3
carbohydrate_chain_length_including_start_C = 3
def is_glycan(a_category):
for _ in a_category["types"]:
if "Glycan" in _:
return True
return False
def add_carbohydrate_output(output, type_, mass, num_c_atoms, num_o_atoms, atom_list, full_atom_dic):
output.append({'type': type_,
'mass': mass,
'CO_count': [num_c_atoms, num_o_atoms],
'atom_indices': atom_list,
'full_atom_dic': full_atom_dic
})
return output
def are_in_one_cycle(cycles, indices): # indices: an array of indices
for a_cycle in cycles:
all_in = True
for an_index in indices:
if an_index not in a_cycle:
all_in = False
if all_in:
return a_cycle
return []
def is_in_a_cycle(cycles, index):
for a_cycle in cycles:
if index in a_cycle:
return True
return False
def there_is_double_bond(mol, atom_index1, atom_index2):
atom_index1 += 1
atom_index2 += 1
bonds = mol.get_bonds()
for a_bond in bonds:
from_index, to_index, num_bonds, val1 = a_bond.get_info()
if (atom_index1 == from_index and atom_index2 == to_index) or (atom_index1 == to_index and atom_index2 == from_index):
if num_bonds == 2:
return True
else:
return False
def parse_atom_nghs(nghs, atoms_of_interest):
nums = {}
nghs_list = {}
for an_atom in atoms_of_interest:
nums[an_atom] = 0
nghs_list[an_atom] = []
for a_ngh in nghs:
if a_ngh[1] in nums:
nums[a_ngh[1]] += 1
nghs_list[a_ngh[1]].append(a_ngh[0])
return nums, nghs_list
def get_dic_of_number_of_atoms_in_path(a_path, atoms):
dic = {}
for an_atom_index in a_path:
curr_atom_name = atoms[an_atom_index].get_atom_name()
if curr_atom_name in dic:
dic[curr_atom_name] += 1
else:
dic[curr_atom_name] = 1
curr_nghs = atoms[an_atom_index].get_ngh()
cleaned_curr_nghs = []
for a_pair in curr_nghs:
if a_pair[0] not in a_path:
cleaned_curr_nghs.append(a_pair)
nghs_names_to_consider = ['H', 'C', 'O', 'N']
nums, nghs_list = parse_atom_nghs(cleaned_curr_nghs, nghs_names_to_consider)
""" we want to include num N's when counting O's """
nums['O'] += nums['N'] # number of atoms
for an_atom_name in nghs_names_to_consider:
if an_atom_name == 'N':
continue
if an_atom_name not in dic:
dic[an_atom_name] = nums[an_atom_name]
else:
dic[an_atom_name] += nums[an_atom_name]
return dic
def get_mass_of_a_path(a_path, atoms):
total_mass = 0
for _ in range(len(a_path)):
index = a_path[_]
total_mass += atoms[index].get_mass()
nghs_temp = atoms[index].get_ngh()
nghs = [_ for _ in nghs_temp if _[0] not in a_path]
nums, nghs_list = parse_atom_nghs(nghs, ['H', 'C', 'O', 'N'])
# adding protons attached to a heavy atom in the path
total_mass += sum([atoms[_].get_mass() for _ in nghs_list['H']])
# adding mass of nghs and their protons
for a_heavy_atom_type in ['C', 'O', 'N']:
for _ in nghs_list[a_heavy_atom_type]:
# mass of heavy atom
total_mass += atoms[_].get_mass()
# mass of its protons that are not in the path
nghs_temp = atoms[_].get_ngh()
nums, nghs_list = parse_atom_nghs(nghs_temp, ['H', 'C', 'O', 'N'])
total_mass += sum([atoms[_].get_mass() for _ in nghs_list['H']])
return total_mass
def get_atom_dic_of_apath(a_path, atoms, nghs_to_be_ignored):
""" in this function, we get types and number of atoms in a path.
we also continue every branch of these atoms until we reach to a non_ O, C, H atom
"""
def find_acceptable_nghs(atoms, atom_index, a_path):
""" returns nghs C or O atoms that are not in the a_path """
if atoms[atom_index].get_atom_name() not in ['C', 'O']: # we do not branch out from N
return []
nghs_temp = atoms[atom_index].get_ngh()
nghs = [_ for _ in nghs_temp if _[0] not in a_path and _[0] not in nghs_to_be_ignored]
return nghs
def process_nghs(dic, seen_atoms, atoms, atom_index, a_path, ngh_level):
ngh_level += 1
if ngh_level > 3: # and atoms[atom_index].get_atom_name() != 'O':
return [dic, seen_atoms]
nghs = find_acceptable_nghs(atoms, atom_index, a_path)
if not nghs:
return [dic, seen_atoms]
if ngh_level > 2:
current_acceptable_atom_names = ['H']
else:
current_acceptable_atom_names = acceptable_atom_names
nums, nghs_list = parse_atom_nghs(nghs, current_acceptable_atom_names)
if ngh_level >= 1 and atoms[atom_index].get_atom_name() == 'O':
curr_nghs_list = {'H': nghs_list['H']}
else:
curr_nghs_list = nghs_list
for _ in current_acceptable_atom_names:
if _ not in curr_nghs_list:
continue
for __ in curr_nghs_list[_]:
if __ not in seen_atoms and __ not in a_path:
if _ not in dic:
dic[_] = 0
dic[_] += 1
seen_atoms.append(__)
for a_ngh_index in curr_nghs_list[_]:
[dic, seen_atoms] = process_nghs(dic, seen_atoms, atoms, a_ngh_index, a_path, ngh_level)
return [dic, seen_atoms]
acceptable_atom_names = ['H', 'C', 'O', 'N']
dic = {}
seen_atoms = []
for atom_index in a_path:
if atom_index in seen_atoms:
continue
seen_atoms.append(atom_index)
atom_name = atoms[atom_index].get_atom_name() # atom can be one of the acceptable atom names
if atom_name not in acceptable_atom_names:
continue
if atom_name not in dic:
dic[atom_name] = 1
else:
dic[atom_name] += 1
ngh_level = 0
[dic, seen_atoms] = process_nghs(dic, seen_atoms, atoms, atom_index, a_path, ngh_level)
dic['atoms_indices'] = seen_atoms # [_+1 for _ in seen_atoms]
return dic
|
class MicroRaidenException(Exception):
"""Base exception for uRaiden"""
pass
class InvalidBalanceAmount(MicroRaidenException):
"""Raised if the payment contains lesser balance than the previous one."""
pass
class InvalidBalanceProof(MicroRaidenException):
"""Balance proof data do not make sense."""
pass
class NoOpenChannel(MicroRaidenException):
"""Attempt to use nonexisting channel."""
pass
class InsufficientConfirmations(MicroRaidenException):
"""uRaiden channel doesn't have enough confirmations."""
pass
class NoBalanceProofReceived(MicroRaidenException):
"""Attempt to close channel with no registered payments."""
pass
class InvalidContractVersion(MicroRaidenException):
"""Library is not compatible with the deployed contract version"""
pass
class StateFileException(MicroRaidenException):
"""Base exception class for state file (database) operations"""
pass
class StateContractAddrMismatch(StateFileException):
"""Stored state contract address doesn't match."""
pass
class StateReceiverAddrMismatch(StateFileException):
"""Stored state receiver address doesn't match."""
pass
class StateFileLocked(StateFileException):
"""Another process is already using the database"""
pass
class InsecureStateFile(StateFileException):
"""Permissions of the state file do not match (0600 is expected)."""
pass
class NetworkIdMismatch(StateFileException):
"""RPC endpoint and database have different network id."""
pass
|
class Error(Exception):
"""Base class for other exceptions"""
pass
class TopicOrServiceNameDoesNotExistError(Error):
"""The topic or service name passed does not exist in the source destination dictionary."""
pass
|
n = int(input("Enter a number you want to check:"))
def digisum(n):
return sum([int(s) for s in str(n)])
def getfactors(n):
k=2
result=[]
while k ** 2 <= n:
while n%k==0:
result.append(k)
n = n // k
k = k +1
if n > 1:
result.append(n)
return result
if digisum(n)==sum([digisum(i) for i in getfactors(n)]):
print('It is a smith number')
else:
print('It is not a smith number')
|
def obok(n, kost):
szesc = [[[k * n**2 + j * n + i + 1 for i in range(n)] for j in range(n)] for k in range(n)]
p = 0
r = 0
m = 0
for a in range(n):
for b in range(n):
for c in range(n):
if szesc[a][b][c] == kost:
p=a
r=b
m=c
#print(szesc[p][r][m])
ret = []
for indexy in [
[p + 1, r, m], [p - 1, r, m],
[p, r + 1, m], [p, r - 1, m],
[p, r, m + 1], [p, r, m - 1]
]:
if indexy[0] not in range(n) or indexy[1] not in range(n) or indexy[2] not in range(n):
continue
ret.append(szesc[indexy[0]][indexy[1]][indexy[2]])
ret.sort()
return ret
|
def getAbsMax(list, roundTo=None):
"""
`list` - the list/array to find the absolute maximum
`roundTo` - the number of digits to round the result to.
returns the absolute maximum of a list.
"""
x = max(max(list), abs(min(list)))
if roundTo:
x = round(x, roundTo)
return x
|
########
##
## Class to represent a bot in an IPD tournament
##
########
class BotPlayer(object):
"""
This class should be inherited from by bots who define their
own getNextMove method. That is how bots have their own strategy.
self.name is the name of the strategy employed
self.description is an explanation of the strategy
self.tournament_id can be assigned upon beginning each tournament
"""
def __init__(self, name, description=None):
self.name = name
self.description = description
if not self.description:
self.description = self.name
self.tournament_id = None
def __str__(self):
return self.name
def getNextMove(self, pastMoves, payoffs, w):
"""
Given the history of interactions with another bot,
output the next move, either cooperate or defect
This method is to be overridden by bots and should use only static
initialization variables, randomness, and past moves in order to make
a decision. No other state should be updated/saved/taken into account.
TODO: Is that 'no other state' thing valid? What if a bot wants to
do some behavior only once, but when exactly it does so is randomly
determined? I believe this could require some saved information besides
the history of moves, but this seems like a valid strategy.
ARGS:
pastMoves: array of tuples, where each tuple is the pair
of choices made that turn by this bot and its partner
[(myMove1, hisMove1), (myMove2, hisMove2), ...] and
the moves are represented by 'C' for "Cooperate" or 'D'
for "Defect". For example, [('C', 'D'), ('D', 'D'), ...]
RETURNS:
nextMove: 'C' for "Cooperate" or 'D' for "Defect"
"""
## this method should be overridden, so this return value
## doesn't matter
return 'D'
|
class OrderNotFound(Exception):
def __init__(self, message='Order tidak ditemukan!'):
self.message = message
super().__init__(self.message)
pass
|
class Solution:
def addDigits(self, num: int) -> int:
while num > 9:
num = sum(int(ch) for ch in str(num))
return num
|
value = ''
for i in range(1, 10001):
value = value + str(i) + ' '
value = value.replace('0', ' ')
values = value.split(' ')
total = 0;
for num in values:
if num.lstrip().rstrip().strip() == '':
continue
total += int(num)
print ('Total: ' + str(total))
|
class Stack:
def __init__(self):
self.data = []
def pop(self):
if self.is_empty():
return None
val = self.data[len(self.data)-1]
self.data = self.data[:len(self.data)-1]
return val
def peek(self):
if self.is_empty():
return None
return self.data[len(self.data)-1]
def push(self, val):
self.data.append(val)
def is_empty(self):
return len(self.data) == 0
class Queue:
def __init__(self):
self.in_stack = Stack()
self.out_stack = Stack()
def enqueue(self, val):
self.in_stack.push(val)
def dequeue(self):
if self.out_stack.is_empty():
if self.in_stack.is_empty():
return None
while self.in_stack.is_empty() == False:
self.out_stack.push(self.in_stack.pop())
return self.out_stack.pop()
def peek(self):
if self.out_stack.is_empty():
if self.in_stack.is_empty():
return None
while self.in_stack.is_empty() == False:
self.out_stack.push(self.in_stack.pop())
return self.out_stack.peek()
def is_empty(self):
return self.in_stack.is_empty() and self.out_stack.is_empty
def print_queue(q):
s = "["
for i in range(0, len(q.out_stack.data)):
s += str(q.out_stack.data[i])
if i < len(q.out_stack.data)-1:
s += ", "
for i in range(0, len(q.in_stack.data)):
s += str(q.in_stack.data[i])
if i < len(q.in_stack.data)-1:
s += ", "
s += "]"
print(s)
queue = Queue()
queue.enqueue(1)
queue.enqueue(2)
queue.enqueue(3)
# should print [1, 2, 3]
print_queue(queue)
v = queue.dequeue()
# should print [2, 3]
print_queue(queue)
v = queue.dequeue()
# should print [3]
print_queue(queue)
queue.enqueue(4)
queue.enqueue(5)
queue.enqueue(6)
v = queue.dequeue()
# should print [4, 5, 6]
print_queue(queue)
v = queue.dequeue()
v = queue.dequeue()
v = queue.dequeue()
print_queue(queue)
v = queue.dequeue()
print_queue(queue)
|
class Solution:
def numSteps(self, s: str) -> int:
i = int(s, 2)
st = 0
while i != 1:
if i % 2 == 0:
i = i//2
else:
i += 1
st += 1
return st
class Solution2:
def numSteps(self, s: str) -> int:
"""
不转string
模拟位操作
注:对于2这个数字要敏感
"""
res, up = 0, 0
for i in range(len(s) - 1, 0, -1):
res += 2 if up ^ (s[i] == '1') else 1
up = 1 if up or (s[i] == '1') else 0
return res + 1 if up else res
if __name__ == "__main__":
assert Solution2().numSteps('1101') == 6
assert Solution2().numSteps('10') == 1
assert Solution2().numSteps('1') == 0
|
"""The result library."""
class Result:
"""
Construct Result objects.
Result is the basic answer for services that encapsulates the outcome of the service in a clear
and consistent pattern across services. It was added after creating some services, so there are
a few of them that do not make use of it. Eventually we might want to replace the responses for
those services.
"""
@staticmethod
def from_success(value):
"""Return a successful response to a given service."""
return Success(value)
@staticmethod
def from_failure(errors):
"""Return a failure response for a given service."""
return Failure(errors)
def __repr__(self):
return self.__str__()
class Failure:
"""Construct the Failure object for failed services."""
def __init__(self, errors):
self.success = False
self.failure = True
self.errors = errors
def __str__(self):
return "Failure: `{}`".format(str(self.errors))
def __bool__(self):
return False
def map(self, fn):
return self
class Success:
"""Construct the Success object for successful services."""
def __init__(self, value):
self.success = True
self.failure = False
self.value = value
def __str__(self) -> str:
return "Success: `{}`".format(str(self.value))
def __repr__(self) -> str:
return self.__str__()
def __bool__(self):
return True
def map(self, fn):
return Success(fn(self.value))
|
idademedia = float(0)
homemvelho = 0
nomehomem = ''
mulheresnovas = 0
for p in range(1, 5):
print('-' * 5, ' {}ª PESSOA '.format(p), '-' * 5)
# PEGA O NOME
nome = str(input('Nome: ')).strip()
#PEGA A IDADE
idade = int(input('Idade: '))
idademedia += idade
# PEGAR O SEXO
sexo = str(input('Sexo [M/F]: ')).upper().strip()
if sexo == 'F':
if idade < 20:
mulheresnovas += + 1
elif sexo == 'M':
if p == 1:
homemvelho = idade
else:
if idade > homemvelho:
homemvelho = idade
nomehomem = nome
if idade < homemvelho:
homemvelho = homemvelho
#ENCERRA O LOOP
idademedia = idademedia / 4
print('A média de idade do grupo é de {} anos'.format(idademedia))
print('O homem mais velho tem {} anos e se chama {}'.format(homemvelho, nomehomem))
print('Ao todo são {} mulheres com menos de 20 anos'.format(mulheresnovas))
|
class Solution:
def shortestWordDistance(self, words, word1, word2):
i1 = i2 = -1
res, same = float("inf"), word1 == word2
for i, w in enumerate(words):
if w == word1:
if same: i2 = i1
i1 = i
if i2 >= 0: res = min(res, i1 - i2)
elif w == word2:
i2 = i
if i1 >= 0: res = min(res, i2 - i1)
return res
|
class LogSystem:
def __init__(self):
"""Design.
"""
self.d = {}
self.g = {'Year': 4, 'Month': 7, 'Day': 10, 'Hour': 13, 'Minute': 16, 'Second': 19}
def put(self, id: int, timestamp: str) -> None:
self.d[timestamp] = id
def retrieve(self, start: str, end: str, granularity: str) -> List[int]:
idx = self.g[granularity]
s, e = start[:idx], end[:idx]
res = []
for k, v in self.d.items():
if s <= k[:idx] <= e:
res.append(v)
return res
|
if __name__ == '__main__':
n = int(input())
arr = map(int, input().split(' '))
arr = sorted(list(arr))
arr.reverse()
biggest = arr[0]
for i in arr:
if i != biggest:
print(i)
break
|
class Test():
pass
test = Test()
print(test.__new__)
|
i = input('carteira em reais: ')
d = float(i)/3.27
print('carteira em dollar: ',d)
|
# GUI Application automation and testing library
# Copyright (C) 2006 Mark Mc Mahon
#
# This library is free software; you can redistribute it and/or
# modify it under the terms of the GNU Lesser General Public License
# as published by the Free Software Foundation; either version 2.1
# of the License, or (at your option) any later version.
#
# This library is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
# See the GNU Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with this library; if not, write to the
# Free Software Foundation, Inc.,
# 59 Temple Place,
# Suite 330,
# Boston, MA 02111-1307 USA
"""ComboBox dropped height Test
**What is checked**
It is ensured that the height of the list displayed when the combobox is
dropped down is not less than the height of the reference.
**How is it checked**
The value for the dropped rectangle can be retrieved from windows. The height
of this rectangle is calculated and compared against the reference height.
**When is a bug reported**
If the height of the dropped rectangle for the combobox being checked is less
than the height of the reference one then a bug is reported.
**Bug Extra Information**
There is no extra information associated with this bug type
**Is Reference dialog needed**
The reference dialog is necessary for this test.
**False positive bug reports**
No false bugs should be reported. If the font of the localised control has a
smaller height than the reference then it is possible that the dropped
rectangle could be of a different size.
**Test Identifier**
The identifier for this test/bug is "ComboBoxDroppedHeight"
"""
__revision__ = "$Revision: 276 $"
testname = "ComboBoxDroppedHeight"
def ComboBoxDroppedHeightTest(windows):
"Check if each combobox height is the same as the reference"
bugs = []
for win in windows:
if not win.ref:
continue
if win.Class() != "ComboBox" or win.ref.Class() != "ComboBox":
continue
if win.DroppedRect().height() != win.ref.DroppedRect().height():
bugs.append((
[win, ],
{},
testname,
0,)
)
return bugs
|
class News:
'''
news class to define news Objects
'''
def __init__(self, id, name, description, url, category, language, country):
self.id =id
self.name = name
self.description= description
self.url =url
self.category=category
self.language = language
self.country = country
|
# Copyright 2016 Google Inc. 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.
def generate_makefile(sources, executable_name, compile_command, link_command, link_command_suffix):
link_rule_template = """
{executable_name}: {object_files}
\t{link_command} {object_files} -o {executable_name} {link_command_suffix}
"""
compile_rule_template = """
{name}.o: {name}.cpp
\t{compile_command} -c {name}.cpp -o {name}.o
"""
clean_rule_template = """
clean:
\trm -f {object_files} {executable_name}
"""
compile_rules = []
object_files = []
for source in sources:
compile_rule = compile_rule_template.format(
name=source,
compile_command=compile_command)
compile_rules += [compile_rule]
object_files += ['%s.o' % source]
link_rule = link_rule_template.format(
object_files=' '.join(object_files),
link_command=link_command,
link_command_suffix=link_command_suffix,
executable_name=executable_name)
clean_rule = clean_rule_template.format(
object_files=' '.join(object_files),
executable_name=executable_name)
# We put the link rule first so that it's the default Make target.
return link_rule + ''.join(compile_rules) + clean_rule
|
class Solution:
# 1st solution, TLE
def shortestPath(self, grid: List[List[int]], k: int) -> int:
ans = [float("inf")]
self.bfs(grid, 0, 0, 0, k, ans)
return ans[0] if ans[0] != float("inf") else -1
def bfs(self, grid, i, j, steps, k, ans):
if k < 0:
return
m = len(grid)
n = len(grid[0])
if ans[0] == m + n - 2:
return
if i < 0 or i > m - 1 or j < 0 or j > n - 1 or grid[i][j] == "#":
return
if (i, j) == (m - 1, n - 1):
ans[0] = min(ans[0], steps)
return
for x, y in [(1, 0), (0, 1), (-1, 0), (0, -1)]:
tmp = grid[i][j]
grid[i][j] = "#"
self.bfs(grid, i + x, j + y, steps + 1, k - tmp, ans)
grid[i][j] = tmp
# 2nd solution
# O(m * n * k) time | O(m * n * k) space
def shortestPath(self, grid: List[List[int]], k: int) -> int:
m, n = len(grid), len(grid[0])
stack, visited = deque([(0, 0, 0, k)]), set()
if k >= m + n - 2:
return m + n - 2
while stack:
steps, i, j, k = stack.popleft()
if (i, j) == (m-1, n-1): return steps
for x, y in [(0, -1), (0, 1), (-1, 0), (1, 0)]:
row, col = i + x, j + y
if 0 <= row < m and 0 <= col < n and k - grid[row][col] >= 0:
new = (row, col, k - grid[row][col])
if new not in visited:
visited.add(new)
stack.append((steps + 1,) + new)
return -1
|
def is_palindrome(line: str) -> bool:
# Здесь реализация вашего решения
pass
print(is_palindrome(input().strip()))
|
class Solution:
def customSortString(self, S: str, T: str) -> str:
char_map = {}
for el in S:
char_map[el] = 0
for el in T:
if el in char_map:
char_map[el] = char_map[el] + 1
else:
char_map[el] = 1
output_str = ""
for el in char_map.keys():
num = char_map[el]
for i in range(0, num):
output_str += el
return output_str
if __name__ == '__main__':
S = "cba"
T = "abcd"
solution = Solution()
result = solution.customSortString(S, T)
print(result)
|
load("@bazel_tools//tools/build_defs/repo:utils.bzl", "maybe")
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def taskflow_repository():
maybe(
http_archive,
name = "taskflow",
urls = [
"https://github.com/taskflow/taskflow/archive/refs/tags/v3.2.0.zip",
],
sha256 = "dec011fcd9d73ae4bd8ae4d2714c2c108a013d5f27761d77aa33ea28f516ac8a",
strip_prefix = "taskflow-3.2.0/",
build_file = "@third_party//taskflow:package.BUILD",
)
|
line = input()
abbr = line[0]
for i in range(len(line)):
if line[i] == "-":
abbr += line[i+1]
print(abbr)
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Wed May 6 11:24:11 2020
provides formatting for COVID-19 Notebook
@author: seanlucas
"""
def html_catalog(catalog):
metadata = catalog.get_metadata()
dataproduct_rows = ''
for dataproduct in metadata['dataProducts']:
dataproduct_rows += f'''
<tr style="border: 1px solid black">
<td style="text-align:left; border: 1px solid black">{dataproduct['name']}</td>
<td style="text-align:left; border: 1px solid black">{dataproduct['id']}</td>
</tr>
'''
return f'''
<html>
<body>
<div>
<h1>{metadata['name']} ({metadata['id']})</h1>
<p>{metadata['description']}</p>
<table style="border: 1px solid black">
<tr style="border: 1px solid black">
<td colspan="2" style="text-align:center"><b>Dataproducts</b></td>
</tr>
<tr style="border: 1px solid black">
<td style="text-align:center; border: 1px solid black"><b>Name</b></td>
<td style="text-align:center; border: 1px solid black"><b>ID</b></td>
</tr>
{dataproduct_rows}
</table>
</div>
</body>
</html>
'''
def html_variables(dataproduct):
metadata = dataproduct.get_variable()
var_rows = ''
for variable in metadata:
class_id = ''
try:
class_id = variable['classificationId']
except KeyError:
pass
var_rows += f'''
<tr style="border: 1px solid black">
<td style="text-align:left; border: 1px solid black">{variable['name']}</td>
<td style="text-align:left; border: 1px solid black">{variable['id']}</td>
<td style="text-align:left; border: 1px solid black">{variable['label']}</td>
<td style="text-align:left; border: 1px solid black">{variable['dataType']}</td>
<td style="text-align:left; border: 1px solid black">{class_id}</td>
</tr>
'''
return f'''
<html>
<body>
<div>
<table style="border: 1px solid black">
<tr style="border: 1px solid black">
<td colspan="5" style="text-align:center"><b>Variables</b></td>
</tr>
<tr style="border: 1px solid black">
<td style="text-align:center; border: 1px solid black"><b>Name</b></td>
<td style="text-align:center; border: 1px solid black"><b>ID</b></td>
<td style="text-align:center; border: 1px solid black"><b>Label</b></td>
<td style="text-align:center; border: 1px solid black"><b>Data Type</b></td>
<td style="text-align:center; border: 1px solid black"><b>Classification</b></td>
</tr>
{var_rows}
</table>
</div>
</body>
</html>
'''
def html_classification(dataproduct, class_id, limit=20):
metadata = dataproduct.get_classification(class_id)
code_count = metadata['rootCodeCount']
codes = dataproduct.get_code(class_id, limit)
code_rows = ''
for code in codes:
code_rows += f'''
<tr style="border: 1px solid black">
<td style="text-align:left; border: 1px solid black">{code['codeValue']}</td>
<td style="text-align:left; border: 1px solid black">{code['name']}</td>
</tr>
'''
return f'''
<html>
<body>
<div>
<h1>{metadata['id']}</h1>
<p>Code Count: {code_count}</p>
<table style="border: 1px solid black">
<tr style="border: 1px solid black">
<td colspan="2" style="text-align:center"><b>Codes</b></td>
</tr>
<tr style="border: 1px solid black">
<td style="text-align:center; border: 1px solid black"><b>Value</b></td>
<td style="text-align:center; border: 1px solid black"><b>Label</b></td>
</tr>
{code_rows}
</table>
</div>
</body>
</html>
'''
|
class BinaryTree:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def nodeDepths(root, depth=0):
if root is None:
return 0
return (depth + nodeDepths(root.left, depth + 1)
+ nodeDepths(root.right, depth + 1))
|
def sqrt(x):
y = 1.0
while abs(y*y - x) > 1e-6 :
print(y)
y=(y+x/y)/2
return y
if __name__=='__main__':
print(sqrt(99))
|
# encoding:utf-8
# 默认都是从小到大排序
# 1 选择排序比冒泡好,交换次数少
def select_sort(lists):
for i in range(0, len(lists)):
min = i # 不同之处
for j in range(i + 1, len(lists)):
if lists[j] < lists[min]:
min = j
lists[min], lists[i] = lists[i], lists[min] # 这儿才交换
return lists
# 2
def bubble_sort(lists):
for i in range(len(lists)): # i没用,所以没关系,遍历全部就可以了
for j in range(len(lists) - 1):
if lists[j] > lists[j + 1]: # 把大的往后面沉 沉底的意思。默认都是从小到大
lists[j], lists[j + 1] = lists[j + 1], lists[j] # 每次都交换
return lists
# 3
# 归并排序两部分,这个是合并有序数列
def merge(left, right):
i, j = 0, 0 # 初始化i,j
result = []
while i < len(left) and j < len(right):
if left[i] < right[j]:
result.append(left[i])
i += 1 # 写while 的时候不要忘记了要给计数器迭代
else:
result.append(right[j])
j += 1
result += left[i:] # 这儿直接把i后面未添加的直接加进来,以为已经排好序了
result += right[j:] # 两个都是直接把后面的添加进来就好,默认leftlist比较小来处理,并且有序
return result
def merge_sort(lists): # 先递归后合并处理(相当于后序遍历)
if len(lists) <= 1:
return lists
num = len(lists) // 2 # python3中需要使用// 来获得整数的商
left = merge_sort(lists[:num]) # 返回的都是后面带顺序后的
right = merge_sort(lists[num:]) # 这种就是递归的思想,不过左右边都一样的
result = merge(left, right)
return result
# 4
# 下面是快速排序,这个是很省空间的,数组原地进行变化
def quick_sort(lists, left, right): # 而这边的left一定是0,right一定是len(lists)-1,一定是头和尾,不然会漏掉
if left >= right:
return lists
low = left
high = right
pivot = lists[left] # 这个就是pivot,设定这个作为比较的枢轴 ,把值暂存
while left < right: # 只要上层的L R没相遇在同一个下标中,那就继续,中途停下交换右标比pivot小的,左标比pivot大的
# https://www.bilibili.com/video/BV1at411T75o/?spm_id_from=333.788.videocard.1
while left < right and lists[right] >= pivot: # l,r没相遇;并且右边的没遇到小于pivot的 ,它这个是先移动的右边。
right -= 1 # 不断的往前移动
lists[left] = lists[right] # 遇到了就把小的值放到了pivot的位置上,然后才开始移动做光标。
while left < right and lists[left] <= pivot:
left += 1
lists[right] = lists[left] # ,刚才的r光标的值已经给了pivot位置,所以现是空。把这个大于中间值的数给右边这个空的位置
lists[right] = pivot # 出来while循环的时候就是L 和 R 相遇的时候,所以左右都一样。放上pivot值。这时候把key放上去与就可以了
quick_sort(lists, low, left - 1) # 把,让这一段就开始分治疗了,有多少个部分(就分多少个部分进行递归处理)
quick_sort(lists, left + 1, high)
return lists
# 5 插入排序
def insert_sort(lists):
for i in range(1, len(lists)): # 最左边的当成已经完成排序,所以从第一个开始
key = lists[i] # 依次取出已经排序好的列表最左端的未排序好的那个
j = i - 1 # 减了1后就是从前面已经排序好的下标最大的那个开始,前面的一个
while j >= 0: # 每次选一个key和前面的"已排序"的比,只要大于就交换两值(类局部冒泡)
if lists[j] > key:
lists[j + 1] = lists[j] # 大于的话就把值和下标大于1的互换,因为一开始key已经存好,不怕
lists[j] = key
j -= 1
return lists
# 6堆排序
# def adjust_head(lists,i,size):
# lchild = 2*i+1
# rchild = 2*i+1
# maxs =
# 7 希尔排序 这个没问题,插入排序的改进版,所以他的核心分组操作时为了
# 最后一次的插入操作整体已经变得相对的有序了,减少了插入排序最坏情况移
# 动距离过长的问题。
# 希尔排序中的增量就 相当于机器学习的那种了,可以用来调参了
# https://www.cnblogs.com/l199616j/p/10740165.html
def shell_sort(lists):
count = len(lists)
step = 2 # 一般默认/2 ,取多少这个是一个数学问题。2叫希尔增量
group = count // step # yp3中取整使用这个样子
while group > 0:
for i in range(0, group):
j = i + group
while j < count:
k = j - group
key = lists[j] # 这儿也和选择排序一样,每次都暂存要处理的值
while k >= 0: # 这部分和选择排序是一样的
# 区别是直接的插入排序是lists[k+1] 这样连续的
if lists[k] > key:
lists[k + group] = lists[k]
lists[k] = key
k -= group
j += group
group //= step
return lists
if __name__ == '__main__':
a = [6, 4, 3, 7, 8, 2, 1, 1]
print(a)
print("排序结果")
print(select_sort(a))
print(bubble_sort(a))
print(merge_sort(a))
print(quick_sort(a, 0, len(a) - 1))
print(insert_sort(a))
print(shell_sort(a))
|
a1 = str(input('Digite o nome completo de uma pessoa : '))
a3 = a1.strip().lower().find('silva')
if a3 < 0:
print('O nome {} nao possui a palavra Silva'.format(a1))
else:
print('O nome {} possui a palavra Silva'.format(a1))
# ou
nom = str(input('digite o nome : ')).strip()
print('seu nome tem silva? {}'.format('silva' in nom.lower()))
|
#===============================================
#RESOLUTION KEYWORDS
#===============================================
oref = 0 #over refine factor - should typically be set to 0
n_ref = 32 #when n_particles > n_ref, octree refines further
zoom_box_len = 100 #kpc; so the box will be +/- zoom_box_len from the center
bbox_lim = 1.e5 #kpc - this is the initial bounding box of the grid (+/- bbox_lim)
#This *must* encompass all of the particles in the
#simulation.
#===============================================
#PARALLELIZATION
#===============================================
n_processes = 16 #number of pool processes to run
n_MPI_processes = 1 #number oF MPI processes to run
#===============================================
#RT INFORMATION
#===============================================
n_photons_initial = 1.e5
n_photons_imaging = 1.e5
n_photons_raytracing_sources = 1.e5
n_photons_raytracing_dust = 1.e5
FORCE_RANDOM_SEED = False
seed = -12345 #has to be an int, and negative.
#===============================================
#DUST INFORMATION
#===============================================
dustdir = '/home/desika.narayanan/hyperion-dust-0.1.0/dust_files/' #location of your dust files
dustfile = 'd03_3.1_6.0_A.hdf5'
PAH = True
dust_grid_type = 'dtm' #needs to be in ['dtm','rr','manual','li_bestfit']
dusttometals_ratio = 0.4
enforce_energy_range = False #False is the default; ensures energy conservation
SUBLIMATION = False #do we automatically kill dust grains above the
#sublimation temperature; right now is set to fast
#mode
SUBLIMATION_TEMPERATURE = 1600. #K -- meaningliess if SUBLIMATION == False
#===============================================
#STELLAR SEDS INFO
#===============================================
FORCE_BINNING = True #force SED binning
imf_type = 2 #FSPS imf types; 0 = salpeter, 1 = chabrier; 2 = kroupa; 3 and 4 (vandokkum/dave) not currently supported
pagb = 0 #weight given to post agb stars# 1 is the default
add_neb_emission = False #add nebular line emission from Cloudy Lookup tables (dev. by Nell Byler)
gas_logu = -2 #gas ionization parameter for HII regions; only relevant
#if add_neb_emission = True default = -2
FORCE_gas_logz = False #if set, then we force the gas_logz of HII
#regions to be gas_logz (next parameter); else, it is taken to be the star particles metallicity. default is False
gas_logz = 0 #units of log(Z/Z_sun); metallicity of the HII region
#metallicity; only relevant if add_neb_emission = True;
#default is 0
add_agb_dust_model=False #add circumstellar AGB dust model (100%); Villaume, Conroy & Jonson 2015
CF_on = False #if set to true, then we enable the Charlot & Fall birthcloud models
birth_cloud_clearing_age = 0.01 #Gyr - stars with age <
#birth_cloud_clearing_age have
#charlot&fall birthclouds meaningless
#of CF_on == False
Z_init = 0 #force a metallicity increase in the newstar particles.
#This is useful for idealized galaxies. The units for this
#are absolute (so enter 0.02 for solar). Setting to 0
#means you use the stellar metallicities as they come in
#the simulation (more likely appropriate for cosmological
#runs)
#Idealized Galaxy SED Parameters
disk_stars_age = 8 #Gyr ;meaningless if this is a cosmological simulation; note, if this is <= 7, then these will live in birth clouds
bulge_stars_age = 8 #Gyr ; meaningless if this is a cosmological simulation; note, if this is <= 7, then these will live in birth clouds
disk_stars_metals = 19 #in fsps metallicity units
bulge_stars_metals = 19 #in fsps metallicity units
#bins for binning the stellar ages and metallicities for SED
#assignments in cases of many (where many ==
#>N_METALLICITY_BINS*N_STELLAR_AGE_BINS) stars; this is necessary for
#reduction of memory load; see manual for details.
N_STELLAR_AGE_BINS = 100
metallicity_legend= "/home/desika.narayanan/fsps/ISOCHRONES/Padova/Padova2007/zlegend.dat"
#===============================================
#BLACK HOLE STUFF
#===============================================
BH_SED = False
BH_eta = 0.1 #bhluminosity = BH_eta * mdot * c**2.
BH_model = "Nenkova"
BH_modelfile = "/home/desika.narayanan/powderday/agn_models/clumpy_models_201410_tvavg.hdf5"
# The Nenkova BH_modelfile can be downloaded here:
# https://www.clumpy.org/downloads/clumpy_models_201410_tvavg.hdf5
nenkova_params = [5,30,0,1.5,30,40] #Nenkova+ (2008) model parameters
#===============================================
#IMAGES AND SED
#===============================================
NTHETA = 1
NPHI = 1
SED = True
SED_MONOCHROMATIC = False
FIX_SED_MONOCHROMATIC_WAVELENGTHS = False #if set, then we only use
#nlam wavelengths in the
#range between min_lam and
#max_lam
SED_MONOCHROMATIC_min_lam = 0.3 #micron
SED_MONOCHROMATIC_max_lam = 0.4 #micron
SED_MONOCHROMATIC_nlam = 100
IMAGING = False
filterdir = '/home/desika.narayanan/powderday/filters/'
filterfiles = [
'arbitrary.filter',
# 'ACS_F475W.filter',
# 'ACS_F606W.filter',
# 'ACS_F814W.filter',
# 'B_subaru.filter',
]
# Insert additional filter files as above. In bash, the following command
# formats the filenames for easy copying/pasting.
# $ shopt -s globstar; printf "# '%s'\n" *.filter
npix_x = 128
npix_y = 128
#experimental and under development - not advised for use
IMAGING_TRANSMISSION_FILTER = False
filter_list = ['filters/irac_ch1.filter']
TRANSMISSION_FILTER_REDSHIFT = 0.001
#===============================================
#OTHER INFORMATION
#===============================================
solar = 0.013
PAH_frac = {'usg': 0.0586, 'vsg': 0.1351, 'big': 0.8063} # values will be normalized to 1
#===============================================
#DEBUGGING
#===============================================
SOURCES_IN_CENTER = False
STELLAR_SED_WRITE = True
SKIP_RT = False #skip radiative transfer (i.e. just read in the grids and maybe write some diagnostics)
SUPER_SIMPLE_SED = False #just generate 1 oct of 100 pc on a side,
#centered on [0,0,0]. sources are added at
#random positions.
SKIP_GRID_READIN = False
CONSTANT_DUST_GRID = False #if set, then we don't create a dust grid by
#smoothing, but rather just make it the same
#size as the octree with a constant value of
#4e-20
N_MASS_BINS = 1 #this is really just a place holder that exists in
#some loops to be able to insert some code downstream
#for spatially varying IMFs. right now for speed best
#to set to 1 as it doesn't actually do anything.
FORCE_STELLAR_AGES = False
FORCE_STELLAR_AGES_VALUE = 0.05# Gyr
FORCE_STELLAR_METALLICITIES = False
FORCE_STELLAR_METALLICITIES_VALUE = 0.012 #absolute values (so 0.013 ~ solar)
|
#
# PySNMP MIB module CISCO-VLAN-BRIDGING-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-VLAN-BRIDGING-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:18:48 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
CiscoPortList, = mibBuilder.importSymbols("CISCO-TC", "CiscoPortList")
vtpVlanIndex, = mibBuilder.importSymbols("CISCO-VTP-MIB", "vtpVlanIndex")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
Gauge32, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, MibIdentifier, Integer32, Counter64, Counter32, ModuleIdentity, Unsigned32, ObjectIdentity, Bits, NotificationType, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "MibIdentifier", "Integer32", "Counter64", "Counter32", "ModuleIdentity", "Unsigned32", "ObjectIdentity", "Bits", "NotificationType", "iso")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
ciscoVlanBridgingMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 56))
ciscoVlanBridgingMIB.setRevisions(('2003-08-22 00:00', '1996-09-12 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: ciscoVlanBridgingMIB.setRevisionsDescriptions(('Deprecate cvbStpForwardingMap and define cvbStpForwardingMap2k to support up to 2k bridge ports.', 'Initial version of this MIB module.',))
if mibBuilder.loadTexts: ciscoVlanBridgingMIB.setLastUpdated('200308220000Z')
if mibBuilder.loadTexts: ciscoVlanBridgingMIB.setOrganization('Cisco Systems, Inc.')
if mibBuilder.loadTexts: ciscoVlanBridgingMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-vlans@cisco.com cs-lan-switch-snmp')
if mibBuilder.loadTexts: ciscoVlanBridgingMIB.setDescription('A set of managed objects for optimizing access to bridging related data from RFC 1493. This MIB is modeled after portions of RFC 1493, adding VLAN ID based indexing and bitmapped encoding of frequently accessed data.')
ciscoVlanBridgingMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 56, 1))
cvbStp = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 56, 1, 1))
cvbStpTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 56, 1, 1, 1), )
if mibBuilder.loadTexts: cvbStpTable.setStatus('current')
if mibBuilder.loadTexts: cvbStpTable.setDescription('This table contains device STP status information for each VLAN.')
cvbStpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 56, 1, 1, 1, 1), ).setIndexNames((0, "CISCO-VTP-MIB", "vtpVlanIndex"))
if mibBuilder.loadTexts: cvbStpEntry.setStatus('current')
if mibBuilder.loadTexts: cvbStpEntry.setDescription('Device STP status for specified VLAN.')
cvbStpForwardingMap = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 56, 1, 1, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cvbStpForwardingMap.setStatus('deprecated')
if mibBuilder.loadTexts: cvbStpForwardingMap.setDescription('An indication of which ports are forwarding by spanning tree for the specified VLAN. The octet string contains one bit per port on the bridge for the specified VLAN. Each octet within the value of this object specifies a set of eight ports, with the first octet specifying ports 1 through 8, the second octet specifying ports 9 through 16, etc. Within each octet, the most significant bit represents the lowest numbered port, and the least significant bit represents the highest numbered port. The bit value interpretation is related to RFC 1493 dot1dStpPortState values is as follows: 1 = forwarding 0 = disabled, blocking, listening, learning, broken, or nonexistent')
cvbStpForwardingMap2k = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 56, 1, 1, 1, 1, 3), CiscoPortList()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cvbStpForwardingMap2k.setStatus('current')
if mibBuilder.loadTexts: cvbStpForwardingMap2k.setDescription('An indication of which ports are forwarding by spanning tree for the specified VLAN. The octet string contains one bit per port on the bridge for the specified VLAN. This object has STP status information of up to 2k ports with the port number from 1 to 2048. Each octet within the value of this object specifies a set of eight ports, with the first octet specifying ports 1 through 8, the second octet specifying ports 9 through 16, etc. Within each octet, the most significant bit represents the lowest numbered port, and the least significant bit represents the highest numbered port. The bit value interpretation is related to RFC 1493 dot1dStpPortState values is as follows: 1 = forwarding 0 = disabled, blocking, listening, learning, broken, or nonexistent.')
ciscoVlanBridgingMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 56, 3))
ciscoVlanBridgingMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 1))
ciscoVlanBridgingMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 2))
ciscoVlanBridgingMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 1, 1)).setObjects(("CISCO-VLAN-BRIDGING-MIB", "ciscoVlanBridgingMIBGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoVlanBridgingMIBCompliance = ciscoVlanBridgingMIBCompliance.setStatus('deprecated')
if mibBuilder.loadTexts: ciscoVlanBridgingMIBCompliance.setDescription('The compliance statement for entities which implement the Cisco VLAN Bridging MIB.')
ciscoVlanBridgingMIBCompliance2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 1, 2)).setObjects(("CISCO-VLAN-BRIDGING-MIB", "ciscoVlanBridgingMIBGroup2"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoVlanBridgingMIBCompliance2 = ciscoVlanBridgingMIBCompliance2.setStatus('current')
if mibBuilder.loadTexts: ciscoVlanBridgingMIBCompliance2.setDescription('The compliance statement for entities which implement the Cisco VLAN Bridging MIB.')
ciscoVlanBridgingMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 2, 1)).setObjects(("CISCO-VLAN-BRIDGING-MIB", "cvbStpForwardingMap"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoVlanBridgingMIBGroup = ciscoVlanBridgingMIBGroup.setStatus('deprecated')
if mibBuilder.loadTexts: ciscoVlanBridgingMIBGroup.setDescription('A collection of objects providing the STP status information of up to 1k ports with the port number from 1 to 1024.')
ciscoVlanBridgingMIBGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 56, 3, 2, 2)).setObjects(("CISCO-VLAN-BRIDGING-MIB", "cvbStpForwardingMap2k"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoVlanBridgingMIBGroup2 = ciscoVlanBridgingMIBGroup2.setStatus('current')
if mibBuilder.loadTexts: ciscoVlanBridgingMIBGroup2.setDescription('A collection of objects providing the STP status information of up to 2k ports with the port number from 1 to 2048.')
mibBuilder.exportSymbols("CISCO-VLAN-BRIDGING-MIB", ciscoVlanBridgingMIB=ciscoVlanBridgingMIB, cvbStp=cvbStp, cvbStpTable=cvbStpTable, ciscoVlanBridgingMIBConformance=ciscoVlanBridgingMIBConformance, ciscoVlanBridgingMIBCompliance=ciscoVlanBridgingMIBCompliance, ciscoVlanBridgingMIBCompliance2=ciscoVlanBridgingMIBCompliance2, ciscoVlanBridgingMIBObjects=ciscoVlanBridgingMIBObjects, PYSNMP_MODULE_ID=ciscoVlanBridgingMIB, ciscoVlanBridgingMIBGroup2=ciscoVlanBridgingMIBGroup2, ciscoVlanBridgingMIBGroups=ciscoVlanBridgingMIBGroups, ciscoVlanBridgingMIBGroup=ciscoVlanBridgingMIBGroup, cvbStpForwardingMap=cvbStpForwardingMap, cvbStpEntry=cvbStpEntry, ciscoVlanBridgingMIBCompliances=ciscoVlanBridgingMIBCompliances, cvbStpForwardingMap2k=cvbStpForwardingMap2k)
|
# Error Handling
def inp(a):
while True:
try:
n = int(input(a))
except ValueError:
print('Please enter a number only !!')
else:
return n
print(inp("Enter a number: "))
try:
while x:
print("Hello\n")
raise NameError
except NameError as e:
print(e)
finally:
print("Done")
|
class Diff:
def __init__(self):
self.user = None
self.date = None
self.note = None
self.fields = {}
def diff_historical_object(original_historical_object, changed_historical_object):
"""
Performs a diff between two historical objects to determine which fields have changed.
The historical_object must have a HistoricalRecord attribute named history, a
TextField named history_note, and
a Meta field named diff_fields containing a list of field names to diff.
:param original_historical_object: the original historical object
:param changed_historical_object: the changed historical object
:return: a Diff
"""
diff = Diff()
diff.date = changed_historical_object.history_date
diff.user = changed_historical_object.history_user
diff.note = changed_historical_object.history_note
for field in changed_historical_object.history_object._meta.diff_fields:
value = getattr(changed_historical_object, field)
if value == "":
value = None
original_value = getattr(original_historical_object, field) if original_historical_object else None
if original_value == "":
original_value = None
if value != original_value:
diff.fields[field] = (original_value, value)
return diff
def diff_object_history(obj):
"""
Performs a diff on all of an object's historical objects.
:param obj: the object which has a history
:return: a list of Diffs, from most recent historical object backwards
"""
diffs = []
historical_objects = list(obj.history.all())
for i, historical_object in enumerate(historical_objects):
diffs.append(diff_historical_object(historical_objects[i + 1] if i < len(historical_objects) - 1 else None,
historical_object))
return diffs
def diff_field_changed(obj):
"""
Returns True if a diff field was changed the last time this object was saved.
This is determined by comparing the date_updated fields of the object and
the first historical object.
:param obj: the object which has a history
:return: True if a diff field was changed
"""
return obj.date_updated == obj.history.first().date_updated
def clean_token(token):
"""
Cleans a token such as a Twitter screen name.
"""
if token is None:
return None
stripped_token = token.strip()
return stripped_token[1:] if stripped_token.startswith('@') else stripped_token
def clean_blogname(blogname):
"""
Cut of the 'tumblr.com'
:param blogname:
:return: short blogname
"""
if blogname is None:
return None
stripped_blogname = blogname.strip().lower()
return stripped_blogname[:-11] if stripped_blogname.endswith('.tumblr.com') else stripped_blogname
|
high = 0
for x in range(100,1000):
for y in range(100,1000):
if str(x*y) == str(x*y)[::-1] and x*y>high:
high = x*y
print(high)
|
# %% [504. Base 7](https://leetcode.com/problems/base-7/)
class Solution:
def convertToBase7(self, num: int) -> str:
sign, num = "-" * (num < 0), abs(num)
res = []
while num:
res.append(str(num % 7))
num //= 7
return sign + "".join(res[::-1] or ["0"])
|
print('=========== SUCESSOR E ANTECESSOR ===========')
n = int(input('Digite um numero: '))
sucessor = n + 1
antecessor = n - 1
print(f'O número escolhido é {n}\nSeu sucessor é {sucessor}\nE seu antecessor é {antecessor}')
|
label_6000 = [
"健全",
"女の子1人",
"ソロ",
"長い髪",
"高解像度",
"おっぱい",
"赤面",
"スマイル",
"ショートヘア",
"ビューアを見て",
"口を開けてる",
"複数の女の子",
"青い目",
"ブロンドの髪",
"茶髪",
"東方",
"スカート",
"帽子",
"ニーソックス",
"大きな胸",
"黒髪",
"赤い目",
"悪いID",
"卑猥かも?",
"女の子2人",
"悪いピクシブのID",
"リボン",
"手袋",
"髪飾り",
"ドレス",
"シンプルな背景",
"男1人",
"弓",
"元の",
"茶色の目",
"学生服",
"ツインテール",
"前髪",
"下着",
"ネーブル",
"白色の背景",
"メタスコア1",
"メディア胸",
"シャツ",
"緑の目",
"モノクローム",
"劈開",
"座っ",
"動物の耳",
"メタスコア0",
"パンティー",
"長袖",
"翻訳",
"メタスコア2",
"青い髪",
"艦隊コレクション",
"乳首",
"非常に長い髪",
"解説要求",
"メタスコア3",
"年齢レーティング電子",
"漫画",
"宝石",
"裸の肩",
"髪を通して見える眉毛",
"紫目",
"超高解像度",
"目を閉じ",
"髪のリボン",
"武器",
"グレースケール",
"メタスコア4",
"黒のレッグウェア",
"ポニーテール",
"紫の髪",
"黄色目",
"ピンクの髪",
"メタスコア5",
"ホールディング",
"毛の弓",
"尾",
"水着",
"尻",
"銀の髪",
"常任",
"花",
"翻訳依頼",
"組紐",
"メタスコア6",
"ヘアバンド",
"フルボディ",
"パンスト",
"アホ毛",
":D",
"目の間の毛",
"ブーツ",
"鎖骨",
"赤毛",
"翼",
"ヌード",
"緑色の髪",
"ハート",
"眼鏡",
"和服",
"メタスコア7",
"セーラー服",
"片目を閉じました",
"デタッチ袖",
"男性の焦点",
"食物",
"複数の男の子",
"横たわります",
"プリーツスカート",
"ジャケット",
"半袖",
"ビキニ",
"汗",
"裸足",
"小さな胸",
"ネクタイ",
"検閲",
"メタスコア8",
"口を閉じ",
"上半身",
"ヘテロ",
"靴",
"白髪",
"涙",
"白レッグウェア",
"空",
"運命(シリーズ)",
"肘手袋",
"プッシー",
"ストライピング",
"剣",
"メタスコア9",
"陰茎",
"女の子3人",
"解説",
"フリル",
"イヤリング",
"オープン服",
"上腹部",
"カウボーイショット",
"公式アート",
"振り返ってる",
"日",
"牙",
"別の衣装",
"ショートパンツ",
"ソロフォーカス",
"先のとがった耳",
"sidelocks",
"ヘアークリップ",
"舌",
"アイドルマスター",
"別れた唇",
"猫耳",
"チョーカー",
"雲",
"屋外",
"兼",
"ベルト",
"白のシャツ",
"ホルン",
"ちび",
"2boys",
"太もも",
"アーティスト要求",
"ふくらんで袖",
"ユニフォーム",
"指手袋",
"色とりどりの髪",
"VOCALOID",
"百合",
"足を広げる",
"スカーフ",
"ピンクの目",
"袖無し",
"白い手袋",
"髪の花",
"白いパンティー",
"ケープ",
"着物",
"平らな胸",
"サイドポニーテール",
"星",
"靴下",
"水",
"後ろに",
"シャイニー",
"性別",
"sweatdrop",
"ミニスカート",
"スケッチ",
"歯牙",
"脇の下",
"キャラクター名",
":O",
"絶対領域",
"黒目",
"アーティスト名",
"鎧",
"ブラジャー",
"広い袖",
"巨乳",
"舌を出す",
"ツイン三つ編み",
"バッグ",
"黒手袋",
"アクア目",
"運命/壮大順",
"オレンジ色の髪",
"カバー乳首",
"背後から",
"黒い肌",
"ネックレス",
"フード",
"うさぎの耳",
"エプロン",
"lowres",
"にっこり笑います",
"署名",
"軍事的",
"ベスト",
"唇",
"灰色の髪の毛",
"足",
"鈍い前髪",
"ブレスレット",
"アイドルマスターシンデレラの女の子",
"ちょうネクタイ",
"著作権のリクエスト",
"片目を超える髪",
"両サイドアップ",
"膣",
"パンツ",
"ハイヒール",
"本",
"女の子4人",
"日付",
"4コマ漫画",
"木",
"初音ミク",
"銃",
"がkneehighs",
"ポケットモンスター",
"軍服",
"屋内",
"下肢",
"抱擁",
"襟",
"セーラー襟",
"メイド",
"オープンシャツ",
"手を上げて",
"ネールポリッシュ",
"博麗霊夢",
"コスプレ",
"Twitterのユーザー名",
"モザイク検閲",
"猫の尻尾",
"スキャン",
"裂けた服",
"黒のスカート",
"ワンピース水着",
"ダッチアングル",
"アクア髪",
"セーター",
"魔理沙魔理沙",
"跪け",
"魔法少女まどかマギカ",
"花びら",
"格子縞",
"腰上の手",
"別のを見て",
"何のブラジャーません",
"手首カフス",
"ぬれました",
"頭部傾斜",
"白いドレス",
"6人の+女の子",
"何のパンティーありません",
"アップアーム",
"ロリ",
"サッシ",
"光沢のある皮膚",
"カップ",
"肩オフ",
"メイド頭飾り",
"股",
"モル",
"血液",
"保持武器",
"ベッド",
"枕",
"魔女の帽子",
"アスコット",
"サイドから",
"フルーツ",
"英語のテキスト",
"陰毛",
"眉毛",
"魔法少女",
"ネッカチーフ",
"唾液",
"V字型の眉",
"sideboob",
"シングル三つ編み",
"シースルー",
"pantyshot",
"襟付きのシャツ",
"兄弟",
"ふくらん半袖",
"著作権の名前",
"黒いパンティー",
"パロディー",
"ヘッドフォン",
"^ ^",
"底なしの",
"マンコ汁",
"灰色の背景",
"オレンジ色の目",
"MD5不一致",
"underboob",
"鉢巻き",
"ヘッドギア",
"別の髪型",
"何人いません",
"レオタード",
"ボディースーツ",
"ストライプレッグウェア",
"黒い衣装",
"非Webソース",
"伝統的なメディア",
"傘",
":3",
"輝く",
"毛管",
"V",
"手をつないで",
"指の爪",
"青いスカート",
"レミリア・スカーレット",
"プロフィール",
"赤ネックウェアー",
"メコスジ",
"鎖",
"吹き出し",
"capelet",
"ドリル髪",
"胃",
"カバー",
"ダブルパン",
"化粧",
"裸の足",
"黒の靴",
"青空",
"勾配",
"サイドタイビキニ",
"トップレス",
"無修正",
"ベル",
"ドレスシャツ",
"猫の兼",
"十六夜咲夜",
"赤いリボン",
"太もものブーツ",
"シンボル型の生徒",
"ゲームCG",
"輝きます",
"ローズ",
"乳輪",
"キツネ耳",
"ランジェリー",
"悪いのTwitter ID",
"手のアップ",
"赤い弓",
"スクール水着",
"窓",
"コウモリの翼",
"前かがみ",
"肛門",
"wariza",
"コート",
"マスク",
"ライブが大好き!",
"夜",
"ぼやけ",
"月",
"口のホールド",
"アームサポート",
"アイパッチ",
"緊縛",
"フランドール・スカーレット",
"バウンド",
"パーカー",
"グラデーション背景",
"スカートリフト",
"赤面ステッカー",
"タートルネック",
"プリキュア",
"キツネのしっぽ",
"睫毛",
"シャツリフト",
"鳥",
"恥ずかしい",
"ツートンカラーの髪",
"食べること",
"ヘアbobbles",
"過去の手首スリーブ",
"透明な背景",
"葉",
"5girls",
"毛皮のトリム",
"チェック柄のスカート",
"下着のみ",
"グラブ",
"波状口",
"顔をしかめます",
"ガーターストラップ",
"ベレー",
"異色",
"短い半ズボン",
"入れ墨",
"帽子のリボン",
"バック",
"アイドルマスター(クラシック)",
"ポケモン(ゲーム)",
"改造(艦隊コレクション)",
"交差腕",
"グレーの目",
"上から",
"脱衣",
"包帯",
"海洋",
"側",
"ボンデージ",
"ぬいぐるみ",
"ベッドシーツ",
"ストラップレス",
"太もものギャップ",
"縞模様のパンティー",
"睡眠",
"ネコ",
"側面に目を向けます",
"背中の後ろに腕",
"カップル",
"ブレザー",
"別れた前髪",
"つやのある髪",
"ジョジョ冒険NAなしkimyouを",
"動物",
"身体上の兼",
"目の下モル",
"サンダル",
"帯",
"椅子",
"年下",
"裸の武器",
"クロスオーバー",
"カタナ",
"透かし",
"女の子ウントパンツァー",
"膝のブーツ",
"クロップトップ",
"ポケモン(生き物)",
"飛んsweatdrops",
"短いtwintails",
"中国の服",
"胸のグラブ",
"フォーマル",
"ウェーブのかかった髪",
"伸ばした腕",
"勾配髪",
"パンティープル",
"ビーチ",
"口紅",
"パチュリー・ノーレッジ",
"アリス・マーガトロイド",
"鼻赤面",
"面",
"ヘルメット",
"被写界深度",
"牙",
"kochiya早苗",
"フェイト/ステイナイト",
"> <",
"影",
"動物のぬいぐるみ",
"水玉模様",
"オーラル",
"デタッチ襟",
"/\\/\\/\\",
"光の笑顔",
"片側アップ",
"; D",
"モブキャップ",
"余所見",
"青い服",
"ライブが大好き!学校のアイドルプロジェクト",
"かがん",
"3boys",
"姉妹",
"オープンジャケット",
"震え",
"表紙ページ",
"カバーへそ",
"黒のリボン",
"短いドレス",
"無表情",
"狼の耳",
"帽子トーキン",
"ハッピー",
"お尻太ももを通して見えます",
"スカートセット",
"顔の毛",
"サスペンダー",
"チルノ",
"八雲ゆかり",
"赤いスカート",
"低twintails",
"ハルバード",
"つま先",
"下から",
"バー検閲",
"クラウン",
"skindentation",
"傷跡",
"顔のマーク",
"アンテナ髪",
"日焼け",
"ボタン",
"ファイナルファンタジー",
"ジェンダー",
"魂魄妖夢",
"バグ",
"シュシュ",
"提督(艦隊コレクション)",
"ノースリーブのドレス",
"火",
"カジュアル",
"自転車ショーツ",
"首のリボン",
"切断カットアウト",
"三日月",
"ピンクのパンティー",
"髪のパン",
"日光",
"脚アップ",
"テーブル",
"バックパック",
"けいおん!",
"無KO男",
"交差足",
"浮動髪",
"風",
"スーツ",
"太ももストラップ",
"POV",
"昆虫",
"複数の尾",
"ポインティング",
"スタッフ",
"モンスターガール",
"チェック翻訳",
"花柄",
"第三の目",
"電話",
"泣いて",
"桜",
"下座",
"同人誌",
"複数のビュー",
"驚きました",
"ハート型の生徒",
"ランニングシャツ",
"ズボンがない",
"伸ばした腕",
"青色の背景",
"ホルターネック",
"ナイフ",
"頭の羽",
"火災エンブレム",
"文字要求",
"便利な検閲",
"子",
"サイドタイパンティー",
"カバー",
"四つんばい",
"器械",
"ガントレット",
"上半身の兼",
"市松",
"shinkaisei館",
"胃に",
"グランブルーファンタジー",
"足の裏",
"ハンチング",
"影の顔",
"アズールレーン",
"接吻",
"羽毛",
"掃引前髪",
"リビジョン",
"bunnysuit",
"地上車両",
"見下ろします",
"shameimaru彩",
"レース",
"フェラチオ",
"テキストフォーカス",
"デニム",
"JPEGアーティファクト",
"ブラウス",
"ガンダム",
"乳房プレス",
"タオル",
":<",
"藤原mokouません",
"黒弓",
"カーディガン",
"草",
"ベッドの上で",
"明美ほむら",
"リリカルなのは",
"何の靴ません",
"ピンクの背景",
"ピンクの弓",
"赤いドレス",
"香港美鈴",
"フェイシャル",
"帽子なし",
"自然",
"ボトル",
"見上げる",
"壁紙",
"artoriaのペンドラゴン(すべて)",
"ローファー",
"ゴーグル",
"適応衣装",
"tareme",
"リング",
"携帯電話",
"音符",
"手",
"帽子の弓",
"短縮",
"青白い肌",
"パンチラ",
"レターボックス",
"ティアラ",
"ファン",
"憂鬱なし涼宮ハルヒ",
"タンクトップ",
"工場",
"マイクロフォン",
"なし帽子",
"ライゼンudongein稲葉",
"弓パンティー",
"バタフライ",
"怒りました",
"片足で立っ",
"メアリージェーンズ",
"スリット生徒",
"シース",
"フロントタイトップ",
"かなめまどか",
"またがり",
"胸の間",
"komeiji小石",
"白ビキニ",
"筋",
"スポイラー",
"ツインドリル",
"多色の",
"トップの女の子",
"ビキニトップ",
"世界の魔女シリーズ",
"外胸",
"クロス",
"獣の友達",
"ラベンダーの髪",
"腫れぼったい乳首",
"悪魔の少女",
"サングラス",
"ハイレグ",
"禁止アーティスト",
"自分の胸に手",
"機械",
"おかっぱ",
"怒り静脈",
"帚",
"フリルスカート",
"リボントリム",
"茶色の靴",
"saigyouji幽々子",
"保持剣",
"満月",
"胸に兼",
"ペルソナ",
"tsurime",
"komeijiさとり",
"曇り空",
"黒い帽子",
"ホールドアップ",
"ホーン",
"デュアルペルソナ",
"よだれ",
"濡れた服",
"髪の摂取量",
"高いポニーテール",
"リストバンド",
"ジェンダー(MTF)",
"ボックス",
"スター(空)",
"カーテン",
"ジュリエット袖",
"半分閉じた目",
"inubashiriもみじ",
"クリスマス",
"黒ビキニ",
"携帯",
"食いしばった歯",
"光る目",
"長い脚",
"肛門の",
"食いしばっ手",
":P",
"風景",
"動物柄",
"金玉",
"擬人",
"偽の動物の耳",
"薄茶色の髪",
"胸のホールド",
"Tシャツ",
"建物",
"ストラップスリップ",
"雪",
"ロープ",
"メカ",
"腕章",
"加賀(艦隊コレクション)",
"スキンタイト",
"ブローチ",
"...",
"英語解説",
"kemonomimiモード",
"コルセット",
"新世紀エヴァンゲリオン",
"両性具有",
"自動車",
"袴",
"妖精",
"長い画像",
"フリルワンピース",
"バニーテール",
"チャイナドレス",
"〇〇",
"サンタコスチューム",
"黒のネックウェアー",
"ベール",
"ペンダント",
"非伝統的な巫女",
"狼の尾",
"ジングルベル",
"ヘッドセット",
"拳銃",
"キャンディー",
"夜空",
"サンタの帽子",
"ライフル",
"6人の+男の子",
"ウエストエプロン",
"八雲のRAN",
"髪のフラップ",
"三木さやか",
"とある魔術の禁書目録へ",
"書き込み服",
"セミリムレスメガネ",
"触手",
"グループセックス",
"複数のペニス",
"引き裂かれたレッグウェア",
"黒いシャツ",
"ウェブアドレス",
"ウイングカラー",
"呼吸",
"tanline",
"境界",
"口の中に指",
"帽子削除",
"白いスカート",
"パンスト下のパンティー",
"ロリータファッション",
"ペロペロ",
"白い帽子",
"爪",
"クロス編み上げ靴",
"ブライダルガントレット",
"二刀流",
"ボサボサの髪",
"ストラップレスドレス",
"半分アップヘア",
"茶色のレッグウェア",
"スパイクの髪",
"離れ胸",
"閉じる",
"ブルーのちょうネクタイ",
"風見YUUKA",
"腹筋",
"守屋諏訪湖",
"森林",
"部分的に翻訳",
"セーラードレス",
"オナニー",
"ヒップ",
"ブルーリボン",
"いたずらな顔",
"同人カバー",
"paizuri",
"ルーミア",
"櫓",
"ストライクウィッチーズ",
"犬の耳",
"贈り物",
"黒いジャケット",
"縦縞",
"鋭い歯",
"X髪飾り",
"正座",
"体操服",
"蒸気",
"ドレスリフト",
"漁網",
"異性装",
"髪を通して見える目",
"運命/ゼロ",
"赤枠のメガネ",
"手コキ",
"セイバー",
"kamishirasawa慧音",
"minigirl",
"#ERROR!",
"ベストセーター",
"スニーカー",
"中髪",
"緑のスカート",
"眼鏡をかけ",
"白い靴",
"太い太もも",
"ティーカップ",
"単一thighhigh",
"ソファー",
"V腕",
"reiuji utsuho",
"陳",
"飛行",
"カフス",
"ブルマ",
"肩に髪",
"折り畳まポニーテール",
"玉",
"暴露の服",
"桜京子",
"刀剣乱舞",
"宝石",
"魂魄妖夢(幽霊)",
"ガーターベルト",
"リブ編みのセーター",
"ハロウィーン",
"アイコンタクト",
"アルコール",
"セックスの後",
"ピンクのドレス",
"頭蓋骨",
"鏡音リン",
"レンズフレア",
"巴マミ",
"黒のヘアバンド",
"射精",
"魚",
"マイクロビキニ",
"弓(武器)",
"スプレッドの猫",
"背の高い画像",
"黒のブラジャー",
"運命/エクストラ",
"少女前線",
"お絵かき",
"広い腰",
"ワタリ",
"フリル袖",
"スポットカラー",
"槍",
"フィンガリング",
"サイド組紐",
"kawashiroのニトリ",
"カード(中)",
"画線髪",
"股間",
"ピアス",
"ブルーセーラー襟",
"離れて足",
"連動指",
"モンスター",
"jitome",
"ポンポン(服)",
"年上の",
"太い眉毛",
"ヘビ",
"新年",
"shimakaze(艦隊コレクション)",
"赤い花",
"バニー",
"サイドスリット",
"hinanawi天使",
"黒い翼",
"丼鉢",
"第1世代ポケモン",
"カービー",
"赤い靴",
"4boys",
"抱き枕",
"キャミソール",
"帽子削除",
"口の下モル",
"双子",
"| |",
"インナーチューブ",
"机",
"勃起",
"バブル",
"低結ば長い髪",
"頭の後ろに腕",
"スパイク",
"バンドエイド",
"白の弓",
"トレイ",
"うつろな目",
"ストリートファイター",
"犬",
"レイプ",
"ケーキ",
"雨",
"シールド",
"多々良kogasa",
"長い爪",
"星空",
"kaenbyou RIN",
"逆さまに",
"バックル",
"口の中で兼",
"野球帽",
"動線",
"響(艦隊コレクション)",
"氷",
"煙",
"ひも",
"フレームのうち",
"足アップ",
"アームレット",
"白いリボン",
"部分的に水没",
"肩章",
"食いしばっ手",
"オーバーウォッチ",
"袖はロールアップ",
"日没",
"ひるみ",
"巫女",
"保持食品",
"腰上の手",
"リボントリミング袖",
"浴衣",
"不可能服",
"houraisanかぐや",
"一緒に自分の手",
"アイスキャンデー",
"sarashi",
"暗いは、オススキン",
"ショール",
"アンダーリムメガネ",
"トラックジャケット",
"光の粒子",
"ヘアリング",
"小悪魔",
"ジッパー",
"一緒に手",
"テディベア",
"(シリーズ)の物語",
"人差し指が上昇します",
"コントラ",
"幽霊",
"髪の房リボン",
"髭",
"金剛(艦隊コレクション)",
"紫のドレス",
"広げた手",
"黒の背景",
"クローク",
"ペンシルスカート",
"キルラキル",
"人形",
"赤のレッグウェア",
"入手する",
"ヘアピン",
"反射",
"フードダウン",
"悪魔の尻尾",
"顔のありません",
"誕生日おめでとう",
"お尻の亀裂",
"現実的",
"話し言葉の心",
"ブルーネックウェアー",
"服の下に水着",
"乳輪スリップ",
"聖白蓮",
"ランニング",
"ストライプビキニ",
";)",
"後ろから抱擁",
"ブルーマー",
"ウォーキング",
"胸のスクイズ",
"足のポーズ",
"控えめ",
"thighbandパンスト",
"カーリーヘア",
"小犬スタイル",
"ページ番号",
"TEWI稲葉",
"黄色の背景",
"別の頭の上に手",
"側の腕",
"パジャマ",
"航空機",
"デニムショートパンツ",
"トップハット",
"魔法少女リリカルなのは",
"八分音符",
"全員",
"伊吹萃香",
"コンテンポラリー",
"ランドセル",
"ブルーレッグウェア",
"陣羽織",
"骨盤のカーテン",
"保持銃",
"胸をカバー",
"幸運の星",
"日よけ帽",
"神札",
"運命/外典",
"イナズマ(艦隊コレクション)",
"pantyshot(座って)",
"サードパーティの編集",
"口語省略記号",
"cumdrip",
"ミスティアローレライ",
"プレート",
"コードギアス",
"+ +",
"セルフで持ち上げ",
"赤城(艦隊コレクション)",
"ロングスカート",
"大砲",
"髪のダウン",
":Q",
"カエルの髪飾り",
"イナズマイレブン(シリーズ)",
"長いロックと短い髪",
"ハイヒールのブーツ",
"フルフェイス赤面",
"黒serafuku",
"豊満",
"ヘアシュシュ",
"黄色の弓",
"そばかす",
"無意味な検閲",
"ズーム層",
"深刻",
"色のまつげ",
"スマートフォン",
"黄色のネックウェアー",
"箸",
"カエル",
"リーグ・オブ・レジェンズ",
"似非笑い",
"ジャンピング",
"水中",
"muneate",
"スプレッドアーム",
"けが",
"ポーズ",
"短いポニーテール",
"頭の上にゴーグル",
"SCREENCAP",
"ジャンヌダルク(運命)(すべて)",
"tenryuu(艦隊コレクション)",
"ゴシックロリータ",
"青いシャツ",
"一本の足の周りのパンティー",
"白いブラジャー",
"北高校の制服",
"バレンタイン",
"光沢のある服",
"ミニ帽子",
"八坂神奈子",
"青いパンティー",
"背中の後ろに腕",
"ピンクのスカート",
"青いビキニ",
"BLAZBLUE",
"ふたなり",
"天使の翼",
"見る",
"兄弟姉妹",
"カメラ",
"シガレット",
"開いた目で泣いて",
"秋山澪",
"フランスの三つ編み",
"背中合わせに",
"余分な耳",
"魔法少女リリカルなのはストライカー",
"アンテナ",
"やおい",
"円光",
"ナズーリン",
"軍の帽子",
"物語(シリーズ)",
"チョコレート",
"鼻",
"バックライト",
"赤い手袋",
"悪魔の翼",
"髪の兼",
"人魂",
"ミトン",
"真っ直ぐな髪",
"荒い息遣い",
"yagokoro映倫",
"アームウォーマー",
"ウェディングドレス",
"!",
"オブジェクトの挿入",
"ソードアートオンライン",
"矢印",
"houjuu NUE",
"クリトリス",
"コップ",
"象徴",
"写真",
"離れて膝一緒に足",
"シース",
"一緒に足",
"青",
"雪が降ります",
"髪を調整します",
"タッセル",
"紫のレッグウェア",
"ミーム服装",
"足",
"巡音ルカ",
"アンカー",
"お尻のグラブ",
"海軍の制服",
"ライブが大好き!日光!!",
"肖像画",
"ロリポップ",
"杖",
"御幣",
"ペルソナ4",
"騎乗位",
"nakuコロNIなしうみねこのなく頃に",
"しぐれ(艦隊コレクション)",
"解凍しました",
"ドラゴン",
"パンカバー",
"フローティング",
"イチゴ",
"lowleg",
"ポッキー",
"ikazuchi(艦隊コレクション)",
"階段",
"赤いシャツ",
"赤い背景",
"白い肌",
"男性の陰毛",
"山",
"マウスの耳",
"動物の耳の綿毛",
"ローゼンメイデン",
"花束",
"アイスクリーム",
"ジーンズ",
"ゼルダの伝説",
"ナルト(シリーズ)",
"ポケット",
"バイブレーター",
"足の間に手",
"姫カット",
"マリオ(シリーズ)",
"Oリング",
"アンクレット",
"脚リフト",
"重複",
"ウェートレス",
"コンドーム",
"単一手袋",
"天元突破グレンラガン",
"船乗りの帽子",
"市",
"装甲ドレス",
"さておきパンティー",
"フリルビキニ",
"ぼやけた背景",
"ショルダーガード",
"ポケモンSM",
"ソース要求",
"保持ブック",
":トン",
"白い花",
"赤いバラ",
"桃",
"強調ライン",
"美少女戦士セーラームーン",
"鏡音レン",
"下半身の兼",
"丸い歯",
"色とりどりの服",
"カード",
"羽の翼",
"とある科学の超電磁砲",
"ボタンを外し",
"巨大なファイルサイズ",
"アイシャドウ",
"眼球",
"水橋パーシー",
"戦いのスタンス",
"髪に手",
"高さの差",
"光線",
"ポケットに手",
"緑のドレス",
"林檎",
"赤いビキニ",
"souryuu・アスカ・ラングレー",
"アーチ型のバック",
"犬のしっぽ",
"黒のショートパンツ",
"太陽",
"口ひげ",
"鏡",
"スマイルプリキュア!",
"イヤーマフ",
"毛皮の襟",
"ニップルスリップ",
"文字列のビキニ",
"紫色の背景",
"ランタン",
"股の縫い目",
"ギター",
"人の上に座って",
"扇子",
"岩",
"服を調整します",
"膝まで",
"切り取られた足",
"低ポニーテール",
"三角形のヘッドピース",
"アンタイド",
"スプーン",
"ピンクのレッグウェア",
"向日葵",
"morichika rinnosuke",
"中野梓",
"!?",
"符号",
"閲覧者が直面しています",
"黒いズボン",
"競技水着",
"バンダナ",
"アーガイル",
"赤い爪",
"アイドルマスター万人ライブ!",
"ナースキャップ",
"シルエット",
"バニーガール",
"白い水着",
"メイドエプロン",
"目隠し",
"ローブ",
"時計",
"ポケットに手",
"頭飾り",
"飛行機",
"顔のない男性",
"マッシュkyrielight",
"青いジャケット",
"ビーズ",
"緑の背景",
"名札",
"戦い",
"代替色",
"メカ娘",
"概要",
"髪の鐘",
"鬼火",
"敬礼",
"フード付きジャケット",
"手を振って",
"ピンクのブラジャー",
"スポーツウエア",
"長門有希",
"アンカー記号",
"論文",
"ダンガンロンパ",
"ディルド",
"暁(艦隊コレクション)",
"ぶっかけ",
"サイレント漫画",
"開いた本",
"運命のテスタロッサ",
"ピンクの唇",
"茶色の手袋",
"視線",
"ピストル",
"紫色のスカート",
"ハンドバッグ",
"中央の開口部",
"白いブラウス",
"上半身裸",
"ロボット",
"忍者",
"触手髪",
"性的なものを暗示",
"風のリフト",
"結晶",
"> :)",
"剴",
"バイザーキャップ",
"無鼻",
"軍用車両",
"ストライプのシャツ",
"ドラゴンクエスト",
"ピンクの爪",
"鬼",
"gakuran",
"翔太",
"成熟しました",
"平沢唯",
"ネプチューン(シリーズ)",
"毛布",
"涼宮ハルヒ",
"yokozuwari",
"不機嫌",
"フォーク",
"茶色の背景",
"口を覆い",
"悪い解剖学",
"綱",
"トップダウンボトムアップ",
"zuikaku(艦隊コレクション)",
"妖精の翼",
"胸当て",
"スタイルパロディ",
"ファンタジー",
"バスケット",
"音楽",
"長門(艦隊コレクション)",
"ぶら下げ胸",
"足袋",
"ホルタートップ",
"年齢差",
"yuudachi(艦隊コレクション)",
"上海人形",
"冬服",
"部分的に目に見える外陰部",
"サンドレス",
"非対称の翼",
"レースアップブーツ",
"hoshiguma遊戯",
"赤いスカーフ",
"キュゥべえ",
"黒フレームのメガネ",
"ひぐらしのなく頃にません",
"鍵山雛",
"ポーチ",
"三日月形の髪飾り",
"NARUTO - ナルト - ",
"借りた文字",
"読書",
"非対称の髪",
"白衣",
"スプラトゥーン(シリーズ)",
"青い肌",
"悪魔の角",
"縛ら髪",
"栗の口",
"色付け",
"黒のチョーカー",
"数",
"ベルの襟",
"モーションブラー",
"頭の上にメガネ",
"ハロー",
"巫女toyosatomimi",
"チンレスト",
"ピンクの花",
"アンドロイド",
"フレームの外足",
"輪姦",
"マジックサークル",
"トリミングされたジャケット",
"gochuumon WAうさぎデスKa?",
"服を着てセックス",
"背中の開いた服",
"ギャグ",
"髪の長さがオリジナルと違う",
"モンスターボール",
"タイガー&バニー",
"ギャップ",
"進撃の巨人",
"青い靴",
"話している",
"緑の弓",
"思考バブル",
"メガネくいってしてる",
"目を丸く",
"バケツ",
"ヘビの髪飾り",
"ストリング",
"ペッティング",
"画像サンプル",
"おでこマーク",
"遊戯王",
"リグルナイトバグ",
"股をカバー",
"ドリンク",
"パイロットスーツ",
"kneepits",
"フレームの出掛けます",
"温泉",
"帽子に手",
"春菜(艦隊コレクション)",
"SF",
"グレーのスカート",
":>",
"フラットキャップ",
"フェンス",
"中国語テキスト",
"銀の目",
"ガーター",
"模索",
"パラソル",
"国旗",
"バンドゥ",
"テイトえぼし",
"ツートンカラーの背景",
"方向矢印",
"キー",
"本棚",
"ドラゴンボール",
"かんざし",
"風吹(艦隊コレクション)",
"小野塚小町",
"田井中律",
"保持カップ",
"東方(PC-98)",
"静脈",
"魚雷",
"鬼の角",
"ウサギのぬいぐるみ",
"ピンと張った服",
"麦わら帽子",
"microskirt",
"ガラス",
"ahegao",
"哺乳",
"ダブルV",
"マクロス",
"グラファイト(媒体)",
"生物",
"額",
"再:ゼロカラhajimeru isekai生活",
"調色",
"リボンピンク",
"キャラクター人形",
"肩アーマー",
"袋",
"ヘアバンド",
"マーカー(中)",
"pantyshot(地位)",
"線画",
"グレーのレッグウェア",
"ドア",
"魔女",
"袴スカート",
"引き裂く",
"俺の妹がこんなに可愛いわけがない",
"手を組みます",
"ストラップギャップ",
"喫煙",
"何富戸の物部ありません",
"膝まで",
"ヤシの木",
"はまかぜ(艦隊コレクション)",
"顔の上に食べ物",
"サキ",
"2016",
"氷の翼",
"赤いジャケット",
"白いジャケット",
"takamachiのなのは",
"ナース",
"11行くイナズマ",
"ヘアバンドロリータ",
"両側に腕",
"yukkuri shiteitte NE",
"足の抱擁",
"仮想youtubeに",
"火災エンブレム場合",
"RIN toosaka",
"マジック",
"鼻血",
"フロントタイビキニ",
"ヘッドピース",
"@ @",
"タスキ",
"浴",
"志木EIKI",
"シェード",
"かぼちゃ",
"寿toramaru",
"ギルティギア",
"ストロー",
"猿轡",
"ペチコート",
"ビーニー",
"プラグスーツ",
"ryuujou(艦隊コレクション)",
"ハイレグレオタード",
"できる",
"ハイレグパンティ",
"鹿島(艦隊コレクション)",
"ライディング",
"北の海の姫",
"三角形の口",
"腕をつかみます",
"ビーチボール",
"daiyousei",
"スカートホールド",
"5boys",
"ペン",
"弓のブラジャー",
"畳",
"東洋の傘",
"道路",
"enmaided",
"フープピアス",
"眉を上げました",
"レッドハット",
"夢魔",
"白いエプロン",
"自分の頬に手",
"vambraces",
"文字列の心臓部",
"青い花",
"ショルダーバッグ",
"サイズ違い",
"近親相姦",
"髪の検閲",
"手すり",
"心臓へ2",
"ワンピース",
"花の背景",
"赤い袴",
"プチ",
"rwby",
"ハイビスカス",
"ポケモンBW",
"服を着て女性のヌード男性",
"タクシー運転手の帽子",
"戦闘機の王",
"自分の胸に手",
"アンクルブーツ",
"チェック柄のベスト",
"nishikinoまき",
"ワンピースタン",
"ヘアアップ",
"オレンジ色の背景",
"第3世代ポケモン",
"ブライダルベール",
"舟艇",
"ロゴ",
"陥没乳頭",
"ranguage",
"コウモリ",
"自分の顔に手",
"チアガール",
"飲酒",
"黒強膜",
"玉藻(運命)(すべて)",
"雪",
"運命/エクストラCCC",
"顔に血",
"ホルスター",
"サロン",
"スカートの下にショートパンツ",
"月姫",
"鳥居",
"黒のレオタード",
"ペルソナ3",
"妖精",
"動物の着ぐるみ",
"裏返し髪",
"御坂美琴",
"火災エンブレムの英雄",
"装甲ブーツ",
"白いヘアバンド",
"酔っ",
"水彩(中)",
"裸の背中",
"フリルのついたシャツの襟",
"ネロクラウディウス(運命)(すべて)",
"水玉の背景",
"日本の鎧",
"木の床",
"水滴",
"王女のキャリー",
"バウンド手首",
"上の歯",
"和菓子",
"マグ",
"噛む",
"入浴",
"サンプル",
"唾液トレイル",
"ドミノマスク",
"笑い",
"網タイツパンスト",
"ハイカラ",
"竜の少女",
"にんじん",
"縦縞のレッグウェア",
"ギフト用の箱",
"ピンクの靴",
"闇",
"毛皮",
"スペース",
"bracer",
"動物フード",
"インド風",
"鈴屋(艦隊コレクション)",
"マーメイド",
"フェイスペイント",
"唇を舐めます",
"印刷レッグウェア",
"ランドセル",
"別の胸のサイズ",
"裸シャツ",
"砂",
"大きな乳輪",
"矢沢のニコ",
"腕輪",
"肩の上にジャケット",
"蹴ります",
"宝生(艦隊コレクション)",
"肩パッド",
"ケーブル",
"自分の口に手",
"茶色のスカート",
"吸血鬼(ゲーム)",
"エヴァンゲリオン新劇場版",
"スーパーマリオブラザーズ。",
"渋谷凛",
"himekaidou hatate",
"複数のペルソナ",
"ポンポン",
"毛皮で覆われました",
"愛宕(艦隊コレクション)",
"黄色いリボン",
"matoi龍虎",
"結婚指輪",
"胸をバウンス",
"内股",
"お茶",
"保持傘",
"一部は指の手袋",
"代替髪の色",
"長江IKU",
"第5世代ポケモン",
"非対称のレッグウェア",
"ランプ",
"街並み",
"ウィスカのマーキング",
"閃光",
"リボンチョーカー",
"車",
"第4世代ポケモン",
"裸エプロン",
"+++",
"地平線",
"紫のパンティー",
"市松模様の床",
"服の兼",
"レーストリミングニーソックス",
"ピンクのシャツ",
"対称ドッキング",
"キャンドル",
"色とりどりの目",
"宇佐美蓮子",
"アーティストの自己挿入",
"ベンチ",
"アンダーバスト",
"第2世代ポケモン",
"オーバーオール",
"karakasaおばけ",
"レーストリミングパンティー",
"代替の目の色",
"プール",
"星型の生徒",
"頭の上に",
"脛当て",
"コンピューター",
"化物語",
"フリルのついたエプロン",
"フロントポニーテール",
"ハイウエストスカート",
"教室",
"マウスの尾",
"鞘",
"ティーポット",
"東城のぞみ",
"電気",
"目の上に髪",
"邪悪な笑顔",
"床に",
"アーム大砲",
"ハード翻訳",
"イーライ綾瀬",
"murasa minamitsu",
"叢雲(艦隊コレクション)",
"短い着物",
"オレンジ色の弓",
"壁に",
"魔法少女リリカルなのはAさん",
"無精ひげ",
"ストライプの弓",
"コンテナ内",
"園田海",
"ばかばかしいほど長い髪",
"engrishテキスト",
"ミニクラウン",
"ゆるゆり",
"自分の顔に手",
"琴吹紬",
"shoukaku(艦隊コレクション)",
"ウシオ電機(艦隊コレクション)",
"差し迫ったキス",
"白いスカーフ",
"藤丸ritsuka(メス)",
"別の顔に手",
"光",
"スカートプル",
"火災エンブレム:覚醒",
"会社名",
"ピンクネックウェアー",
"ボディ赤面",
"包帯アーム",
"ロックマン",
"ストライプネックウェアー",
"黒い爪",
"ジェンダー(FTM)",
"オープンフライ",
"口語疑問符",
"2015",
"rensouhouちゃん",
"マリベルのハーン",
"toelessレッグウェア",
"おしっこ",
"パンストプル",
"アライグマの耳",
"今泉蜉蝣",
"市松模様の背景",
"吸血鬼",
"リサイズ",
"マクロスF(フロンティア)",
"綾波レイ",
"腕時計",
"スターの髪飾り",
"頭の後ろに腕",
"ラグランスリーブ",
"耳にピアスの穴を開ける",
"カバーの口",
"過去の指スリーブ",
"別の肩に手",
"おしっこ",
"リトルバスターズ!",
"スパンコール",
"カエデの葉",
"星井美希",
"スプラトゥーン1",
"青い水着",
"ストライプの背景",
"タンク",
"サンビーム",
"云井ichirin",
"2koma",
"挟まれ",
"巨大な武器",
"kurodaniヤマメ",
"脚ガーター",
"声優接続",
"ブラジャーリフト",
"ヘッド花輪",
"スリッパ",
"雪風(艦隊コレクション)",
"カクseiga",
"胸の上に髪",
"CLANNAD-クラナド - ",
"ベルトのバックル",
"傾いバック",
"ラグナロクオンライン",
"キノコ",
"sakazuki",
"柊かがみ",
"ハーフトーン",
"0 0",
"目の下",
"ピンクのビキニ",
"リンク",
"サーバル(獣の友人)",
"amatsukaze(艦隊コレクション)",
"パチンコ水着",
"北上(艦隊コレクション)",
"グレーのシャツ",
"乳首微調整",
"縛り",
"ネクタイ",
"ドキドキ!プリキュア",
"機動戦士ガンダム00",
"幸せなセックス",
"ポケモン(アニメ)",
"ほうきに乗って",
"nishizumiミホ",
"龍田(艦隊コレクション)",
"絵筆",
"パープルリボン",
"lowlegパンティー",
"おびえました",
"軸力ヘタリア",
"D:",
"落下",
"ジャンヌダルク(変更)(運命)",
"ギルガメッシュ",
"女性提督(艦隊コレクション)",
"ニーア(シリーズ)",
"腹",
"斧",
"赤パンティー",
"ブッシュ",
"爆発",
"酒",
"タイル",
"明けましておめでとうございます",
"アサルトライフル",
"愛-RUへ",
"リギング",
"ハンマー(日没ビーチ)",
"スポーツブラ",
"仮面ライダー",
"竹",
"ダークペルソナ",
"高校DXD",
"裸タオル",
"アウトオブフレーム検閲",
"歌うこと",
"エラー",
"ストラップレスのレオタード",
"ワードローブの誤動作",
"タートルネックのセーター",
"otonokizaka学校の制服",
"ブラックロックシューター",
"ooaraiの学校の制服",
"kuujou joutarou",
"紅葉",
"ドラゴンホーン",
"青い帽子",
"オーガズム",
"REM(再:ゼロ)",
"ピクシブファンタジア",
"白いレオタード",
"1人の胸アウト",
"スパイクブレスレット",
"アイドルマスターシンデレラガールズ星明り段階",
"怪盗",
"足のプリント",
"心臓の手",
"スタープリント",
"写真(オブジェクト)",
"茨城kasen",
"ファイナルファンタジーVII",
"鉛筆",
"乳首ピアス",
"漂白",
"ビキニアーマー",
"kasodani京子",
"^ O ^",
"チューブトップ",
"女王様の世界",
"トランスペアレント",
"ハートキャッチプリキュア!",
"頭の上にオブジェクト",
"非対称の服",
"お尻に兼",
"ダブルブレスト",
"コントローラ",
"緑のシャツ",
"はげました",
"クロス編み上げ服",
"黒のボーダー",
"ドーナツ",
"サーバル耳",
"母と娘",
"ピンク",
"ゲームプレイ力学",
"束縛",
"家",
"心の畑",
"宣教師",
"モンスターハンター",
"ふくらん長袖",
"つる",
"veinyペニス",
"展望",
"ジョセフjoestar(若いです)",
"心の髪飾り",
"フィールド",
"自己によって引っ張ら",
"ヘッドフィン",
"第7世代ポケモン",
"白い翼",
"draph",
"Oリングトップ",
"スクロール",
"紫色のちょうネクタイ",
"足の爪を磨きます",
"曽我何tojikoません",
"パズル&ドラゴンズ",
"秤",
"プリンツオイゲン(艦隊コレクション)",
"泉こなた",
"守備隊のキャップ",
"心の検閲",
"エンジェルビーツ!",
"濡れたシャツ",
"単一の靴",
"陰陽",
"緑のネックウェアー",
"クイーンズブレイド",
"短剣",
"南ことり",
"天使",
"十字形ホルターネック",
"いいぞ",
"無ヒーロー学界僕",
"\メートル/",
"悪いtumblrのIDを",
"鉢巻",
"ニーアオートマトン",
"虎の印刷",
"ストレッチ",
"廃墟",
"オーラ",
"明るい生徒",
"あけぼの(艦隊コレクション)",
"ベビードール",
"オープンコート",
"布団",
"肛門のオブジェクトの挿入",
"; O",
"downblouse",
"奄美遥",
"トリガー規律",
"美少女戦士セーラームーンの登場人物均一",
"senran神楽",
"三日月",
"アンカー髪飾り",
"ビキニスカート",
"蝶の髪飾り",
"franxxで最愛の人",
"弾幕",
"韓国語のテキスト",
"支払った報酬",
"皮膚深部",
"悲しい",
"勾玉",
"WO級航空母艦",
"チェスの駒",
"鳥の羽",
"ピンキーアウト",
"水銀燈",
"鋭い爪",
"外枠線",
"宮古YOSHIKA",
"暗示",
"女の子のサンドイッチ",
"セータードレス",
"アライグマ尾",
"手を差し伸べる",
"注連縄",
"ドラゴンボールZ",
"ポルカドットの弓",
"乳房吸引",
"魔法少女まどかマギカ映画",
"紫のビキニ",
"ブラザーズ",
"靴下なし",
"膨らみ",
"テレビ",
"緑のパンティー",
"ミニトップハット",
"サスペンダースカート",
"天狗、下駄",
"illyasvielフォンeinzbern",
"青色の爪",
"カードキャプターさくら",
"梁の八分音符",
"タイムパラドックス",
"茶色のジャケット",
"ニトロプラス",
"玉藻なしメイ(運命)",
"キャラクターシート",
"ピカチュウ",
"アキminoriko",
"スタンド(ジョジョ)",
"口の中に食べ物",
"三人組",
"ヤマト(艦隊コレクション)",
"鉢植え",
"白ネックウェアー",
"はね",
"c.c.",
"イナズマイレブン",
"しゃれ",
"3:",
"浸漬足",
"陸奥(艦隊コレクション)",
"青いバラ",
"ボビーソックス",
"スイカ",
"ブルーパンツ",
"足の爪",
"ぬれた髪",
"ふんどし",
"携帯型ゲーム",
"古い学校",
"kijin seija",
"アームガーター",
"陽子littner",
"アームリボン",
"持株スタッフ",
"パイプ",
"学校の机",
"如月千早",
"印刷パンティー",
"オレンジ色のスカート",
"トレーディングカード",
"胸の休息",
"鉄十字",
"akyuuなし稗田",
"エクスソード",
"竜の尻尾",
"ジャンヌダルク(運命)",
"青い手袋",
"ビスマルク(艦隊コレクション)",
"ご飯",
"軍艦の女の子のR",
"壁",
"Newスーパーマリオブラザーズ。 Uデラックス",
"複数の4koma",
"肩に",
"不一致のレッグウェア",
"バブルスカート",
"フリルのついたパンティー",
"ファンタシースター",
"目全体傷跡",
"緑のリボン",
"スーパー冠",
"アントラーズ",
"尼",
"向坂ほのか",
"90年代",
"黄色のスカート",
"輝く目",
"kariginu",
"アビゲイル・ウィリアムズ(運命/壮大順)",
"網タイツレッグウェア",
"パンティ&ストッキングwithガーターベルト",
"アイドルマスター1",
"クンニリングス",
"大きな髪",
"メイコ",
"縛らシャツ",
"アルビノ",
"式波・アスカ・ラングレー",
"shijou高根",
"赤",
"ショートパンツの下のレッグウェア",
"女神",
"白スクール水着",
"ホーンリボン",
"ワイングラス",
"春山和則",
"セルフショット",
"非対称ドッキング",
"キツネのマスク",
"機械ハロー",
"クッキー",
"赤いレオタード",
"片膝",
"間桐桜",
"レイヤードワンピース",
"ロングドレス",
"巨人",
"ブリッジ",
"オブジェクトの抱擁",
"水無瀬伊織",
"めちゃくちゃ愚かな",
"足の手袋",
"EX-慧音",
"波線",
"脂肪モンス",
"サイドパン",
"アキshizuha",
"建築",
"面と向かって",
"レティホワイトロック",
"カジュアルなワンピース水着",
"色鉛筆(媒体)",
"ピンクの帽子",
"キョン",
"短い眉毛",
"イライラ",
"アーガイルレッグウェア",
"部分的に色",
"逆トラップ",
"ボンネット",
"OOI(艦隊コレクション)",
"ノーyorha。 2タイプB",
"膝の上に座って",
"脚グラブ",
"胸の羨望",
"3D",
"ダンシング",
"erune",
"河野subarashii世界NI shukufuku WO!",
"ハロウィーンの衣装",
"派生作品",
"futatsuiwa mamizou",
"吊り革",
"頭の上に葉",
"冬",
"閉じられた傘",
"d.va(オーバーウォッチ)",
"サーバルプリント",
"金平糖",
"aikatsu! (シリーズ)",
"保持電話",
"青いレオタード",
"こたつ",
"高尾(艦隊コレクション)",
"スカート削除",
"給餌",
"スカアハ(運命)(すべて)",
"亀尾",
"濡れたパンティ",
"シングルイヤリング",
"我那覇響",
"サイボーグ",
"黒いチョッキ",
"ピンと張ったシャツ",
"ビール",
"おそ松さん",
"膝パッド",
"筋肉の女性",
"チェリー",
"不知火(艦隊コレクション)",
"星空凛",
"人形の関節",
"白い着物",
"バックレスドレス",
"ホイップ",
"比叡山(艦隊コレクション)",
"手錠",
"文字列のパンティー",
"キツネの女の子",
"ピクシブサンプル",
"うま",
"プラットフォームシューズ",
"提示",
"自分の頭の上に手",
"ブルーブラジャー",
"スナイパーライフル",
"アイドル",
"朝比奈みくる",
"葡萄",
"仙台(艦隊コレクション)",
"senketsu",
"サッカーユニフォーム",
"パンチング",
"服リフト",
"黄色のシャツ",
"自己愛撫",
"オーバーフロー",
"スタッドのイヤリング",
"包皮",
"ブランチ",
"イヤホン",
"ooyodo(艦隊コレクション)",
"パン",
"獣姦",
"ステッチ",
"OSたん",
"カバン(獣の友人)",
"何の生徒ません",
"リムレスメガネ",
"precum",
"明石(艦隊コレクション)",
"戦記zesshou戦姫絶唱シンフォギア",
"上履き",
"バスルーム",
"フードアップ",
"牙アウト",
"頭の後ろに手",
"偽テール",
"レーストリミングブラジャー",
"ハイレグ水着",
"グリーンジャケット",
"faulds",
"花嫁",
"射手",
"XD",
"スイートプリキュア",
"紫の",
"ダブル浸透",
"ドレッシング",
"動物化",
"船乗り",
"非常に短い髪",
"ヒップベント",
"菊池誠",
"生死",
"オートバイ",
"霧島(艦隊コレクション)",
"セピア",
"ラップ枕",
"頭の上に動物",
"木曽(艦隊コレクション)",
"ディオ・ブランドー",
"公式スタイル",
"エプロンドレス",
"クロスネックレス",
"胸ポケット",
"口語感嘆符",
"緑のレッグウェア",
"うちわ",
"2017",
"木之本桜",
"陵桜の学校の制服",
"藤丸ritsuka(男性)",
"つま先",
"胸の抑制",
"kiryuuinさつき",
"RO-500(艦隊コレクション)",
"紫色の皮",
"ダンジョンNI出会いmotomeru無いわmachigatteiru darou KA WO",
"遠く見ています",
"ベージュの背景",
"ガンダムビルドファイターズ",
"蜉蝣プロジェクト",
"ロングコート",
"ピンクのバラ",
"黒セーラー襟",
"voiceroid",
"春麗",
"葉の髪飾り",
"反対",
"ポルカドットパンティ",
"巨大なお尻",
"虹",
"先のとがった髪",
"シーザーanthonio・ツェペリ",
"卵",
"souryuu(艦隊コレクション)",
"1other",
"おそ松くん",
"ビキニプル",
"3koma",
"迷彩",
"頭の上に手",
"魔界戦記ディスガイア",
"ブラジャープル",
"sukuna shinmyoumaru",
"猫娘",
"会社の接続",
"輸送する",
"メガネ削除",
"リリー(ポケモン)",
"引き戸",
"スカルガールズ",
"POVの手",
"インフィニット・ストラトス",
"ノースリーブタートルネック",
"道化師のキャップ",
"レザー",
"巨大なアホ毛",
"カフーチノ",
"Fate / kaleid linerプリズマ☆イリヤ",
"枕の帽子",
"大きなペニス",
"沖田総司(運命)(すべて)",
"はさみ",
"低翼",
"スーパーブラザーズスマッシュ。",
"足コキ",
"後ろからつかん",
"茶色のドレス",
"星空の背景",
"ハンマー",
"シャツのプル",
"特大オブジェクト",
"黒板",
"緑のビキニ",
"ウエストコート",
"さざなみ(艦隊コレクション)",
"まったく目にしません",
"自分の膝の上の手",
"スーパーロボット大戦",
"チェック柄のシャツ",
"オープン着物",
"膣オブジェクトの挿入",
"額プロテクター",
"ファイナルファンタジーXIV",
"みずきひとし",
"褌",
"ヘッドスカーフ",
"示唆に富む流体",
"額の宝石",
"!!",
"高槻やよい",
"不可能シャツ",
"帽子の羽",
"袖カフス",
"赤いマント",
"羽織",
"電力線",
"服の下にビキニ",
"バーナビーのブルックスJR",
"手首のシュシュ",
"川",
"スパイク襟",
"手首のグラブ",
"黄色の花",
"魔法先生ネギま!",
"色収差",
"バルーン",
"女性とのフタ(布田)",
"すーぱーそに子",
"花の騎士の少女",
"シートグラブ",
"カットオフ",
"限られたパレット",
"警察",
"スパゲッティストラップ",
"片目を覆い",
"突くボールを保持しています",
"ダージリン",
"変態",
"カバーの下に",
"ビューアを指し",
"アンタイドビキニ",
"習慣",
"動物の帽子",
"くびれ生徒",
"クリスマスツリー",
"バッジ",
"ボディの書き込み",
"波紋",
"ゴールドトリム",
"ブラックロックシューター(キャラクター)",
"折り畳ま",
"アマガミ",
"お尻に兼",
"トラックスーツ",
"到達",
"ゼロ2つ(franxxでダーリン)",
"紫の手袋",
"フリンジトリム",
"verniy(艦隊コレクション)",
"壊れた",
"ファンタシースターオンライン2",
"胸を破裂",
"城",
"; P",
"巨大な胸",
"aikatsu!",
"シュタインズ・ゲート",
"手数料",
"ボールギャグ",
"家族",
"叫び",
"赤いヘアバンド",
"パンティーを削除します",
"アスナ(サンパウロ)",
"ネロクラウディウス(運命)",
"レイ何himoません",
"ユリの花)",
"黒丸目",
"ナイトガウン",
"島村卯月",
"バスタブ",
"海港姫",
"鏑木トン鋼鉄",
"> :(",
"まだら日光",
"2014",
"ダンガンロンパシリーズ1",
"メリークリスマス",
"eromanga先生",
"保持果物",
"リブ",
"ギア",
"clownpiece",
"軍服をパラディ",
"服を着て男性ヌードの女性",
"夏",
"トップオーバーハングをトリミング",
"POV足",
"sekibanki",
"枕の抱擁",
"マイクスタンド",
"話音符",
"itomugiくん",
"ひょうたん",
"妊娠しています",
"衣装スイッチ",
"帽子の花",
"オレンジ色のシャツ",
"山城(艦隊コレクション)",
"特大の服",
"フリルのついたレッグウェア",
"ランス",
"矢筒",
":/",
"金星のディンプル",
"ホワイトローズ",
"胸の間にネクタイ",
"チェック解説",
"料理",
"フリルのついたブラジャー",
"保護されたリンク",
"武蔵(艦隊コレクション)",
"太い",
"ヘスティア(danmachi)",
"クッション",
"注射器",
"アイライナー",
"鳴神優",
"サーニャ・V・リトヴャク",
"デジタルメディアプレーヤー",
"黄色のビキニ",
"僕は友達すくないです",
"決闘モンスター",
"髪の羽",
"kisume",
"層状のスカート",
"野球用バット",
"使用済みのコンドーム",
"マリア様のGAのmiteru",
"アストルフォ(運命)",
"白セーラー襟",
"究極まどか",
"nishizumi真帆",
"紫の花",
"大弓",
"ビキニボトム",
"キョンシー",
"一つ目の",
"葱",
"あなたはレイプを受けるつもり",
"スケルトン",
"便利な足",
"損傷を受けました",
"小泉花代",
"お尻の焦点",
"gokouるり",
"nanamoriの学校の制服",
"ゲームで遊んでいる",
"那珂(艦隊コレクション)",
"眠いです",
"スーパーヒーロー",
"エイラ・イルマタル・ユーティライネン",
"asashio(艦隊コレクション)",
"ポット",
"痴女",
"hiryuu(艦隊コレクション)",
"フライトデッキ",
"シェル",
"何tsukaimaをゼロにしません",
"サーバル尾",
"中央フリル",
"非対称の前髪",
"小型機関銃",
"あざ",
"浩二(キャンパスライフ)",
"懐中時計",
"ポルカドットビキニ",
"torogao",
"自分のあごに手",
"衛宮士郎の",
"ファイナルファンタジーXI",
"ZZZ",
"ミーム",
"口の中でコンドーム",
"肩甲骨",
"実際の生活の挿入",
"銀魂",
"マーベル",
"へその切り欠き",
"顔を覆って",
"バック弓",
"赤チョーカー",
"腰周りの服",
"オープンパーカー",
"引き裂かれたシャツ",
"ヘッドレスト",
"血まみれの服",
"緑の帽子",
"独り善がり",
"猫又",
"狂った目",
"chuunibyouは鯉のGA shitaiをデモ!",
"ポケモンDPPT",
"裸リボン",
"テープ",
"フレンチ・キス",
"鋼球の実行",
"kotomineきれい",
"市松模様のスカート",
"同名異人",
"保持花",
"ポケモンBW2",
"青い着物",
"コーヒー",
"タイル張りの床",
"スキニー",
"アイオワ(艦隊コレクション)",
"靴は削除します",
"自転車",
"アナルビーズ",
"とらドラ!",
"ヤンデレ",
"紫色の爪",
"水着プル",
"白いボディスーツ",
"アーガイル背景",
"谷武",
"オフショルダーのドレス",
"コンドームのラッパー",
"高垣楓",
"東アジアのアーキテクチャ",
"エックス線",
"食品をテーマにした髪飾り",
"緑",
"狼",
"欠伸",
"ペンギン",
"受け皿",
"夕張(艦隊コレクション)",
"胸のリフト",
"形質接続",
"クラウン組紐",
"マウス",
"モンスターの女の子の百科事典",
"保持ギフト",
"段ボール箱",
"フルメタルアルケミスト",
"チェック柄のスカーフ",
"オフショルダーのシャツ",
"柱",
"紫の靴",
"バージンキラーセーター",
"柊つかさ",
"モニター",
"水鉄砲",
"グラフツェッペリン(艦隊コレクション)",
"I-19(艦隊コレクション)",
"緑色の皮膚",
"バインドされた武器",
"青いスカーフ",
"何のバハムートの新劇ありません",
"田中貴之",
"丸いメガネ",
"神崎蘭子",
"切断患者",
"矢上ハヤテ",
"兼文字列",
"父と娘",
"単一の翼",
"ルーズソックス",
"街灯柱",
"テイルズオブヴェスペリア",
"レッグウェアなし",
"空白の目",
"バージン",
"動かないパターン",
"wakasagihime",
"ダブル手コキ",
"偽のスクリーンショット",
"スカアハ(運命/壮大順)",
"白のショーツ",
"ノートパソコン",
"虎の耳",
"新田南",
"NIAのteppelin",
"黒猫",
"滴り",
"トランプ",
"通り",
"スツール",
"断面",
"五月雨(艦隊コレクション)",
"顔のタトゥー",
"furrowed眉毛",
"指の間",
"アンチョビ",
"フラットカラー",
"xenoblade(シリーズ)",
"太ももホルスター",
"ランドスケープ",
"猫のランジェリー",
"決闘",
"赤ちゃん",
"unsheathing",
"王女ゼルダ",
"気泡",
"ツンデレ",
"アルバムカバー",
"ペルソナ5",
"れんが壁",
"オフィスレディー",
"警察の制服",
"格付け",
"トライデント",
"ダウンスケール",
"モリガン・アーンスランド",
"実生活",
"ビスチェ",
"ライダー",
"小林さんカイなしmaidragon",
"ルナサのprismriver",
"紫のネックウェアー",
"ティアドロップ",
"エクスカリバー",
"ひしゃく",
"うちわ",
"裸のセーター",
"黄色のドレス",
"バニー髪飾り",
"メトロイド",
"白金直人",
"ヘドロ",
"リバースカウガールポジション",
"アームガード",
"秋",
"尾ワギング",
"patreonのユーザー名",
"乳房スリップ",
"ベッドルーム",
"コスチューム",
"シェリル・ノームの",
"黒の水着",
"赤い口紅",
"kakyouinの憲明",
"沖田総司(運命)",
"リクライニング",
"表現",
"bowsette",
"黄",
"バラの花びら",
"トレンチコート",
"タワー",
"ストライプドレス",
"lowlegビキニ",
"touko(ポケモン)",
"フード付きのマント",
"三つ葉",
"袖",
"自分の頬に手",
"テールリボン",
"緑川のナオ",
"胸のモル",
"オーバーがkneehighs",
"コイン",
"短いオーバー長袖",
"秋山ゆかり",
"ナルト疾風伝",
"ワイド画像",
"細いウエスト",
"ワイン",
"グレーのジャケット",
"頭の上にマスク",
"ランサー",
"サムス・アラン",
"妖精(艦隊コレクション)",
"舌の上で絶頂",
"ゲームコントローラ",
"2尾",
"かすみ(艦隊コレクション)",
"黒マント",
"白のボーダー",
"日焼けビキニ",
"血色が悪い",
"リカfurude",
"覗きます",
"ダンゴ",
"フリルのついた枕",
"ロック",
"巾着",
"sagisawa文香",
"何の猫ません",
"地面に",
"I-58(艦隊コレクション)",
"クリップボード",
"牛の印刷",
"喜瀬弥生",
"レッグウォーマー",
"滝",
"ミルク",
"月野うさぎ",
"忍野忍",
"SNK",
"スキャンアーティファクト",
"バイザー",
"逸見エリカ",
"顔にバンドエイド",
"医学憂鬱",
"紫のジャケット",
"リボルバー",
"三浦あずさ",
"おにぎり",
"フレーム",
"白坂小梅",
"環状目",
"dougi",
"萩原雪歩",
"Oリングビキニ",
"ひかり(ポケモン)",
"競争スクール水着",
"運命/中空アタラクシア",
"赤い月",
"フレッシュプリキュア!",
"首周りのヘッドフォン",
"火炎",
"雪だるま",
"左利き",
"黒のボディスーツ",
"発射",
"プールサイド",
"天神髭",
"中国の解説",
"ライフブイ",
"非ヒト提督(艦隊コレクション)",
"ハーフトーンの背景",
"弾丸",
"バット印刷",
"冬物コート",
"機関銃",
"セイバーオルタ",
"ピンクのチョーカー",
"ポケモンhgss",
"ワーキング!!",
"後悔のロッド",
"横一目",
"黄色のレッグウェア",
"patreon報酬",
"ガンダムSEED",
"花火",
"アトリエ(シリーズ)",
"ポケモンXY",
"ベアトリス",
"さよなら絶望先生",
"不思議の国のアリス",
"ssss.gridman",
"単眼鏡",
"鼻眼鏡",
"何",
"百合!!!氷の上",
"慈悲(オーバーウォッチ)",
"パンツプル",
"レーバテイン",
"ユリ白",
"アナスタシア(アイドルマスター)",
"袖が押し上げ",
"ゼルダの伝説トワイライトプリンセス",
"悪い足",
"突っつい",
"ピンクの着物",
"手首のリボン",
"顔の傷跡",
"骨",
"あなたの渡辺",
"従業員の制服",
"邪悪なにやにや笑い",
"文字",
"お誕生日",
"シャーロット(まどかマギカ)",
"牛の耳",
"機械式アーム",
"騎士",
"引き裂かれたスカート",
"マヤ(艦隊コレクション)",
"楽器を演奏",
"ジムリーダー",
"ロックされた武器",
"ジョナサンjoestar",
"印刷着物",
"魂の宝石",
"碇シンジ",
"happinesschargeプリキュア!",
"爪のポーズ",
"jougasakiミカ",
"djeeta(グランブルーファンタジー)",
"虎の尻尾",
"高坂桐乃",
"差し迫ったレイプ",
"zuihou(艦隊コレクション)",
"カウボーイハット",
"図書館",
"ゲーム機",
"ショッピングバッグ",
"髷",
"白い目",
"bkub",
"秋月律子",
"傾きました",
"80年第",
"兼プール",
"KISHIN sagume",
"水没",
"頭の上にタオル",
"スーパーダンガンロンパシリーズ2",
"支援暴露",
"コハ・エース",
"ストッキング(PSG)",
"触手セックス",
"純子(東方)",
"オープンカーディガン",
"煙管",
"赤い着物",
"融合",
"ハヤテのごとく!",
"トワイライト",
"鉄拳",
"狐",
"ノート",
"宝石の国",
"黒いコート",
"2013",
"レベッカ(keinelove)",
"ギルティギアのXRD",
"ブルーチョーカー",
"ドット絵",
"肉",
"トングビキニ",
"shuten douji(運命/壮大順)",
"虎",
"好きなものを選んでください",
"春野サクラ",
"パンツを食い込ませます",
"柚木ゆかり",
"植えられた武器",
"フィギュア",
"ワット",
"肉体ペニス",
"ハルカ(ポケモン)",
"里中千枝",
"老人",
"くま",
"ルルーシュ・ランペルージ",
"mankanshokuマコ",
"ブックスタック",
"ベルトポーチ",
"オレンジ",
"アメリカの国旗レッグウェア",
"第6世代ポケモン",
"花のフィールド",
"帽子を調整します",
"ねじれた胴体",
"スターピアス",
"プリーツドレス",
"衛宮切嗣",
"ゾンビ",
"リバースグリップ",
"カバーの目",
"ロボットの耳",
"ティファのロックハート",
"火災エンブレム:烈火拳",
"奴隷",
"死",
"unzan",
"赤い唇",
"ポルカドット水着",
"赤い皮膚",
"青パンツ",
"断定",
"固体楕円形の目",
"剣の女の子",
"クマ(艦隊コレクション)",
"ひだまりスケッチ",
"水筒",
"ライトニング",
"妖怪",
"ラテックス",
"灰色の靴",
"機械の翼",
"ノベルティ検閲",
"ローリング目",
"紫のブラジャー",
"赤いチョッキ",
"黒帯",
"チョコレートの心",
"taihou(艦隊コレクション)",
"自分の胃に手",
"開胸セーター",
"ライブが大好き!学校のアイドル祭",
"王位",
"プリンセスピーチ",
"フルアーマー",
"A1",
"旗プリント",
"ランサー(運命/ゼロ)",
"脇の下PEEK",
"ドット鼻",
"麺",
"キリト",
"想像",
"先生",
"ハンバーガー",
"mitakiharaの学校の制服",
"カノン",
"yohane",
"橘",
"白パンツ",
"つま先の伸び縮み",
"キャミィの白",
"アームストラップ",
"Z1 leberecht Maass第(艦隊コレクション)",
"ビーチパラソル",
"水着",
"悪いがdeviantartのID",
"双葉杏",
"グラブ胴体",
"オープンベスト",
"あじさい",
"イズミsagiri",
"M.U.G.E.N",
"反対の袖で手",
"ボート",
"服を取り除きます",
"白ブルマ",
"xenoblade 2",
"レギンス",
"シャナを灼眼のシャナありません",
"茶色い帽子",
"カラフル",
"リボントリミングレッグウェア",
"エレキギター",
"裸の木",
"バイオリン",
":|",
"トイレ",
"胸に膝",
"ナーバス",
"2012",
"ベルチョーカー",
"猫のカットアウト",
"さておき水着",
"ハート型のボックス",
"2018",
"ショートパンツプル",
"セーターリフト",
"青木れいか",
"新バビロニアの制服",
"ピンクの手袋",
"長いポニーテール",
"アーム抱擁",
"mamkute",
"キラキラな目",
"並ぶ",
"ryuuguuレナ",
"涙を流します",
"hisouの剣",
"カーネリアン",
"Z3最大シュルツ(艦隊コレクション)",
"帽子を通して耳",
"千年sensouアイギス",
"火災エンブレム:紋章の謎",
"へそピアス",
"fusou(艦隊コレクション)",
"色とりどりの背景",
"地球",
"三笠アッカーマン",
"小さな魔女の学界",
"白いセーター",
"菱川リッカイン",
"肩に武器",
"ハートのイヤリング",
"部分的な解説",
"サイモン",
"朝倉涼子",
"WAVERベルベット",
"ちびはめ込み",
"I-401(艦隊コレクション)",
"棚",
"スターダストクルセイダーズ",
"アメリカの国旗ドレス",
"同点の髪",
"保持メガネ",
"黄色のパンティー",
"赤文字",
"ゆう-GI-OU王デュエルモンスターズ",
"白井黒子",
"狼と香辛料",
"ステッチ",
"拾得",
"エーリカ・ハルトマン",
"小説イラスト",
"モルドレッド(運命)(すべて)",
"uranohoshi学校の制服",
"色紙",
"アイドルマスター側-M",
"ストライプリボン",
"スピード線",
"ポンパドール",
"kuujou jolyne",
"ハイレグビキニ",
"pantyshot(嘘)",
"スカートスーツ",
"スプレッド肛門",
"昆虫の女の子",
"明治女子高生の制服",
"うずまきナルト",
"非アクティブなアカウント",
"肩に手",
"保持袋",
"モンスター娘無IRU日常",
"日向ヒナタ",
"アクセル",
"紫色の傘",
"デジモン",
"シャボン玉",
"シュミーズ",
"クローン",
"宮藤YOSHIKA",
"赤(ポケモン)",
"シャイ",
"自分の膝の上の手",
"チェーンリンクフェンス",
"中国の黄道帯",
"保持ナイフ",
"保持帽子",
"hyouka",
"ストライカーユニット",
"逢坂大河",
"オレンジ色のネックウェアー",
"魅惑的な笑顔",
"レンチ",
"電車インテリア",
"紅月カレン",
"赤いボディスーツ",
"左から右のマンガ",
"yugake",
"日野あかね(スマイルプリキュア!)",
"頬に頬",
"猫PEEK",
"オレンジ色のボディスーツ",
"強打の夢!",
"大城プロジェクト",
"何の迷宮を世界樹ません",
"男らしい",
"別の頬に手",
"金属歯車(シリーズ)",
"バナナ",
"ushiromiyaのバトラー",
"日付のライブ",
"前川みく",
"髄ヘルメット",
"カニ",
"jougasakiリカ",
"光しかめ面",
"ebifurya",
"白いアウトライン",
"hecatia lapislazuli",
"多すぎる",
"パワーアーマー",
"ショーガールスカート",
"頭蓋骨の髪飾り",
"源氏なしライコウ(運命/壮大順)",
"ホロ",
"自分の太ももに手",
"侵略!イカ娘",
"手が離せません",
"行きます!王女のプリキュア",
"カプリパンツ",
"エイリアン",
"アクア背景",
"緑の靴",
"残像",
"お金",
"二見マミ",
"サムライスピリッツ",
"ストライプ水着",
"フェイスマスク",
"湖",
"対馬佳子",
"カレンダー(媒体)",
"襦袢",
"保持毛",
"はつらつと胸",
"millipen(中)",
"神社",
"群集",
"煙突",
"針",
"巨大なペニス",
"ahri",
"底屈",
"ichimi",
"長い舌",
"非被覆",
"日向(艦隊コレクション)",
"みずき(ポケモン)",
"寿司",
"オレンジ色のチョーカー",
"マイク保持",
"保持トレイ",
"目を覚まします",
"見つめます",
"ソウルキャリバー",
"向坂環",
"肘パッド",
"ぼやけフォアグラウンド",
"ゲルトルート・バルクホルン",
"トリミングされた胴体",
"higashikata jousuke",
"熊野(艦隊コレクション)",
"ゴーストテール",
"列車",
"白い袖",
"ワンパンマン",
"ワタシGA motenai無いわDOU kangaetemo omaeraのGA warui!",
"hikarizaka私立高校の制服",
"暗黙のセックス",
"クナイ",
"バブルブロー",
"kyonko",
"杖",
"空の境界",
"天使(エンジェルビーツ!)",
"運命/プロトタイプ",
"ルイーズ・フランソワーズ・ル・ブラン・ド・ラ・ヴァリエール",
"シルク",
"青色のベスト",
"クローバー",
"aiguillette",
"コラボレーション",
"お転婆",
"柏崎セナ",
"牧瀬栗栖",
"Vネック",
"ボディーペイント",
"青葉(艦隊コレクション)",
"アリス(ワンダーランド)",
"別のお尻をつかん",
"クモユリ",
"megumin",
"お絵かき",
"提灯",
"口の中で心",
"魔法のマスケット銃",
"ヱヴァンゲリヲン新劇場版:3.0することができます(しない)のREDO",
"フェドーラ",
"デュラララ!!",
"ルナの子供",
"突くボール(ジェネリック)",
"手描き",
"縞模様のスカーフ",
"スペースクラフト",
"シャワー",
"別のレッグウェア",
"スパンデックス",
"心の背景",
"本居kosuzu",
"エネルギーの剣",
"色の陰毛",
"立像",
"ロボットの関節",
"包帯を足",
"紫のシャツ",
"水泳",
"双眼鏡",
"ふたりプリキュア",
"アイスクリームコーン",
"フタ(布田)(nabezoko)",
"ファイナルファンタジータクティクス",
"miqo'te",
"水着を調整します",
"青いセーター",
"目に見えない椅子",
"カード保持",
"一ノ瀬志木",
"再クラスの戦艦",
"shinrabanshou",
"オレンジ色のレッグウェア",
"エクストラ",
"フリルのついたシャツ",
"プロデューサー(アイドルマスター)",
"ネオントリム",
"レースクイーン",
"キャラクタープロフィール",
"闇",
"キャタピラー",
"書道ブラシ",
"あの三田花のnamae WO僕たちWAマダshiranai。",
"異人種間の",
"真紅",
"ホース",
"露出症",
"tokitsukaze(艦隊コレクション)",
"ラベンダーの目",
"学校",
"猫のフード",
"ティッシュボックス",
"メルティの血",
"クワッド尾",
"潮吹き",
"キングダムハーツ",
"ショルダーキャリー",
"ネックリング",
"真珠のネックレス",
"GIORNOジョヴァンナ",
"摩天楼",
"; qは",
"相田マナ",
"ファンを保持しています",
"ホット",
"アイドルマスター心から星",
"乗って作物",
"上條冬馬",
"ゴシック",
"花瓶",
"単一肘手袋",
"竹の森",
"鬼女",
"バスケットボール",
"レピア",
"ケージ",
"はい!プリキュア5",
"北条響",
"目の上にV",
"羊の角",
"差し迫ったセックス",
"秋津丸(艦隊コレクション)",
"足柄(艦隊コレクション)",
"ハートカットアウト",
"血液スプラッタ",
"灰色の皮膚",
"ヘアタック",
"紫のボディスーツ",
"kirisawa juuzou",
"進行中の作業",
"大城プロジェクトの再",
"isokaze(艦隊コレクション)",
"jintsuu(艦隊コレクション)",
"惑星",
"上向き",
"コマンドの呪文",
"ドラム",
"脚リボン",
"餓狼伝説",
"巻き毛",
"画集",
"日常",
"unryuu(艦隊コレクション)",
"蜘蛛の巣",
"黒のスカーフ",
"オープンブレザー",
"ブレード(galaxist)",
"マカロン",
"蝶の羽",
"ウィザードの帽子",
"即興ギャグ",
"ビールジョッキ",
"ストリートファイターIV(シリーズ)",
"シャツのタグボート",
"偽物語",
"赤いブラジャー",
"イブニング",
"武部沙織",
"バイオハザード",
"toshinou京子",
"悪魔",
"二見AMI",
"アイドルマスター光沢のある色",
"母と息子",
"イカ娘",
"ミリタリージャケット",
"バットプラグ",
"ストラッププル",
"ランカ・リー",
"リリカのprismriver",
"紫の口紅",
"頬キス",
"バニー印刷",
"火災エンブレム:souenの奇跡",
"釣り竿",
"シャナ",
"ハート柄",
"kiyoshimo(艦隊コレクション)",
"開いた手",
"側に傾い",
"波浪",
"余分な目",
"メルリンprismriver",
"ストライプブラジャー",
"アクアネイル",
"くるみエリカ",
"毛皮トリミング袖",
"星のカービィ(シリーズ)",
"青いヘアバンド",
"japariシンボル",
"目指します",
"道路標識",
"urakaze(艦隊コレクション)",
"ガンダムビルドファイターズてみてください",
"星空みゆき",
"MEI(ポケモン)",
"taigei(艦隊コレクション)",
"エリザベスBATHORY(運命)(すべて)",
"サッカーボール",
"ドッグタグ",
"アメリカの国旗",
"MURASAME(艦隊コレクション)",
"とげ",
"ドレスプル",
"第二次世界大戦",
"夫婦",
"暗い乳首",
"猫の足",
"晴れミルク",
"ペコ",
"黒よりも暗い",
"スターサファイア",
"ペストリー",
"ホラー(テーマ)",
"カチューシャ",
"男性水着",
"髪slickedバック",
"フラット尻",
"ギルティクラウン",
"maebari",
"父と息子",
"ジッパーのプルタブ",
"ダークエルフ",
"小清水幸子",
":> =",
"エクシリアの物語",
"四分音符",
"股",
"雑誌のスキャン",
"ファイナルファンタジーVI",
"ルビーローズ",
"水色の髪",
"植え剣",
"モルドレッド(運命)",
"天城由紀子",
"ファイナルファンタジーIV",
"記念日",
"凝縮トレイル",
"宝石の制服(housekiなしくに)",
"hibike!ユーフォニアム",
"マリオ",
"ナイトキャップ",
"旧スクール水着",
"さつき(艦隊コレクション)",
"屋上",
"warugaki(SK-II)",
"ドラゴンクエストIII",
"膣の後",
"ベクトルトレース",
"ロリータチャンネル",
"女性のオーガズム",
"妖怪ウォッチ",
"戦艦姫",
"三日月ピン",
"ポスター(オブジェクト)",
"津田nanafushi",
"羊",
"ゆうきまこと",
"徳利",
"甘いdoremy",
"新聞",
"Oリングの下",
"保持アーム",
"襟付きドレス",
"ロッカー",
"肉体四肢",
"別の帽子",
"クリーム",
"コンセプトアート",
"パンティーでの手",
"かすみ(ポケモン)",
"ハッピーハロウィン",
"ミュート色",
"GAE bolg",
"最上(艦隊コレクション)",
"白チョーカー",
"地図",
"U-511(艦隊コレクション)",
"日(シンボル)",
"振袖",
"ポップカラー",
"尿道",
"ピギーバック",
"nijisanji",
"渚カヲル",
"明るい茶色の目",
"DCコミック",
"内部ザーメン",
"キッチン",
"エネルギーガン",
"ゾンビポーズ",
"緑のレオタード",
"カントク",
"warspite(艦隊コレクション)",
"アルペジオがないハガネ青木",
"ライダー(運命/ゼロ)",
"翠星石",
"浮かんで",
"びん",
"breastless服",
"らんま1/2",
"肩をすくめる(衣類)",
"複数の翼",
"髭",
"口の中に指",
"スカッとゴルフパンヤ",
"三次元機動ギア",
"ジャンプスーツ",
"ひもレオタード",
"ポケモンoras",
"何の乳首ません",
"勇敢な魔女",
"shushing",
"卯月(艦隊コレクション)",
"スーツケース",
"傀儡",
"ワイルドアームズ",
"オフショルダーのセーター",
"ゴム長靴",
"スポールダー",
"朧(艦隊コレクション)",
"ギャラクシーエンジェル",
"undertale",
"トランスフォーマー",
"猫の耳のパンティー",
"尾の弓",
"烏",
"ピンクのボディスーツ",
"隠蔽",
"心を高めます",
"VOCALOID APPEND",
"九老",
"うたいます",
"範囲",
"共有スカーフ",
"スタイラス",
"ムラの目",
"開いている服",
"ジャックリッパー(運命/外典)",
"ボケ味",
"ボトル保持",
"魚眼レンズ",
"肛門の尾",
"DD(ijigendd)",
"包子",
"ピンクの口紅",
"口語赤面",
"irisvielフォンeinzbern",
"餅",
"股縄",
"ヴィータ",
"2011",
"あずまんが大王大王",
"スカートのタグボート",
"亀裂",
"senran神楽少女-たちのshin'ei",
"シャーロットのE・イェーガー",
"ベースギター",
"UFO",
"婦警",
"まぶしいです",
"iesupa",
"パンツスーツ",
"自分のお尻をつかん",
"胎児の位置",
"ガンダムSEED DESTINY",
"黒の着物",
"ボタンを外しシャツ",
"sakurauchiりこ",
"エジプト",
"爆発的",
"5koma",
"バナー",
"高梨リッカイン",
"広いポニーテール",
"一本の足の周りのスカート",
"真希波・マリ・イラストリアス",
"牛角",
"燃える目",
"aldnoah.zero",
"ピンクのレオタード",
"黒のビキニトップ",
"ドラゴンズクラウン",
"めまいが",
"ブランド名の模倣",
"ショップ",
"SHINO(ponjiyuusu)",
"3",
"スプラトゥーン2",
"黄色強膜",
"小泉五木",
"儀式バトン",
"ストライプテール",
"あかりakaza",
"リスの耳",
"サトシ(ポケモン)",
"海星",
"アイドルマスター2",
"ポケモンRSE",
"ツリーに",
"オレンジ色のヘアバンド",
"ピンクのヘアバンド",
"正男",
"ヌードカバー",
"尾上げ",
"一緒に指",
"稲妻",
"kujikawa上昇",
"北条聡子",
"ペリーヌ・クロステルマン",
"クリスタRENZ",
"リブ付きドレス",
"ガラスに対する",
"YUA(チェックメイト)",
"黒いセーター",
"宇佐美sumireko",
"スーツ",
"naganami(艦隊コレクション)",
"spitroast",
"スピーカー",
"上部の少年",
"紫の帽子",
"トーン(艦隊コレクション)",
"たるみの胸",
"kuromorimine軍服",
"ファッション",
"緩いベルト",
"悪魔ほむら",
"yamakaze(艦隊コレクション)",
"能美クドリャフカ",
"ビキニリフト",
"ギャル",
"蜉蝣(艦隊コレクション)",
"刃",
"耳",
"hisahiko",
"ポケモンの特殊",
"yahariは青春lovecome WA machigatteiru鉱石ません。",
"ポール",
"食品の印刷",
"嫉妬",
"プロジェクトディーヴァ(シリーズ)",
"アリア",
"タキシード",
"saenaiにはsodatekataをヒロインません",
"鋏ブレード",
"むつき(艦隊コレクション)",
"ルーム",
"ソファの上",
"miniboy",
"赤いショートパンツ",
"共通アライグマ(獣の友人)",
"ヒロ(franxxで最愛の人)",
"赤い翼",
"靴ちらつか",
"シャベル",
"概要",
"チェック柄のネックウェアー",
"ぬいぐるみを保持します",
"ラブプラス",
"卵バイブレーター",
"桐野蘭丸",
"ナミ(ワンピース)",
"パンダ",
"リンゴあめ",
"kyoukaisenjou何地平線ません",
"巡洋艦(艦隊コレクション)",
"赤パンツ",
"マスカラ",
"太ももに手",
"電話ポール",
"グリーンネイル",
"ステンドグラス",
"jakuzure NONON",
"ガスマスク",
"はぁ",
"ゴム製のアヒル",
"白capelet",
"天城華麗な公園",
"顔のない女性",
"ヴィヴィオ",
"首にタオル",
"かんなぎ",
"I-8(艦隊コレクション)",
"ウエスト岬",
"そっくり",
"青い火",
"靴底",
"投げ",
"リスの尻尾",
"複数のクロスオーバー",
"ペイント",
"kaenbyou RIN(猫)",
"プリントスカート",
"戦闘潮流",
"ニートクリス(運命/壮大順)",
"kenzaki誠",
"ケイ(女の子ウントパンツァー)",
"冷泉マコ",
"オブジェクトの同名",
"純潔",
"drawfag",
"ピンクのジャケット",
"リネット・ビショップ",
"ヱヴァンゲリヲン新劇場版:破することができます(ない)は、予め",
"フリルのついた弓",
"フェネック(獣の友人)",
"恋姫†無双",
"つなこ",
"シンキ",
"のどの伝統的なメディア",
"ト音記号",
"坂本美緒",
"タカラみゆき",
"長い三つ編み",
"2010",
"並んで",
"ペルソナ3ポータブル",
"金星の裂け目",
"シェルケース",
"グレーのドレス",
"一騎当千",
"引き裂かれたドレス",
"ぽかんと",
"服の下に手",
"南(カラフルパレット)",
"フィレンツェナイチンゲール(運命/壮大順)",
"yuzuriha祈り",
"クローズファン",
"セーラームーン",
"馬具",
"阿武隈(艦隊コレクション)",
"頭の上に食べ物",
"ピアノ",
"モンスターの男の子",
"島崎無印",
"足首レースアップ",
"羽黒(艦隊コレクション)",
"ISE(艦隊コレクション)",
"直立ストラドル",
"obentou",
"アオリ(スプラトゥーン)",
"空気",
"花(シンボル)",
"スケート",
"変換",
"録音",
"グリーンショートパンツ",
"ワイスシュネー",
"ヌードフィルタ",
"シュール",
"髪のビーズ",
"予告ライン",
"指数",
"ジョニーjoestar",
"島田のアリス",
"アランセーター",
"スケールアップ",
"アームチェア",
"はつゆき(艦隊コレクション)",
"足首のリボン",
"第四壁",
"プリントビキニ",
"赤capelet",
"パフェ",
"水木誠",
"輝く武器",
"フェアリーテイル",
"黒木智子",
"海賊帽子",
"羽川のつばさ",
"アニメの色付け",
"横口",
"ミニ八卦炉",
"ブラジャー削除",
"神イーター",
"シームレッグウェア",
"春雨(艦隊コレクション)",
"ハム浩太郎",
"パンティー(PSG)",
"akigumo(艦隊コレクション)",
"月光",
"ryougi志木",
"火災エンブレム:なしツルギfuuin",
"髪が引き戻さ",
"I-168(艦隊コレクション)",
"ニンテンドー",
"お菓子",
"肩の上の動物",
"カプコン",
"IA(VOCALOID)",
"宝田のリッカイン",
"ほたる(スプラトゥーン)",
"マガジン",
"毛皮トリミングジャケット",
"陰唇",
"鴎",
"ヘアトワリング",
"バックカットアウト",
"(ソフトウェアの)魂",
"ホイッスル",
"サンバースト",
"弱音ハク",
"ライト",
"-9",
"ボックス内の",
"メディアスカート",
"便利なアーム",
"うちはサスケ",
"チューインガム",
"保持弓(武器)",
"花村陽介",
"sayori",
"ラストオーダー",
"sonozakiのMION",
"番",
"アクアネックウェアー",
"共有食品",
"がbardiche",
"ぷよぷよは",
"マンコ汁染色",
"メガホン",
"愛宕(アズールレーン)",
"ファイナルファンタジーIX",
"結婚式",
"BB(運命)(すべて)",
"ゼルダの伝説時のオカリナ",
"pantylines",
"スプレッド尻",
"上山のmichirou",
"車庫キャップ",
"水たまり",
"片目の上に包帯",
"みがきます",
"赤のセーラー襟",
"オンライン剣アート:コードレジスタ",
"花咲つぼみ",
"セーラービキニ",
"オレンジ色のシュシュ",
"戦場ヶ原ひたぎ",
"口から血",
"茶色のシャツ",
"間桐刈谷",
"マビノギ",
"袖は折り畳みました",
"tomose俊作",
"色とりどりのスカート",
"毛のグラブ",
"雑誌の表紙",
"保持箸",
"緑の手袋",
"三白眼",
"ホンダMIO",
"たこ",
"うたわれるもの",
"スワールロリポップ",
"ガウン",
"松野カラマツ",
"ポロの王冠",
"太った男",
"金魚",
"人に寄りかかっ",
"ユニコーン(アズールレーン)",
"テイルズオブグレイセス",
"トリミングされました",
"yunomi",
"紫のバラ",
"牛の女の子",
"ライスボウル",
"指舐め",
"グングニルを槍",
"魅力(オブジェクト)",
"タイト",
"南京錠",
"馬の耳",
"ハンマーと鎌",
"satenルイ子",
"キーボード(楽器)",
"chitandaのERU",
"トラックパンツ",
"清姫(運命/壮大順)",
"ルキナ",
"レターマンジャケット",
"ハムスター",
"南野奏",
"松野おそ松",
"シースルーシルエット",
"キャンディの杖",
"斜めのストライプ",
"ちりばめられたベルト",
"私のユニット(火エンブレム場合)",
"中指",
"霧",
"松野juushimatsu",
"耳赤面",
"整列していない胸",
"目を覆い",
"保持パンティー",
"パドル",
"胃の膨らみ",
"4葉のクローバー",
"咲achiga編",
"テキストのみのページ",
"保持杖",
"新しいゲーム!",
"緑色のベスト",
"如月(艦隊コレクション)",
"保持スプーン",
"火災エンブレム:暁の女神",
"ニンジンネックレス",
"たち-E",
"ノエル・ヴァーミリオン",
"バニーフード",
"佃煮(コークスブタ)",
"木陰",
"カウベル",
"腕ベルト",
"アルクェイドbrunestud",
"ST。 glorianaの学校の制服",
"青枠のメガネ",
"木づち",
"シグナム",
"太ももグラブ",
"大作",
"香月悠里",
"クリエイター接続",
"ポケモンfrlg",
"注入",
"松野市松",
"音無小鳥",
"チャート",
"かわいい(シリーズ)",
"豚",
"擲弾",
"リモコン",
"調達眉",
"abubu",
"リボントリミング服",
"女性主人公(ペルソナ3)",
"蒼星石",
"服の下paizuri",
"舞-HiME",
"私のユニット(火エンブレム:覚醒)",
"プリン",
"革のジャケット",
"エレン・イェーガー",
"プロデューサー(アイドルマスターシンデレラガールズアニメ)",
"ドラムスティック",
"narmaya(グランブルーファンタジー)",
"秋月(艦隊コレクション)",
"ほうとうのココア",
"仙台博麗巫女",
"予算sarashi",
"ゼルダの伝説:野生の息吹",
"オレンジ色)",
"公共ヌード",
"東京第七姉妹",
"スティック",
"グリーンブラ",
"指銃",
"机上",
"富田",
"ハッピーバレンタインデー",
"ブルー袴",
"聖剣伝説",
"兵士",
"コテ",
"カンナカムイ",
"タイルの壁",
"hewsハック",
"minaba秀夫",
"差し迫った膣",
"自由!",
"潜水マスク",
"ゼロスーツ",
"白い岬",
"軍艦",
"O3O",
"おもちゃ",
"nyantype",
"乳首の応急",
"ヴィクトル・ニキフォーオブ",
"ゆめにっき",
"チップス",
"信じられないほどabsurdres",
"ティーンエイジ",
"竜の翼",
"絵画(オブジェクト)",
"ダイヤモンド(シンボル)",
"汚れた",
"クマの耳",
"橘のアリス",
"白いコート",
"ロックマン(クラシック)",
"引き金に指",
"不知火舞",
"ウォークイン",
"ボウル帽子",
"トランペット",
"平沢UI",
"カービィ",
"Raimonの",
"チキン",
"ブラジャーのストラップ",
"pyonta",
"プリントTシャツ",
"美馬",
"動物を保持しています",
"ushiromiya ANGE",
"英雄伝説",
"速水奏",
"バケツで",
"後方の帽子",
"ダンジョンや戦闘機",
"悪いのリビジョンを持っています",
"なしシャツ",
"逆転裁判",
"マギ魔法の迷路",
"ローマ字テキスト",
"たまこまーけっと",
"別の顔に手",
"高見知佳",
"ネグリジェ",
"松永kouyou",
"カップケーキ",
"アンタイドパンティー",
"カット",
"ソウルイーター",
"散弾銃",
"白の生徒",
"ファインアートのパロディ",
"ワトソンクロス",
"色とりどりのドレス",
"サラトガ(艦隊コレクション)",
"akeome",
"星の海",
"イージス(ペルソナ)",
"お尻に手",
"ビューアを目指して",
"アイヌの服",
"オープンドア",
"ローソン",
"FFM三人組",
"書き込み",
"打ち間違え",
"補綴物",
"Dパッド",
"自己を指し",
"暗がり(表現)",
"緑の着物",
"ニップルリング",
"蒲郡IRA",
"丸湯(艦隊コレクション)",
"ピンストライプパターン",
"houtengeki",
"溢流",
"新しいダンガンロンパシリーズv3の",
"ひよこ",
"トリック・オア・トリート",
"愛-ruの闇へ",
"頬の傷",
"腰周りのアーム",
"エネルギー",
"やたらと発汗",
"shoushitsuなし涼宮ハルヒ",
"誠nanaya",
"彼らが交尾場合",
"バギーパンツ",
"ハイライト",
"ダイヤモンド(形状)",
"道",
"michishio(艦隊コレクション)",
"息子の悟空",
"肩周りのアーム",
"灰色の手袋",
"shiratsuyu(艦隊コレクション)",
"ブルマ",
"ピザ",
"オレンジ色のビキニ",
"縁側",
"かき氷",
"パワースーツ",
"猫のバンドエイド",
"あなたがそれを見た時",
"ファイナルファンタジーV",
"rensouhouくん",
"硬化平和",
"踊り子",
"初音ミク(APPEND)",
"結城ミク",
"那智(艦隊コレクション)",
"コラージュ",
"多摩(艦隊コレクション)",
"エリザベスBATHORY(運命)",
"首のラフ",
"カメオ",
"黄色の靴",
"ぱにぽにダッシュ!",
"鞄",
"折り目",
"不透明なメガネ",
"ポケモンGO",
"サークル",
"松野choromatsu",
"戦場何戦場のヴァルキュリアません",
"人の上に横たわっています",
"悪い割合",
"マブラヴオルタネイティヴ",
"陽小龍",
"乳房縛り",
"葉巻",
"ピンチ",
"11イナズマクロノ石を行きます",
"梁16分音符",
"ビキニさておき",
"マスク取り外し",
"帽子のゴーグル",
"ファインダー",
"ドラゴンクエストIV",
"共有傘",
"服の下勃起",
"犬の日",
"黄色のジャケット",
"トレーサー(オーバーウォッチ)",
"matsuryuu",
"何のメガネません",
"ゴールド",
"サークルカット",
"裸シート",
"肉体ヘッド",
"kirima sharo",
"他に直面して",
"鬼太郎のゲゲゲありません",
"鳥の尾",
"悪い手",
"手術用マスク",
"紙袋",
"清澄学校の制服",
"矢作(艦隊コレクション)",
"対称",
"アルトネリコ",
"zounose",
"市松模様のネックウェアー",
"ピンクシュシュ",
"セイバー・リリィ",
"サイクロプス",
"羽入",
"光赤面",
"絶叫",
"毛皮トリミングブーツ",
"床",
"ボコ(女の子ウントパンツァー)",
"ティッピー(gochiusa)",
"茶色のコート",
"いか",
"魔術師の経典スクロール",
"膝の上のバンドエイド",
"トマト",
"イヤフォン",
"青い翼",
"グーの女の子",
"ジェット",
"ミカ(女の子ウントパンツァー)",
"choukai(艦隊コレクション)",
"青(ポケモン)",
"creayus",
"カレー",
"ユミル(何の巨人を新劇ません)",
"緑のチョーカー",
"紫色のレオタード",
"hatsuzuki(艦隊コレクション)",
"フレキシブル",
"船見のYUI",
"球体",
"ディズニー",
"ooarai軍服",
"patreonロゴ",
"韓国語の解説",
"コールド",
"海賊",
"六角形",
"ぷちます!",
"Gストリング",
"ボンバージャケット",
"drawr",
"テイルズオブジアビス",
"nagatsuki(艦隊コレクション)",
"ユーリ・ローウェル",
"金(ポケモン)",
"王女",
"節分",
"別の肩に手",
"ヘクタールakabouzu",
"腰の骨",
"白いタオル",
"アンツィオ学校の制服",
"ポケモンRGBY",
"ピンクのセーター",
"nanairogaoka中学校の制服",
"ローション",
"ブルーボディスーツ",
"フライパン",
"パンティ覗き見",
"水本の忠",
"リリーパッド",
"猫の髪飾り",
"蒸気検閲",
"黄色のヘアバンド",
"niiko(gonnzou)",
"三村加奈子",
"ネプチューン(海王星シリーズ)",
"オレンジ色のドレス",
"カムイがくぽ",
"伊藤noiji",
"ストリートファイターV",
"縦縞の背景",
"告白",
"三日月munechika",
"カノン(くろがね騎士)",
"いすゞハナ",
"ステージ",
"オープンスカート",
"ブーツの下ニーソックス",
"水原アキ",
"巻き付けるのに適した髪",
"私の小さなポニー",
"ワインボトル",
"ヘッドマウントディスプレイ",
"毛皮の帽子",
"部分的に服を脱ぎます",
"ヘッドバンプ",
"藤林杏",
"ペイントスプラッタ",
"色とりどりのレッグウェア",
"niwatazumi",
"MEI(オーバーウォッチ)",
"諸星きらり",
"ラム(再:ゼロ)",
"kunikidaはなまります",
"服のグラブ",
"kashuu清光",
"神能美ZO shiru世界",
"スイートポテト",
"ナギ何asukaraません",
"上着",
"コーヒーマグカップ",
"松野のトドマツ",
"火の息",
"ネロクラウディウス(水着キャスター)(運命)",
"保持板",
"交差前髪",
"フローズン(ディズニー)",
"ラグナbloodedge",
"黒沢DIA",
"ファントム血液",
"コラムラインナップ",
"プレイステーションポータブル",
"八重樫ナン",
"中空",
"プロダクト・プレイスメント",
"毛皮トリミング手袋",
"Dパッドの髪飾り",
"トライアルキャプテン",
"シンデレラガールズ劇場",
"研削",
"ネロクラウディウス(新婦)(運命)",
"かすみ(DOA)",
"シャーロットdunois",
"牛テール",
"脚ロック",
"レヴィ(何の巨人を新劇ません)",
"手のひら",
"海賊の髑髏",
"桜丘高校の制服",
"ユニオンジャック",
"ヒョウ柄",
"自分の腕に手",
"胸筋",
"自己のアップロード",
"セレナ(ポケモン)",
"消しゴム",
"フランチェスカ・ルッキーニ",
"steepled指",
"オオカミ少女",
"トライ尾",
"デイ士郎",
"ファイナルファンタジーX",
"マルチ結ば毛",
"サンドイッチ",
"黒い礁湖",
"辰巳漢字",
"プラチナブロンドの髪",
"棗鈴",
"トナカイ枝角",
"勾配目",
"笑顔",
"木製のバケツ",
"古河渚",
"2009",
"葛城(艦隊コレクション)",
"黄色のバラ",
"thighlet",
"サスペンション",
"ピンクの肌",
"バウンド足",
"フリルのついた手袋",
"偽ホーン",
"suzuhiraヒロ",
"交響詩篇エウレカセブン(シリーズ)",
"ソーダ缶",
"kappougi",
"犬の女の子",
"ハーピー",
"rappa(rappaya)",
"yurucamp",
"封筒",
"ハシビロコウ(獣の友人)",
"大和無カミyasusada",
"猫の帽子",
"レインコート",
"ドラゴンクエストV",
"幼稚園の制服",
"股こすります",
"みゆき(艦隊コレクション)",
"博麗霊夢(コスプレ)",
"karaagetarou",
"天井",
"黄色の手袋",
"木の枝",
"赤城ミリア",
"兼浸透しながら、",
"町",
"松明",
"アナル指",
"墓石",
"流れ星",
"装飾衣装",
"うめき声",
"白い",
"片平雅史",
"ブレイクベラドンナ",
"otoufu",
"竹内隆",
"武士",
"ドリル",
"玉藻なしメイ(水着ランサー)(運命)",
"かがり敦子",
"ポケモンGSC",
"足首の袖口",
"帽子の飾り",
"IDO(teketeke)",
"石の海",
"心臓枕",
"グレーのセーター",
"竹ほうき",
"ビビッドレッド・オペレーション",
"神尾観鈴",
"たいやき",
"タンキニ",
"スパイク腕輪",
"kanikama",
"太ももの間",
"ミスミなぎさ",
"月影ゆり",
"ヘルメットを削除します",
"拉麺",
"雑誌(武器)",
"オーバーリムメガネ",
"頭巾",
"毘沙門天の五重塔",
"神風(艦隊コレクション)",
"ジムのシャツ",
"EBI 193",
"恥骨タトゥー",
"よつばと!",
"何yorihimeをwatatsukiありません",
"hairpods",
"ボタンバッジ",
"扇風機",
"おもらし自己",
"悪いnicoseigaのID",
"西光太郎",
"花輪",
"アルカナハート",
"イリヤkuvshinov",
"ブルドッグ",
"ishikei",
"魅惑",
"レモン",
"ビーズのブレスレット",
"voyakiloid",
"這いよれ!ニャル子さん",
"紫色のヘアバンド",
"クロエ・フォン・einzbern",
"カメ",
"紅魔の邸宅",
"西洋の",
"はしご",
"クラブ",
"写真撮影",
"バレーボール",
"液体の上に立って",
"青いマント",
"食品中",
":バツ",
"顔の上に座って",
"鬼首RIN",
"褐色",
"額装胸",
"ハンター×ハンター",
"黒鎧",
"廊下",
"レスリング",
"服を着マスターベーション",
"ユーノ",
"桜ミク",
"キャスター(運命/ゼロ)",
"gaoo(frpjx283)",
"機動戦士ガンダム",
"アーム保持",
"gangut(艦隊コレクション)",
"王女王のブーイング",
"直立寝",
"心臓アホ毛",
"複数のアーム",
"半分の手袋",
"立位を逆転",
"マイリトルポニー〜トモダチは魔法",
"仮死",
"myoudouin五木",
"首の周りのアーム",
"対魔忍(シリーズ)",
"東刹那",
"黒沢ルビー",
"運命/アンリミテッドコード",
"石鹸",
"歯ブラシ",
"飾uiharu",
"岸",
"カミナ",
"赤い角",
"いいえ口",
"ujimatsu chiya",
"touya(ポケモン)",
"カードファイト!!前衛",
"I級駆逐艦",
"エミリア(再:ゼロ)",
"敵機(艦隊コレクション)",
"織田信長(運命)",
"agahari",
"運命/プロトタイプ:青と銀の断片",
"ぬいぐるみの猫",
"由良(艦隊コレクション)",
"トリッピング",
"ロシア語のテキスト",
"ポルカドットブラジャー",
"描画タブレット",
"フィン",
"火災エンブレム:聖戦系譜",
"MMF三人組",
"yokochou",
"話し言葉の波線",
"ベルファスト(アズールレーン)",
"額縁",
"dagashiカシュガル",
"ノースリーブ着物",
"ガトリング砲",
"交響詩篇エウレカセブン",
"ウィドウメーカー(オーバーウォッチ)",
"アフロ",
"バーサーカー(運命/ゼロ)",
"メダル",
"弥生(艦隊コレクション)",
"保持花束",
"チーズ",
"不一致の靴",
"シャワーヘッド",
"洞窟",
"きんいろモザイク",
"ST。 glorianaの軍服",
"テラオンライン",
"砂漠",
"佐久usako(ウサギ)",
"ハン樹里",
"ボクシンググローブ",
"丘",
"ジャンヌダルクALTERサンタユリ",
"単一kneehigh",
"ワイヤー",
"ダッフルバッグ",
"アーチ",
"ボディストッキング",
"鼻水",
"秋月涼",
"自身の口の上に手",
"心に",
"ライオン",
"T-ヘッド提督",
"ヘッケラー&コッホ",
"攻殻機動隊",
"セーラーシャツ",
"ゼノサーガ",
"スノーフレーク髪飾り",
"琴音(ポケモン)",
"堀川raiko",
"水野亜美",
"誉(愚か者のアート)",
"リリスaensland",
"夢",
"イワン・カレリン",
"ノンナ",
"涼風(艦隊コレクション)",
"白雪(艦隊コレクション)",
"幻想水滸伝",
"キーボード(コンピュータ)",
"印刷用手袋",
"エルザ(冷凍)",
"クイル",
"男性用水着",
"yuureidoushi(yuurei6214)",
"御影隆",
"毛皮のコート",
"パンケーキ",
"ストライプスカート",
"IB",
"保持携帯電話",
"本間芽衣子",
"フリルのついた水着",
"ゲート",
"madotsuki",
"日の出",
"松浦河南",
"闇を金色ありません",
"月刊少女野崎くん",
"スプリット",
"聴診器",
"注釈付き",
"ルイージマンション",
"羽トリミング袖",
"写真の背景",
"パワーシンボル",
"暗い背景",
"いすゞ(艦隊コレクション)",
"召喚の夜",
"; 3",
"ハレム",
"トキ(獣の友人)",
"君のキス",
"レスリングの服",
"ピンクのショートパンツ",
"吉川ちなつ",
"表情豊かな服",
"キツネの影のパペット",
"白ビキニトップ",
"ピンクの枠のメガネ",
"愛野美奈子",
"ベッドの上に座って",
"包茎",
"ラテンクロス",
"octarian",
"モンキー",
"割れたガラス",
"フロッピー耳",
"ナギ",
"宮本フレデリカ",
"韓国の服",
"首の周りゴーグル",
"手裏剣",
"輝く(シリーズ)",
"RUU(tksymkw)",
"貝殻",
"キュウリ",
"汚いです",
"スピッティング",
"別の武器",
"sakugawaの学校の制服",
"オープントゥの靴",
"阿賀野市(艦隊コレクション)",
"武装神姫",
"鶴丸のkuninaga",
"ポッキーキス",
"街の明かり",
"巨大乳首",
"クマ(ペルソナ4)",
"ボードゲーム",
"toosaka tokiomi",
"緑色のセーラー服の襟",
"アフリカオオコノハズク(獣の友人)",
"デブリ",
"数珠",
"障害ペンギン",
"公衆",
"組織",
"裸の岬",
"考え",
"揉み上げ",
"フェリシア",
"梟",
"マンコ汁トレイル",
"クリスマスオーナメント",
"首の周りの腕",
"対物ライフル",
"sidesaddle",
"レースのトリム",
"アリス・マーガトロイド(PC-98)",
"坂田銀時",
"サークル名",
"poptepipic",
"引き裂かれた袖",
"clearite",
"プリンツオイゲン(アズールレーン)",
"makigumo(艦隊コレクション)",
"ローマ数字",
"教会",
"ハートネックレス",
"プリントドレス",
"ニコロビン",
"エネルギーボール",
"単一縦ストライプ",
"岸辺露伴",
"ロッカールーム",
"櫛",
"舞 - 乙HiME",
"パンツダウン",
"ピラーボックス",
"エトナ",
"ポインタ",
"紫の着物",
"漫画(オブジェクト)",
"亀の甲羅",
"試験管",
"輪るピングドラム",
"電撃moeou",
"唇かみます",
"ピンクのスカーフ",
"イシュタル(運命/壮大順)",
"スパーテル",
"ロケットランチャー",
"茶色のショートパンツ",
"namazuoのtoushirou",
"崖",
"キュアマリン",
"アーティストのロゴ",
"茶色のベルト",
"原村のどか",
"happoubiジン",
"何のお仕事をryuuouません!",
"緩いネクタイ",
"琴稲荷",
"gofu",
"理髪",
"honebamiのtoushirou",
"ミスラ",
"コックピット",
"shadowverse",
"ビートマニア",
"女性の私のユニット(火エンブレム場合)",
"小柄な服",
"ミヨ(ranthath)",
"shimakaze(艦隊コレクション)(コスプレ)",
"紫の羽",
"葉印刷",
"yukineクリス",
"タブレットPC",
"クッキー(東方)",
"赤いシュシュ",
"ダウジングロッド",
"pantyshot(スクワット)",
"sonozakiの紫苑",
"弓(BHP)",
"乳首をカバー",
"爪",
"鼻の上にバンドエイド",
"祐二(と)",
"ちびUSA",
"黄色のシュシュ",
"傾斜帽子",
"腕のタトゥー",
"縦縞のシャツ",
"microdress",
"王女プリンシパル",
"okamisty",
"ビール缶",
"黒潮(艦隊コレクション)",
"別の胸に手",
"カラー接続",
"ラッキー獣(ケモノの友人)",
"TIMA",
"チェーン",
"マインドコントロール",
"人形の抱擁",
"フォークを保持しています",
"魔法少女リリカルなのは鮮やか",
"クモの女の子",
"宮本武蔵(運命/壮大順)",
"祭り",
"火災エンブレム:seimaなしkouseki",
"アクション",
"ティナ・ブランフォード",
"egasumi",
"白シュシュ",
"butcha-U",
"ビデオカメラ",
"ウサギの家の制服",
"ライオンの耳",
"リス",
"フレデリカのベルン",
"スケッチブック",
"戦国nadeko",
"チェック柄のビキニ",
"半分閉じた目",
"ドミナ",
"グレーのパンツ",
"BAIラオス集",
"テイルズオブシンフォニア",
"クイズマジックアカデミー",
"使い捨てカップ",
"キャッチ",
"ポケモンSM(アニメ)",
"君主(丸山)",
"オーク",
"hairlocs",
"拓也藤間",
"笏",
"立場逆転",
"ダークマジシャンガール",
"tedezaのリゼ",
"エレシュキガル(運命/壮大順)",
"茶色のズボン",
"複数の他人",
"タリー",
"宇宙服",
"手持ちバックアーム",
"茶色の弓",
"makuwauri",
"デタッチ翼",
"五芒",
"leafa",
"sinon",
"簪",
"ジョジョリオン",
"破れたパンツ",
"黄baoling",
"ELIN(テラ)",
"ジャケットは取り外し",
"uraraka ochako",
"ポーズ",
"いとこ",
"溶融",
"茶色のセーター",
"野球",
"テレビゲーム",
"真珠(宝石)",
"あなたは間違ったことをやっています",
"サッカー",
"\ O /",
"木に対する",
"オージーパーティー",
"早乙女らんま",
"ミーナ・ディートリンデ・ヴィルケ",
"木に座っ",
"回転対称",
"suiren(ポケモン)",
"shirona(ポケモン)",
"ミサイル",
"ドイツ語のテキスト",
"帽子に手",
"集まります",
"咲く",
"スプレッド翼",
"手のジェスチャー",
"たぬき",
"unya",
"三島kurone",
"故障",
"目をこすり",
"裸コート",
"ookidoグリーン",
"きつね",
"クロスピアス",
"電球",
"N(ポケモン)",
"痛み",
"世界セイフク:bouryakuなしズヴェズダ",
"式波・(艦隊コレクション)",
"69",
"ポーラ(艦隊コレクション)",
"雪城ほのか",
"teruzuki(艦隊コレクション)",
"逃げます",
"口語インテロバング",
"服の下でバイブレーター",
"真央(ポケモン)",
"胸",
"honkai(シリーズ)",
"伝説のポケモン",
"聖剣伝説3",
"yuugumo(艦隊コレクション)",
"frapowa",
"悪いソース",
"フリルのついた襟",
"夕暮れ",
"五芒",
"村上水軍",
"高尾(アズールレーン)",
"ヌル(nyanpyoun)",
"猿のしっぽ",
"as109",
"ファイアーエムブレムエコー:MOUひとりなしeiyuuou",
"玉藻猫(運命)",
"shokuhou美咲",
"肩のカットアウト",
"太ももリボン",
"麻雀",
"妻と妻",
"オレンジペコ",
"フリーダイビング",
"mattaku mousuke",
"加賀美広隆",
"ポッキーの日",
"蓬莱人形",
"上げ拳",
"呉マサヒロ",
"myoukou(艦隊コレクション)",
"何の孤児をtekketsuガンダムません",
"hisona(suaritesumi)",
"ターバン",
"神谷奈央",
"DRレックス",
"エリート4",
"hoshizuki(seigetsu)",
"iPodの",
"ゆう-GI-OUアーク-V",
"顰めます",
"針保持",
"登紀子(東方)",
"ビキニ弓",
"黒の襟",
"NU-13",
"星野史奈",
"SUさん",
"Twitterのサンプル",
"シングル靴下",
"シリカ",
"春日野さくら",
"出血",
"借りた衣服",
"風鈴",
"さておきレオタード",
"ニーソックスプル",
"首を絞め",
"ジャン=ピエール・ポルナレフ",
"印刷ネックウェアー",
"前原圭一",
"赤頭巾ちゃん",
"乳房窒息",
"ペパロニ(女の子ウントパンツァー)",
"少しペニス",
"頭の上に胸",
"戦い",
"kawakaze(艦隊コレクション)",
"ヒト化",
"浮動オブジェクト",
"鴨居(艦隊コレクション)",
"発射兼",
"黄色のショートパンツ",
"保持槍",
"ごみ箱",
"保持器",
"シャッフル!",
"犬の首輪",
"募金箱",
"酔っ(運命/壮大順)",
"北条カレン",
"貝合わせ",
"クロッチレスのパンティー",
"岩で示し!!",
"いすゞ銭湯",
"プリパラ",
"なぎなた",
"手を握って",
"スタッフ(音楽)",
"homuraharaアカデミーの制服",
"私の赤ちゃんを殺します",
"光本譲二",
"スレーヌtroyard",
"竜ryuunosuke",
"頭の上にパンティー",
"漆原サトシ",
"ベニシェイク",
"羽衣",
"事務用椅子",
"鯨",
"脇毛",
"アリサilinichina amiella",
"祈り",
"カレンダー(物体)",
"アメリカの国旗ビキニ",
"モップ",
"腰周りのセーター",
"ダイヤモンドWA kudakenai",
"ジョセフjoestar",
"キーチェーン",
"zouri",
"ホスホフィライト",
"kawashina(木綿シリコン)",
"YUI(エンジェルビーツ!)",
"ビーチサンダル",
"非常に浅黒い肌",
"何の睾丸ません",
"餅オレ",
"保持紙",
"midare toushirou",
"九十九ベンベン",
"noireの",
"火災エンブレム暗号",
"(鳥)utsuho reiuji",
"つるや",
"汚職",
"子宮",
"じょうろ",
"振り向く",
"家庭教師ヒットマンREBORN!",
"uruseiのうる星やつら",
"オレンジリボン",
"おでこキス",
"チェーンソー",
"glomp",
"ドレスのタグボート",
"別のヒップの手",
"枢木スザクSUZAKU",
"マチ",
"肛門の後",
"淡い色",
"ストリートファイターゼロ(シリーズ)",
"木剣",
"部分的にボタンを外し",
"スターウォーズ",
"アイデンティティ検閲",
"馬の尻尾",
"アンサンブル星!",
"臭い",
"真実",
"爆弾",
"嘴",
"マッチングの服",
"バックシーム付きレッグウェア",
"チャップス",
"危険な獣",
"シャツ削除",
"midna",
"肩の上に運びます",
"禅",
"能代(艦隊コレクション)",
"与え",
"青シュシュ",
"和泉無神kanesadaを",
"小さな男の子の提督(艦隊コレクション)",
"ビートマニアIIDX",
"目に見えないペニス",
"執事",
"七夕",
"alphes(スタイル)",
"ウォークラフト",
"聖人星矢",
"asashimo(艦隊コレクション)",
"グレーのパンティー",
"リボンボンデージ",
"足の靴",
"神楽(銀魂)",
"引っ張っ",
"ジャイロ・ツェペリ",
"リモコンバイブレーター",
"beltbra",
"胃に兼",
"フリルのついた帽子",
"。ハック//",
"shichimenchou",
"クラウド争い",
"髪に手",
"キラキラプリキュアア・ラ・モード",
"makizushi",
"君のWA NA",
"不可能レオタード",
"ヘアtousle",
"とっくり",
"下半身",
"魔法の女の子のプリキュア!",
"硬化日差し",
"遠野秋葉",
"自分の頭の上に手",
"ピクシブ",
"破壊",
"RU-級戦艦",
"エドワード・エルリック",
"eiri(eirri)",
"撥",
"母親(ゲーム)",
"トースト",
"wa2000(女の子の最前線)",
"スペルカード",
"こぼれます",
"meltlilith",
"キュアビューティ",
"ユニコーンガンダム",
"「怠け者」と言っていません",
"夢のCクラブ(シリーズ)",
"毛引き",
"ダ・カーポ",
"ロータス",
"サクラ大戦",
"はたくこと",
"酔っぱらいました",
"バトン",
"色とりどりのボディスーツ",
"イチゴプリント",
"腹PEEK",
"yorigamiの紫苑",
"シェーディング目",
"服の上に縛り",
"串",
"アバター(シリーズ)",
"サーナイト",
"アオシマ",
"フリルチョーカー",
"口語sweatdrop",
"テーブルの下に",
"赤いコート",
"文雄(rsqkr)",
"レーストリミングワンピース",
"チェック柄の背景",
"釣り",
"イルカ",
"層状の服",
"アクア(konosuba)",
"アクエリオン(シリーズ)",
"はたらくsaibou",
"シャープペンシル",
"カトー(monocatienus)",
"日の丸",
"食べ物をテーマにした服",
"kirijou満",
"デ・ジ・キャラット",
"弛緩",
"丸木(punchiki)",
"シス(carcharias)",
"毛皮トリミングcapelet",
"amanogawaきらら",
"クラゲ",
"レイチェル・アルカード",
"eromame",
"sanageyama UZU",
"島田fumikane",
"魔法少女ikusei keikaku",
"EROE",
"ベル(ポケモン)",
"血液染色",
"ボール保持",
"ケーキのスライス",
"hayashimo(艦隊コレクション)",
"六角形",
"晴嵐(東方)",
"頬に指",
"黒い花",
"p型ヘッドのプロデューサー",
"AAの女神様",
"ロール",
"ななみの千秋",
"harvin",
"尾ベル",
"furutaka(艦隊コレクション)",
"矢吹健太郎",
"紺色のレッグウェア",
"背中の武器",
"駆動",
"ハイコントラスト",
"頬ピンチ",
"ゾンビランドサガ",
"メイドインアビス",
"三角形",
"冒涜",
"陰",
"backboob",
"クロスボウ",
"リンゴ(東方)",
"美咲kurehito",
"夢のCクラブ",
"桜子oomuro",
"ゼルダの伝説スカイウォードソード",
"フルート",
"ファイナルファンタジーXII",
"デニムスカート",
"totokiの愛理",
"阿良々木暦",
"マウス(コンピュータ)",
"ディープスロート",
"福沢由美",
"非対称手袋",
"いちごマシマロ",
"ラケット",
"ポテトチップス",
"頭の上にダイビングマスク",
"スパイクシェル",
"心臓手デュオ",
"でんしゃのりば",
"パンプス",
"双葉チャンネル",
"胸に膝",
"洋服ダウン",
"口の中で髪",
"ディシディアファイナルファンタジー",
"柄に手",
"ビームライフル",
"立花響(戦姫絶唱シンフォギア)",
"チェッカーボードのクッキー",
"塩見shuuko",
"黄色の着物",
"アルテラ(運命)",
"入ギフト",
"チェック柄のドレス",
"TA-級戦艦",
"ファイナルファンタジーVIII",
"オーディンスフィア",
"maikaze(艦隊コレクション)",
"裸パーカー",
"植木鉢",
"綾波(艦隊コレクション)",
"shinjouあかね",
"追跡",
"ジャッカル耳",
"香取(艦隊コレクション)",
"向こう見ずな",
"青いコート",
"グレーのパンツ",
"他に引か",
"子供イカルス",
"nekomusume",
"鼻バブル",
"静止制約",
"IKE",
"静けさのハッサン(運命)",
"ひじかけ",
"ディクシーカップ帽子",
"gorget",
"何羽ません",
"ジュースボックス",
"libeccio(艦隊コレクション)",
"腰周りのジャケット",
"6(fnrptal1010)",
"スペード(形状)",
"ビニール袋",
"selfcest",
"ラップで手",
"固体金属の歯車",
"catstudioinc(punepuni)",
"maturiuta sorato",
"みなみけ",
"嬉し涙",
"黄色の爪",
"レースのパンティー",
"ニセコイ",
"桃園の愛",
"クリトリス刺激",
"上北小毬",
"複数のフェラチオ",
"トナカイの衣装",
"鉄道の線路",
"katawa少女",
"佐久間真由",
"kirigiri京子",
"光トレイル",
"射水市(ニトロ不明)",
"斧",
"arashio(艦隊コレクション)",
"攻撃",
"城里町",
"ハートスパンコール",
"竹刀",
"煙",
"maoyuu魔王勇者",
"キュアブロッサム",
"別の形式",
"ストリートファイターIII(シリーズ)",
"pageratta",
"ゴマ(gomasamune)",
"ベヨネッタ",
"クロッグサンダル",
"黒",
"ペン先ペン(中)",
"くすぐります",
"巨人",
"アートブラシ",
"ピンクのエプロン",
"股プレート",
"ビーズのネックレス",
"アラブ服",
"小牧愛花",
"noai nioshi",
"ドラえもん",
"女性のおじぎ",
"蒸しボディ",
"日野レイ",
"デスノート",
"茨城douji(運命/壮大順)",
"機械の腕",
"riesz",
"ホーン飾り",
"milkpanda",
"ストラップの切断",
"愛撫睾丸",
"ソニック・ザ・ヘッジホッグ",
"エジプトの服",
"顔に指",
"頬突っつい",
"がkooh",
"アーミンのarlert",
"引き裂かれたボディスーツ",
"隠された目",
"保持ほうき",
"テストプラグスーツ",
"キタキツネ(獣の友人)",
"鉾",
"iizuki佑",
"鳥かご",
"大原マリ",
"ブランク",
"グラン(グランブルーファンタジー)",
"かぐやルナ(文字)",
"オープンブラジャー",
"かぐやルナ",
"悪い終わり",
"目覚まし時計",
"携帯電話の画面",
"ホタル",
"小山茂",
"カリーナ・ライル",
"saniwa(刀剣乱舞)",
"デザート",
"クリスタル(ポケモン)",
"暗い魂",
"テープギャグ",
"虹の順序",
"腕のw",
"チェック柄のパンティー",
"巴御前(運命/壮大順)",
"フード付きトラックジャケット",
"墓地",
"壁のスラム",
"頸部",
"ファイナルファンタジーXIII",
"estellise sidos heurassein",
"抱き枕(オブジェクト)",
"硬化行進",
"taisa(がkari)",
"パープルハート",
"騎行",
"isonami(艦隊コレクション)",
"タイ語のテキスト",
"八九寺真宵",
"BB(運命/エクストラCCC)",
"ニャー(nekodenki)",
"sekina",
"ファイナルファンタジーXV",
"ガンビア・ベイ(艦隊コレクション)",
"スバル中島",
"真鍋のどか",
"森をdoubutsuありません",
"士郎正宗",
"kogal",
"ケロロ軍曹",
"ヘアブラシ",
"羽子板",
"テルスター",
"香霖堂天狗衣装",
"北白川tamako",
"熱傷瘢痕",
"ほこり",
"ビーチタオル",
"kirigaya suguha",
"usashiroのマニ",
"仮に",
"ガブリエル・ドロップアウト",
"肩のタトゥー",
"shidareほたる",
"がdeviantartユーザ名",
"Raimonのサッカーユニフォーム",
"カリオストロ(グランブルーファンタジー)",
"lasterk",
"堀川国広の",
"サーフボード",
"乙姫(末っ子姫)",
"木野まこと",
"千曲(艦隊コレクション)",
"スーパーロボット大戦ORIGINAL GENERATION",
"artoriaのペンドラゴン(ランサー)",
"ヘレナブラヴァツキー(運命/壮大順)",
"ロックマンダッシュ",
"LUM",
"ヒイラギ",
"カールホルン",
"キュアハッピー",
"shirobako",
"七つなしtaizai",
"くるみtokisaki",
"千歳(艦隊コレクション)",
"> O",
"リディア",
"shouhou(艦隊コレクション)",
"オブジェクトの上に座って",
"黒い皮膚",
"頭の上に鳥",
"あごのグラブ",
"アサシンクリード(シリーズ)",
"nepgear",
"テイルズオブゼスティリア",
"engiyoshi",
"早乙女アルト",
"別のあごに手",
"スポットライト",
"SONAのbuvelle",
"帽子の先端",
"及川雫",
"保持ボウル",
"雨宮REN",
"竜巻",
"ooyari ashito",
"SEO竜也",
"asanagi",
"指",
"WA(genryusui)",
"勇者・デ・ARU",
"オートボット",
"ヘッドグラブ",
"yagisaka瀬戸",
"nengajou",
"pokemoa",
"男性のマスターベーション",
"顔に(表情に",
"フラット",
"デージー",
"イーブイ",
"kashiwamochiヨモギ",
"イラマチオ",
"クラウドプリント",
"東の龍",
"カミラ(火エンブレム場合)",
"キャスター",
"馬の女の子",
"ミニ翼",
"hk416(女の子の最前線)",
"コーラル",
"顔にペニス",
"mikeou",
"骨太肉",
"ゆり(エンジェルビーツ!)",
"ゼータガンダム",
"リブ付きボディスーツ",
"ユーラシアワシフクロウ(獣の友人)",
"ピクシブファンタジア5",
"サイコロ",
"進藤拓人",
"御柱祭",
"安全ピン",
"法師翔子",
"犬夜叉",
"ラウンジチェア",
"機械化",
"moemon",
"キース・グッドマン",
"調査隊(エンブレム)",
"アンタイド化",
"keiさん、諏訪部",
"ストロベリーショートケーキ",
"アユ(MOG)",
"マクドナルド",
"白雪姫",
"格子縞の弓",
"江ノ島順子",
"着物スカート",
"古谷向日葵",
"hagikaze(艦隊コレクション)",
"asuiつゆ",
"女性POV",
"リフティング人",
"点滅",
"ゆう-GI-OU 5Dさん",
"阿波",
"ポケモン(古典アニメ)",
"ハンガー",
"ゆうきみかん",
"lyndis(火エンブレム)",
"服を着て動物",
"セブンスドラゴン(シリーズ)",
"アクリル塗料(中)",
"スイング",
"覗き見",
"パターン化された背景",
"血まみれの武器",
"立山綾乃",
"引き出し",
"pharah(オーバーウォッチ)",
"アクエリオンEVOL",
"生活服",
"ひないちご",
"キリン(鎧)",
"フルネルソン",
"火の粉",
"少し赤い乗馬フード(グリム)",
"yagasuri",
"nagian",
"ビキニトップ削除",
"カラ(色)",
"大きな挿入",
"アンジュ鳴子",
"ベヨネッタ(文字)",
"夢職人",
"初音ミク(コスプレ)",
"ローラースケート",
"ラブレター",
"七尾ナル",
"ファートリミングコート",
"スポーツビキニ",
"シェフの帽子",
"保持矢印",
"神のゲート",
"kuromiya",
"太もものセックス",
"汗止めバンド",
"新撰組",
"カーペット",
"鬼マスク",
"草薙元子",
"kayneth EL-melloiアーチボルド",
"バルコニー",
"混浴",
"クロックタワー",
"LPIP",
"血まみれの手",
"|| ||",
"ボーイング",
"ミックスメディア",
"スノーケル",
"ウチ無姫様GA一番カワイイ",
"enpera",
"たる",
"桂ヒナギク",
"胸の下で腕",
"過去の肘スリーブ",
"の制作",
"黄色のチョーカー",
"バク尾",
"階段の上に座って",
"黒マント",
"リボントリミングスカート",
"青ブルマ",
"akinbo(hyouka芙蓉)",
"飲食店",
"姉妹姫",
"kuromorimineの学校の制服",
"舵の靴",
"セーラーマーキュリー",
"白魔道士",
"ストラップレスブラ",
"フラグの文字列",
"結婚小桜",
"別の腕に手",
"不可能ドレス",
"赤い空",
"爪(武器)",
"twincest",
"舗装",
"ジムの倉庫",
"よつ葉アリス",
"机の上に座って",
"飛行場姫",
"ソーサレス(ドラゴンズクラウン)",
"とらのあな",
"バリエーション",
"志摩子藤堂",
"koruri",
"negom",
"ゆゆ式",
"手の人形",
"輝く剣",
"サンタブーツ",
"寝間着",
"オレンジ色の空",
"新垣あやせ",
"黄色のブラジャー",
"佐藤吉備",
"モヒカン",
"池",
"吸盤",
"A.I.チャネル",
"メモ帳",
"何の相馬をshokugekiありません",
"キュート&ガーリー(アイドルマスター)",
"サイバーパンク",
"キュアメロディー",
"ケンタウロス",
"小松英二",
"山下しゅんや",
"ストラップかかと",
"キズナAI",
"未来日記",
"アンドロイド18",
"間宮(艦隊コレクション)",
"ショートジャンプスーツ",
"緑色の枠のメガネ",
"結石",
"World of Warcraftの",
"ゲームパッド",
"ブレイドアンドソウル",
"スーツのジャケット",
"司教(チェス)",
"ユニタード",
"モス",
"nanasaki AI",
"ヘリコプター",
"クモ",
"フリルのついたヘアバンド",
"popuko",
"東京グール",
"日本(ヘタリア)",
"衣笠(艦隊コレクション)",
"hankuri",
"奇数1のアウト",
"高坂京介",
"学校の騒動",
"別の背中に手",
"ユーリplisetsky",
"折り紙",
"宇宙ジン",
"人工膣",
"IXY",
"チームワーク",
"サガ",
"袈裟",
"星座",
"燃焼",
"バーコード",
"ETO",
"吹き流し",
"鳩",
"スチームパンク",
"佐野俊英",
"交差足首",
"百万アーサー(シリーズ)",
"koutetsujou何kabaneriません",
"ドヤ顔",
"ヒット",
"nishieda",
"グレーネックウェアー",
"インク",
"記号の解説",
"別の頭の上に手",
"売春",
"グリーンヘアバンド",
"阿部ナナ",
"血まみれの涙",
"膝",
"elvaan",
"額ツー額",
"髪が広がります",
"ステージライト",
"バッグチャーム",
"ニンテンドーDS",
"ボリス(noborhys)",
"白帯",
"クレーン",
"痴漢",
"大月渉",
"estus aestus",
"恐竜",
"式神",
"fuuro(ポケモン)",
"回折スパイク",
"伊吹風子",
"miyamizu mitsuha",
"楽器ケース",
"IB(IB)",
"巴ほたる",
"佐藤ゆうき",
"服を通して",
"バットの髪飾り",
"タロット",
"銀キツネ(獣の友人)",
"I-26(艦隊コレクション)",
"セーレン(スイートプリキュア)",
"nanodesu(フレーズ)",
"注意テープ",
"銀(ポケモン)",
"学校の帽子",
"アヒル",
"降圧歯",
"decensored",
"レイヤード袖",
"灰色の狼(獣の友人)",
"園花びらNIくちづけWO",
"火星のシンボル",
"エアリス・ゲインズブール",
"何toyohimeをwatatsukiありません",
"doyagao",
"ひだ唇",
"非(Z技術)",
"アーチェリー",
"引き裂かれパンティー",
"オレンジ色の靴",
"戸口",
"看板を保持しています",
"アルbhed目",
"綿飴",
"アイスキューブ",
"jjune",
"大佐のアキ",
"hauchiwa",
"ロリおっぱい",
"サウンドホライズン",
"不可能ボディスーツ",
"フリルのついた着物",
"皇帝ペンギン(獣の友人)",
"hotarumaru",
"意志の力",
"スレイヤーズ",
"プールのはしご",
"グロースティック",
"口語怒り静脈",
"名探偵コナン",
"shinama",
"カサネのtetO",
"種島ぽぷらの",
"kibito高校の制服",
"若林俊哉",
"トラフィックライト",
"E.O.",
"深く浸透",
"チームは9",
"暗示ふたなり",
"プロペラ",
"海苔たまご",
"lolicept",
"ooshio(艦隊コレクション)",
"良治(野村亮二)",
"暗殺者(運命/ゼロ)",
"真・女神転生",
"スポンジ",
"ありがとうございました",
"一色(ffmania7)",
"バイセクシャル(メス)",
"音響効果",
"猫の印刷",
"フライドポテト",
"保持パイプ",
"メース",
"ホワイトカラー",
"ラムネ",
"takebaゆかり",
"PAS(paxiti)",
"マルチ苦しいビキニ",
"紅白",
":私",
"禁止",
"肘置き",
"ブーイング",
"クラウドの髪",
"死体",
"hugtto!プリキュア",
"水無あかり",
"野菜",
"落下",
"男性の私のユニット(火エンブレム:覚醒)",
"littorio(艦隊コレクション)",
"うなじ",
"MITSUMI美里",
"クレープ",
"魔王(maoyuu)",
"黒川エレン",
"フォン・seckendorff oktavia",
"テキストの壁",
"紫色の唇",
"グローブ",
"スプレッド指",
"ポルカドットレッグウェア",
"ナイアーラトテップ(ニャル子さん)",
"カメリア",
"アクセルの世界",
"庭園",
"ジン(mugenjin)",
"IMU三条",
"ノーyorha。 9つのタイプS",
"電脳コイル",
"朝日",
"嵐(艦隊コレクション)",
"探偵オペラミルキィホームズ",
"葛飾北斎(運命/壮大順)",
"ダイアナキャベンディッシュ",
"UCMM",
"hatsushimo(艦隊コレクション)",
"ストラップオン",
"シンク",
"王ハッサン(運命/壮大順)",
"岡部rintarou",
"屈辱",
"kamitsure(ポケモン)",
"生い茂っ",
"羽のトリム",
"訓練隊(エンブレム)",
"高校の艦隊",
"ミスクラウド",
"太ももの間に足",
"モンキー・D・ルフィ",
"機械",
"靴の弓",
"fuantei",
"ポンチョ",
"七瀬ナオ",
"チョコレートバー",
"羊羹",
"oreki houtarou",
"ななこ堂島",
"あの夏デmatteru",
"弓を描きます",
"ドラム(容器)",
"楽譜",
"植物の女の子",
"多田riina",
"乱用",
"KOS-MOS",
"無津江fuuin",
"Poteの(ptkan)",
"傷",
"桜沢いづみ",
"光沢のあるポケモン",
"北斗の拳",
"うみかぜ(艦隊コレクション)",
"庄司",
"新しいタイプ",
"ジェシカushiromiya",
"立方体",
"2008",
"矢野俊則",
"生産アート",
"チューブ",
"HASE湯",
"晴れ治します",
"artoriaのペンドラゴン(水着ライダーALTER)",
"ペインティング",
"アメリカ(ヘタリア)",
"イカリ真夏",
"メイドビキニ",
"顔をしかめます",
"2others",
"フランケンシュタインの怪物(運命)",
"自分のお尻に手",
"benghuai学院",
"田中草尾",
"ローラ・bodewig",
"竜(ストリートファイター)",
"前夜(エクスソード)",
"mikuma(艦隊コレクション)",
"猿の耳",
"鉤爪",
"口の中でリボン",
"黒いバラ",
"引き締まった男性",
"柚原このみ",
"ブレンドS",
"グリモア",
"黒スクール水着",
"赤い首輪",
"オープンショートパンツ",
"鷲",
"セーラーヴィーナス",
"daidouji TOMOYO",
"比較",
"病気",
"やまとなでしこ",
"石灯籠",
"桜井桃香",
"縦縞のドレス",
"スターチョーカー",
"hatsukaze(艦隊コレクション)",
"足跡",
"マリア・ushiromiya",
"uchuu戦艦ヤマト",
"無幻の世界をmusaigenありません",
"リボントリミング襟",
"紙飛行機",
"黒い目隠し",
"ハイキック",
"yasogamiの学校の制服",
"曲名",
"slugbox",
"ojipon",
"オレンジ色のセーラー襟",
"バイカーの服",
"交配プレス",
"ローズヒップ",
"赤いセーター",
"複数のライダー",
"狂った笑顔",
"みつどもえ",
"あなた(ポケモン)",
"卍(tenketsu)",
"猫ジュース水たまり",
"無意識",
"女神",
"エイプリルフール",
"ボイル",
"森久保ノーノ",
"himouto! umaruちゃん",
"DVDカバー",
"lusamine(ポケモン)",
"POVの股",
"お尻をカバー",
"鮫",
"二風谷SHINKA",
"借りたデザイン",
"feesu市川",
"eu03",
"犬牟田宝火",
"宮永咲",
"ハンカチ",
"ララ・サタリン・デビルーク",
"ブリーフケース",
"乳首舐め",
"赤い水着",
"プラウダの学校の制服",
"マーカー",
"tantou",
"如月shintarou",
"furudoエリカ",
"ランス(シリーズ)",
"化工(艦隊コレクション)",
"赤いロープ",
"徹(maidragon)",
"はたらく魔王さま!",
"gakkou gurashi!",
"野球のユニフォーム",
"インフレータブルおもちゃ",
"torinone",
"setz",
"ケロ",
"hayasui(艦隊コレクション)",
"星宮いちごの",
"感動",
"ノーゲームノーライフ",
"ガールフレンド(がkari)",
"himuraキセキ",
"イギリス(ヘタリア)",
"祭司",
"バー",
"鍵穴",
"ST。慢性アカデミーの制服",
"港区ひとり",
"kenkouクロス",
"パイプ",
"液体",
"スクーター",
"拭き取り涙",
"ドイツの服",
"げんしけん",
"沖田総司(ALTER)(運命)",
"リーチの周り",
"スプレッダーバー",
"赤十字",
"桜千代",
"サファイア(宝石)",
"残り火",
"ナス",
"トナカイ",
"茶道",
"fumizuki(艦隊コレクション)",
"テキストレス",
"愛野めぐみ",
"INUのx僕SS",
"複数のモノクロ",
"大人のおもちゃ",
"緑の口紅",
"不一致の手袋",
"bookbag",
"7010",
"ジン如月",
"謎のヒロインX(ALTER)",
"九十九八橋",
"ERDEティエリア",
"iphone",
"タイムスタンプ",
"反射目",
"ポールダンス",
"らんまちゃん",
"マスコット",
"オープン手",
"盗難",
"ロゼッタ(マリオ)",
"刑部姫(運命/壮大順)",
"ginhaha",
"漢服",
"死者のハイスクール",
"ドラゴンボール(クラシック)",
"交差応急",
"黄金の風",
"お尻のカットアウト",
"みゆエーデルフェルト",
"asamura hiori",
"やげんのtoushirou",
"現実世界の場所",
"警察の帽子",
"セシリア・オルコット",
"赤い傘",
"一口マーク",
"蜘蛛の巣の印刷",
"ときめきメモリアル",
"不正行為",
"布ギャグ",
"学校のブリーフケース",
"XP-日焼け",
"ピンクの水着",
"ストリーム",
"masukuza jを",
"nippleless服",
"茶色のリボン",
"切断ヘッド",
"灰色の帽子",
"彼らはその後、セックスをたくさん持っていました",
"友人",
"森野本町",
"LM(legoman)",
"アララギカレン",
"ボタンギャップ",
"nekomonogatari",
"ペンを保持",
"表情豊かな髪",
"denpa女の青春男",
"コズミックブレイク",
"裸の胸",
"komaku juushoku",
"人の上に寝",
"赤(ポケモンRGBY)",
"モモヴェーリアdeviluke",
"人狼",
"消失点",
"hidefu kitayan",
"炎(xenoblade 2)",
"エビ",
"イノ",
"shoukanjuuへのテストにバカ",
"シエル",
"題名",
"ソーニャ(私の赤ちゃんを殺します)",
"杉村友和",
"渚kurousagi",
"hemogurobinのA1C",
"アルデヒド",
"茶色のチョッキ",
"黄色の帽子",
"キーストーン",
"鼻ピアス",
"M4カービン",
"男性とのフタ(布田)",
"teruterubouzu",
"LEN",
"引き裂かれた水着",
"宝箱",
"吉野島津",
"色とりどりの手袋",
"体の上に食べ物",
"冷蔵庫",
"アンナ(冷凍)",
"aono3",
"紫チョーカー",
"オレンジ色の花",
"toosakaアサギ",
"年齢退行",
"風車",
"rowlet",
"太郎onija",
"望月(艦隊コレクション)",
"林家zankurou",
"サイドカットアウト",
"蓄音機",
"自動販売機",
"睡眠痴漢",
"グレイブ",
"頭の上に足",
"輝かしい(アズールレーン)",
"胸に手",
"耐荷重ベスト",
"アラストル(シャナを灼眼のシャナません)",
"何ヴァルキリーを新海ありません",
"ジャンヌダルク(ALTER水着バーサーカー)",
"戦国BASARA",
"翼のヘルメット",
"投影はめ込み",
"放射線のシンボル",
"輝き背景",
"九尾",
"少女革命ウテナ",
"gogiga gagagigo",
"oouso",
"カラム",
"久美子oumae",
"子供用プール",
"刺し",
"ワイドショット",
"バランシング",
"青い口紅",
"天城(艦隊コレクション)",
"ツヴァイ強化",
"ボルトアクション",
"ハロ",
"ムーン(飾り)",
"ちゃんコ",
"eromanga",
"全くのレッグウェア",
"メジェド",
"ロックマンX",
"木の切り株",
"陰陽師",
"茶色のスカーフ",
"朽木ルキア",
"姉ヶ崎寧々",
"トンファー",
"のぞき",
"ネクタイピン",
"y.ssanoha",
"強制",
"X X",
"ジャガー(獣の友人)",
"rokuwataともえ",
"ramlethalバレンタイン",
"美少女戦士セーラームーンの登場人物",
"女王(チェス)",
"猫のお誘い",
"毛皮トリミング岬",
"単一のスリーブ",
"ゆうきゆうなWA勇者デARU",
"honkai影響3",
"黒capelet",
"テニスラケット",
"悪魔の少年",
"クイーンズブレイドリベリオン",
]
|
class ModelConfig(object):
def __init__(self, max_epochs, batch_size,
learning_rate, per_series_lr_multip, gradient_eps, gradient_clipping_threshold,
lr_scheduler_step_size, noise_std,
level_variability_penalty, tau, c_state_penalty,
state_hsize, dilations, add_nl_layer, seasonality, input_size, output_size,
frequency, max_periods, device, root_dir):
# Train Parameters
self.max_epochs = max_epochs
self.batch_size = batch_size
self.learning_rate = learning_rate
self.per_series_lr_multip = per_series_lr_multip
self.gradient_eps = gradient_eps
self.gradient_clipping_threshold = gradient_clipping_threshold
self.noise_std = noise_std
self.lr_scheduler_step_size = lr_scheduler_step_size
self.level_variability_penalty = level_variability_penalty
self.c_state_penalty = c_state_penalty
self.tau = tau
self.device = device
# Model Parameters
self.state_hsize = state_hsize
self.dilations = dilations
self.add_nl_layer = add_nl_layer
# Data Parameters
self.seasonality = seasonality
self.input_size = input_size
self.input_size_i = self.input_size
self.output_size = output_size
self.output_size_i = self.output_size
self.frequency = frequency
self.min_series_length = self.input_size_i + self.output_size_i# + self.min_inp_seq_length + 2
self.max_series_length = (max_periods * self.seasonality) + self.min_series_length
self.root_dir = root_dir
#self.dataset_name = config['dataset_name']
#self.freq_of_test = config['train_parameters']['freq_of_test']
#self.numeric_threshold = float(config['train_parameters']['numeric_threshold'])
#self.c_state_penalty = config['train_parameters']['c_state_penalty']
#self.percentile = config['train_parameters']['percentile']
#self.training_percentile = config['train_parameters']['training_percentile']
#self.training_tau = self.training_percentile / 100.
#self.lback = config['model_parameters']['lback']
#self.attention_hsize = self.state_hsize
#self.exogenous_size = config['data_parameters']['exogenous_size']
#self.min_inp_seq_length = config['data_parameters']['min_inp_seq_length']
#self.num_series = config['data_parameters']['num_series']
#self.output_dir = config['data_parameters']['output_dir']
|
'''
class Solution {
public ListNode swapNodes(ListNode head, int k) {
int listLength = 0;
ListNode currentNode = head;
// find the length of linked list
while (currentNode != null) {
listLength++;
currentNode = currentNode.next;
}
// set the front node at kth node
ListNode frontNode = head;
for (int i = 1; i < k; i++) {
frontNode = frontNode.next;
}
//set the end node at (listLength - k)th node
ListNode endNode = head;
for (int i = 1; i <= listLength - k; i++) {
endNode = endNode.next;
}
// swap the values of front node and end node
int temp = frontNode.val;
frontNode.val = endNode.val;
endNode.val = temp;
return head;
}
}
You are given the head of a linked list, and an integer k.
Return the head of the linked list after swapping the values of the kth node from the beginning and the kth node from the end (the list is 1-indexed).
Input: head = [1,2,3,4,5], k = 2
Output: [1,4,3,2,5]
Input: head = [7,9,6,6,7,8,3,0,9,5], k = 5
Output: [7,9,6,6,8,7,3,0,9,5]
Input: [1], k = 1
Output: [1]
Input: [1,2,3], k = 2
Output: [1,2,3]
Precondition:
len(head) = n
n >= 1
n >= k >= 1
Not int overflow
Postcondition:
return the head
modify the head in place
C1: n = k = 1
C2: n = k
C3: index of k from the begining = k from the end
C4: index of k from the begining > k from the end
C5: index of k from the begining < k from the end
Algo:
Two pointer:
find the length, O(n)
Determine left and right of reversing O(1)
Reverse a linkedlist O(n)
Runtime: O(n)
Space: O(1)
'''
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def swapNodes(self, head: ListNode, k: int) -> ListNode:
ll_length = 0
curr = head
while curr:
ll_length += 1
curr = curr.next
first = head
second = head
for _ in range(1, k):
first = first.next
for _ in range(1, ll_length-k+1):
second = second.next
first.val, second.val = second.val, first.val
return head
|
# Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
def is_balanced(self, root):
"""
:type root: TreeNode
:rtype: bool
"""
def check(root):
if root is None:
return 0
left = check(root.left)
right = check(root.right)
if left == -1 or right == -1 or abs(left - right) > 1:
return -1
return 1 + max(left, right)
return check(root) != -1
def is_balanced2(self, root):
stack, node, last, depths = [], root, None, {}
while stack or node:
if node:
stack.append(node)
node = node.left
else:
node = stack[-1]
if not node.right or last == node.right:
node = stack.pop()
left, right = depths.get(node.left, 0), depths.get(node.right, 0)
if abs(left - right) > 1: return False
depths[node] = 1 + max(left, right)
last = node
node = None
else:
node = node.right
return True
|
#9.28 6:23AM
def reverse_sub_list(head, p, q):
# TODO: Write your code here
# to capture the apart
pre_p, post_q = head, head
# to capture the range
p_node, q_node = head, head
# to track others
pointer = head
oneStep = pointer.next
while oneStep is not None:
if oneStep.value == p:
pre_p = pointer
p_node = oneStep
elif pointer.value == q:
post_q = oneStep
q_node = pointer
pointer = oneStep
oneStep = oneStep.next
reversed_head = reverse(p_node, post_q)
pre_p.next = reversed_head
while reversed_head.next is not None:
reversed_head = reversed_head.next
reversed_head.next = post_q
return pre_p
def reverse(head, end):
prev = None
while head is not end:
next = head.next
head.next = prev
prev = head
head = next
return prev
# 9.27 5:34PM
def reverse_sub_list(head, p, q): #response is off by one element
# TODO: Write your code here
# to capture the apart
pre_p, post_q = head, head
# to capture the range
p_node, q_node = head, head
# to track others
pointer = head
oneStep = pointer.next
while oneStep is not None:
if oneStep.value == p:
pre_p = pointer
p_node = oneStep
elif pointer.value == q:
post_q = oneStep
q_node = pointer
pointer = oneStep
oneStep = oneStep.next
reversed_head = reverse(p_node, q_node)
pre_p.next = reversed_head
while reversed_head.next is not None:
reversed_head = reversed_head.next
reversed_head.next = post_q
return pre_p
def reverse(head, end):
prev = None
while head is not end:
next = head.next
head.next = prev
prev = head
head = next
return prev
|
class MotorControllerCANStatus():
"""CTRE TalonSRX/VictorSPX motor controller CAN bus status frame decoder
The base arbitration ID for the TalonSRX is 0x02040000 and 0x01040000 for
the VictorSPX. The arbitration device ID is a 6-bit value between 0x00 and
0x3F. The arbitration status ID's are as follows:
Status 1 = 0x1400 : Faults, Limit Switch State, Output Percent
Status 2 = 0x1440 : Sticky Faults, Primary Sensor Position, Primary
Sensor Velocity, Output Current
Status 3 = 0x1480
Status 4 = 0x14C0
Status 5 = 0x1500
Status 6 = 0x1540
Status 7 = 0x1580
Status 8 = 0x15C0
Status 9 = 0x1600
Status 10 = 0x1640
Status 11 = 0x1680
Status 12 = 0x16C0
Status 13 = 0x1700
Status 14 = 0x1740
Status 15 = 0x1780
The arbitration ID presented on the CAN bus is the logical OR'ing of the base
ID, device ID, and the status ID. All of these arbitration ID's will
include 8-bytes of data. The specific decoding of the data is handled by
the StatusXX() objects. A brief description of the signals within the
status frames are below:
Attributes
----------
status1 : dict
The decoded status 1 signals
status2 : dict
The decoded status 2 signals
...
...
Methods
-------
DecodeStatus1(data, timestamp)
Decodes the data frame and updates the status1 dictionary
DecodeStatus2(data, timestamp)
Decodes the data frame and updates the status2 dictionary
...
...
References
----------
http://www.ni.com/white-paper/2732/en/
https://github.com/CrossTheRoadElec/Phoenix-netmf/blob/master/CTRE/LowLevel/MotController_LowLevel.cs
"""
def __init__(self):
"""
Constructor creates the status attributes
"""
self.status1 = {
'timestamp' : 0.0,
'hardware_failure' : 0,
'reverse_limit_switch' : 0,
'forward_limit_switch' : 0,
'under_voltage' : 0,
'reset_during_en' : 0,
'sensor_out_of_phase' : 0,
'sensor_overflow' : 0,
'reverse_soft_limit' : 0,
'forward_soft_limit' : 0,
'hardware_esd_reset' : 0,
'remote_loss_of_signal' : 0,
'motor_output_percent' : 0.0,
'fwd_limit_switch_closed' : 0,
'rev_limit_switch_closed' : 0
}
self.status2 = {
'timestamp' : 0.0,
'output_current' : 0.0,
'sensor_position' : 0.0,
'sensor_velocity' : 0.0,
'remote_loss_of_signal' : 0,
'hardware_esd_reset' : 0,
'reset_during_en' : 0,
'sensor_out_of_phase' : 0,
'sensor_overflow' : 0,
'reverse_soft_limit' : 0,
'forward_soft_limit' : 0,
'reverse_limit_switch' : 0,
'forward_limit_switch' : 0,
'under_voltage' : 0
}
def DecodeStatus1(self, data, timestamp):
"""
Decodes the 8-byte CAN data frame and sets the local attributes with the
new values.
Parameters
----------
data : int
An integer input of the 8-bytes of data
timestamp : float
The time the CAN controller received the data frame
"""
self.status1['timestamp'] = timestamp
self._GetFaults(data)
self._GetMotorOutputPercent(data)
self._GetFwdLimitSwitchClosed(data)
self._GetRevLimitSwitchClosed(data)
def DecodeStatus2(self, data, timestamp):
"""
Decodes the 8-byte CAN data frame and sets the local attributes with the
new values.
Parameters
----------
data : int
An integer input of the 8-bytes of data
timestamp : float
The time the CAN controller received the data frame
"""
self.status2['timestamp'] = timestamp
self._GetOutputCurrent(data)
self._GetSensorPosition(data)
self._GetSensorVelocity(data)
self._GetStickyFaults(data)
def _GetFaults(self, data):
"""
Decodes and sets the motor controller motor faults. See GetFaults for
the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
self.status1['hardware_failure'] = ((data >> 0) & 1)
self.status1['reverse_limit_switch'] = ((data >> 1) & 1)
self.status1['forward_limit_switch'] = ((data >> 2) & 1)
self.status1['under_voltage'] = ((data >> 3) & 1)
self.status1['reset_during_en'] = ((data >> 4) & 1)
self.status1['sensor_out_of_phase'] = ((data >> 5) & 1)
self.status1['sensor_overflow'] = ((data >> 6) & 1)
self.status1['reverse_soft_limit'] = ((data >> (0x18 + 0)) & 1)
self.status1['forward_soft_limit'] = ((data >> (0x18 + 1)) & 1)
self.status1['hardware_esd_reset'] = ((data >> (0x18 + 2)) & 1)
self.status1['remote_loss_of_signal'] = ((data >> (0x30 + 4)) & 1)
def _GetMotorOutputPercent(self, data):
"""
Decodes and sets the motor output percent. See GetMotorOutputPercent
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
H = (data >> 24) & 0x07
L = (data >> 32) & 0xFF
raw = 0
raw |= H
raw <<= 8
raw |= L
raw <<= (32 - 11)
raw >>= (32 - 11)
self.status1['motor_output_percent'] = raw / 1023.0
def _GetFwdLimitSwitchClosed(self, data):
"""
Decodes and sets the forward limit switch. See IsFwdLimitSwitchClosed
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
self.status1['fwd_limit_switch_closed'] = (data >> (0x18 + 7)) & 1
def _GetRevLimitSwitchClosed(self, data):
"""
Decodes and sets the reverse limit switch. See IsRevLimitSwitchClosed
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
self.status1['rev_limit_switch_closed'] = (data >> (0x18 + 6)) & 1
def _GetOutputCurrent(self, data):
"""
Decodes and sets the motor output current. See GetMotorOutputCurrent
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
H = (data >> 40) & 0xFF
L = (data >> 48) & 0xC0
raw = 0
raw |= H
raw <<= 8
raw |= L
raw >>= 6
self.status2['output_current'] = raw * 0.125
def _GetSensorPosition(self, data):
"""
Decodes and sets the sensor position. See GetSelectedSensorPosition
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
H = (data >> 0)
M = (data >> 8)
L = (data >> 16)
PosDiv8 = (data >> (0x38 + 4)) & 1
raw = 0
raw |= H
raw <<= 8
raw |= M
raw <<= 8
raw |= L
raw <<= (32 - 24)
raw >>= (32 - 24)
if PosDiv8 == 1:
raw *= 8
self.status2['sensor_position'] = raw
def _GetSensorVelocity(self, data):
"""
Decodes and sets the sensor velocity. See GetSelectedSensorVelocity
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
H = (data >> 24)
L = (data >> 32)
VelDiv4 = (data >> (0x38 + 3)) & 1
raw = 0
raw |= H
raw <<= 8
raw |= L
raw <<= (32 - 16)
raw >>= (32 - 16)
if VelDiv4 == 1:
raw *= 4
self.status2['sensor_velocity'] = raw
def _GetStickyFaults(self, data):
"""
Decodes and sets the sticky faults. See GetStickyFaults
for the CTRE implementation.
Parameters
----------
data : int
An integer input of the 8-bytes of data
"""
self.status2['remote_loss_of_signal'] = ((data >> (0x38 + 0)) & 1)
self.status2['hardware_esd_reset'] = ((data >> (0x38 + 1)) & 1)
self.status2['reset_during_en'] = ((data >> (0x38 + 2)) & 1)
self.status2['sensor_out_of_phase'] = ((data >> (0x38 + 5)) & 1)
self.status2['sensor_overflow'] = ((data >> (0x38 + 6)) & 1)
self.status2['reverse_soft_limit'] = ((data >> (0x30 + 0)) & 1)
self.status2['forward_soft_limit'] = ((data >> (0x30 + 1)) & 1)
self.status2['reverse_limit_switch'] = ((data >> (0x30 + 2)) & 1)
self.status2['forward_limit_switch'] = ((data >> (0x30 + 3)) & 1)
self.status2['under_voltage'] = ((data >> (0x30 + 4)) & 1)
|
"""
Given a non-empty, singly linked list with head node head, return a middle node of linked list.
If there are two middle nodes, return the second middle node.
Input: [1,2,3,4,5]
Output: Node 3 from this list (Serialization: [3,4,5])
The returned node has value 3. (The judge's serialization of this node is [3,4,5]).
Note that we returned a ListNode object ans, such that:
ans.val = 3, ans.next.val = 4, ans.next.next.val = 5, and ans.next.next.next = NULL.
Input: [1,2,3,4,5,6]
Output: Node 4 from this list (Serialization: [4,5,6])
Since the list has two middle nodes with values 3 and 4, we return the second one.
"""
#solution
class Solution:
def middleNode(self, head: ListNode) -> ListNode:
temp = head
length = 0
while temp :
length += 1
temp = temp.next
mid = length // 2
while mid >= 1:
head = head.next
mid -= 1
return head
|
#
# PySNMP MIB module ADTRAN-ATLAS-MODULE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ADTRAN-ATLAS-MODULE-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:14:30 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)
#
adATLASUnitFPStatus, adATLASUnitSlotAddress, adATLASUnitPortAddress = mibBuilder.importSymbols("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus", "adATLASUnitSlotAddress", "adATLASUnitPortAddress")
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "SingleValueConstraint")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, enterprises, Counter64, Gauge32, NotificationType, Bits, TimeTicks, ObjectIdentity, ModuleIdentity, IpAddress, Integer32, Unsigned32, MibIdentifier, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "enterprises", "Counter64", "Gauge32", "NotificationType", "Bits", "TimeTicks", "ObjectIdentity", "ModuleIdentity", "IpAddress", "Integer32", "Unsigned32", "MibIdentifier", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
adtran = MibIdentifier((1, 3, 6, 1, 4, 1, 664))
adMgmt = MibIdentifier((1, 3, 6, 1, 4, 1, 664, 2))
adATLASmg = MibIdentifier((1, 3, 6, 1, 4, 1, 664, 2, 154))
adGenATLASmg = MibIdentifier((1, 3, 6, 1, 4, 1, 664, 2, 154, 1))
adATLASModulemg = MibIdentifier((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6))
adATLASModuleInfoNumber = MibScalar((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoNumber.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoNumber.setDescription('This value indicates the number of entries found in the Atlas Module Information Table and corresponds to the number of physical slots in the particular Atlas product.')
adATLASModuleInfoTable = MibTable((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2), )
if mibBuilder.loadTexts: adATLASModuleInfoTable.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoTable.setDescription('The Atlas Module Information Table')
adATLASModuleInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1), ).setIndexNames((0, "ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoIndex"))
if mibBuilder.loadTexts: adATLASModuleInfoEntry.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoEntry.setDescription('An entry in the Atlas Module Information Table')
adATLASModuleInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoIndex.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoIndex.setDescription("An index into the Atlas Module Information Table. This variable corresponds to the module's slot number.")
adATLASModuleInfoNumIfs = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoNumIfs.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoNumIfs.setDescription('The number of physical interfaces (i.e. ports) on the module.')
adATLASModuleInfoNumRsrcs = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoNumRsrcs.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoNumRsrcs.setDescription('The total number of resources (e.g. number of bonding sessions in an IMUX module) on the module.')
adATLASModuleInfoOID = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 4), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoOID.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoOID.setDescription('The OID that uniquely identifies the specific module.')
adATLASModuleInfoPartNum = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoPartNum.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoPartNum.setDescription('The ADTRAN part number of the module.')
adATLASModuleInfoSerialNum = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoSerialNum.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoSerialNum.setDescription('The serial number of the module.')
adATLASModuleInfoHardwareRev = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoHardwareRev.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoHardwareRev.setDescription('The hardware revision of the module.')
adATLASModuleInfoFirmwareRev = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoFirmwareRev.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoFirmwareRev.setDescription('The firmware revision of the module.')
adATLASModuleInfoState = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("online", 1), ("offline", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: adATLASModuleInfoState.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoState.setDescription('The operational state of the module. It can be set to either Online or Offline. When a module is taken Offline, it is no longer considered to be an available resource. This setting may be useful in system troubleshooting.')
adATLASModuleInfoStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("online", 1), ("offline", 2), ("noResponse", 3), ("unResponsiveOffline", 4), ("notReady", 5), ("restarting", 6), ("notSupported", 7), ("standby", 8), ("empty", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoStatus.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoStatus.setDescription('The hardware status of the module.')
adATLASModuleInfoFPStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 664, 2, 154, 1, 6, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: adATLASModuleInfoFPStatus.setStatus('mandatory')
if mibBuilder.loadTexts: adATLASModuleInfoFPStatus.setDescription("A bit-encoded variable that indicates the front panel status of the module. It is encoded as follows: OFF 0x00 OK 0x01 ONLINE 0x02 TESTING 0x04 FLASH DOWNLOAD 0x08 ERROR 0x10 ALARM 0x20 STANDBY 0x40 WARN 0x80 Note: Multiple bits may be set concurrently, based on the module's current state.")
adATLASModuleOffline = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400600)).setObjects(("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoIndex"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASModuleOffline.setDescription('This trap indicates a module is offline.')
adATLASModuleOnline = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400601)).setObjects(("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoIndex"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASModuleOnline.setDescription('This trap indicates a module is online.')
adATLASCbuBackupAttempt = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400602)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuBackupAttempt.setDescription('This trap indicates an endpoint has detected a failure and is attempting a backup call.')
adATLASCbuBackupAttemptFailed = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400603)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuBackupAttemptFailed.setDescription('This trap indicates a backup call has failed.')
adATLASCbuBackupActive = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400604)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuBackupActive.setDescription('This trap indicates a backup call has connected.')
adATLASCbuPrimaryRestored = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400605)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuPrimaryRestored.setDescription('This trap indicates an endpoint has come out of backup.')
adATLASCbuTestCallOriginated = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400606)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuTestCallOriginated.setDescription('This trap indicates an endpoint has originated a test call.')
adATLASCbuTestCallConnected = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400607)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuTestCallConnected.setDescription("This trap indicates an endpoint's test call has connected.")
adATLASCbuTestCallPassed = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400608)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuTestCallPassed.setDescription("This trap indicates an endpoint's test call has passed.")
adATLASCbuTestCallFailed = NotificationType((1, 3, 6, 1, 4, 1, 664, 2, 154) + (0,15400609)).setObjects(("IF-MIB", "ifIndex"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitSlotAddress"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitPortAddress"), ("ADTRAN-ATLAS-MODULE-MIB", "adATLASModuleInfoFPStatus"), ("ADTRAN-ATLAS-UNIT-MIB", "adATLASUnitFPStatus"))
if mibBuilder.loadTexts: adATLASCbuTestCallFailed.setDescription("This trap indicates an endpoint's test call has failed.")
mibBuilder.exportSymbols("ADTRAN-ATLAS-MODULE-MIB", adATLASModulemg=adATLASModulemg, adATLASCbuPrimaryRestored=adATLASCbuPrimaryRestored, adATLASModuleInfoNumRsrcs=adATLASModuleInfoNumRsrcs, adATLASModuleInfoState=adATLASModuleInfoState, adATLASCbuTestCallPassed=adATLASCbuTestCallPassed, adATLASModuleInfoNumber=adATLASModuleInfoNumber, adATLASModuleInfoStatus=adATLASModuleInfoStatus, adATLASCbuBackupAttemptFailed=adATLASCbuBackupAttemptFailed, adATLASModuleInfoPartNum=adATLASModuleInfoPartNum, adATLASModuleInfoSerialNum=adATLASModuleInfoSerialNum, adATLASModuleInfoOID=adATLASModuleInfoOID, adATLASCbuBackupAttempt=adATLASCbuBackupAttempt, adATLASModuleInfoTable=adATLASModuleInfoTable, adATLASModuleInfoFPStatus=adATLASModuleInfoFPStatus, adtran=adtran, adATLASModuleInfoEntry=adATLASModuleInfoEntry, adMgmt=adMgmt, adATLASCbuBackupActive=adATLASCbuBackupActive, adATLASModuleInfoHardwareRev=adATLASModuleInfoHardwareRev, adGenATLASmg=adGenATLASmg, adATLASmg=adATLASmg, adATLASCbuTestCallConnected=adATLASCbuTestCallConnected, adATLASModuleInfoIndex=adATLASModuleInfoIndex, adATLASModuleInfoNumIfs=adATLASModuleInfoNumIfs, adATLASCbuTestCallOriginated=adATLASCbuTestCallOriginated, adATLASModuleInfoFirmwareRev=adATLASModuleInfoFirmwareRev, adATLASModuleOnline=adATLASModuleOnline, adATLASCbuTestCallFailed=adATLASCbuTestCallFailed, adATLASModuleOffline=adATLASModuleOffline)
|
"""
Given an unsorted list of integers, sort those integers using the Bubble Sort algorithm.
Return the number of swaps required to sort the list.
Bubble Sort is a simple sorting algorithm that works as follows:
1. Start at the beginning of the list, and traverse through each element.
2. For each element, if the element is larger than the one that comes after it, swap them.
3. Once you reach the end of the list, if you have not made any swaps, you are done, and the list is sorted.
4. Otherwise, go back to step 1.
Given a list of numbers to sort, return the count of swaps you must make when using the Bubble Sort Algorithm that will result in a sorted list.
Example:
[6, 2, 4, 3]
[2, 6, 4, 3]; swap 6 with 2
[2, 4, 6, 3]; swap 6 with 4
[2, 4, 3, 6]; swap 6 with 3. End of the list has been reached, go back to the beginning.
[2, 3, 4, 6]; swap 4 with 3
Done! Total swaps: 4.
"""
def bubble_sort_swaps(nums):
count_swaps = 0
index = 0
last_unsorted_indx = len(nums)
not_swapped = True
while not_swapped:
# until the last element of the list:
not_swapped = False
while index < last_unsorted_indx - 1:
if nums[index] > nums[index + 1]:
nums[index], nums[index + 1] = nums[index + 1], nums[index]
count_swaps += 1
index += 1
not_swapped = True
else:
index += 1
print(nums)
last_unsorted_indx = last_unsorted_indx - 1
index = 0
return count_swaps
# increment count_swaps
# increment index
# else just increment the index
nums = [6, 2, 4, 3]
print(bubble_sort_swaps(nums))
|
# https://www.codewars.com/kata/555eded1ad94b00403000071/train/python
def series_sum(n):
if n == 0:
return "0.00"
if n == 1:
return "1.00"
sum = 1
floor = 4
for _ in range(n-1):
sum += (1/floor)
floor += 3
return '%.2f' % round(sum,2)
|
# magicblast_alignment.py
#
# Author: Jan Piotr Buchmann <jan.buchmann@sydney.edu.au>
# Description:
#
# Version: 0.0
class MappingAlignment:
class Read:
def __init__(self, name, start, stop, strand, qlen):
self.name = name
self.length = int(qlen)
self.sra_rowid = name.split('.')[1]
self.start = int(start) - 1
self.stop = int(stop) - 1
self.strand = 1 if strand == 'minus' else 0
self.aln_length = abs(self.stop - self.start) + 1
def get_ordered_coords(self):
if self.strand == 0:
return (self.start, self.stop)
return (self.stop, self.start)
class Flank:
def __init__(self, name, start, stop, strand):
self.name = name
self.start = int(start) - 1
self.stop = int(stop) - 1
self.strand = 1 if strand == 'minus' else 0
self.aln_length = abs(self.stop - self.start) + 1
def get_ordered_coords(self):
if self.strand == 0:
return (self.start, self.stop)
return (self.stop, self.start)
def __init__(self, cols):
self.read = self.Read(cols[0], cols[6], cols[7], cols[13], cols[15])
self.flank = self.Flank(cols[1], cols[8], cols[9], cols[14])
self.pident = float(cols[2])
|
# SPDX-License-Identifier: Apache-2.0
#
# The OpenSearch Contributors require contributions made to
# this file be licensed under the Apache-2.0 license or a
# compatible open source license.
class CiTarget:
version: str
name: str
snapshot: bool
def __init__(self, version: str, name: str, snapshot: bool = True) -> None:
self.version = version
self.name = name
self.snapshot = snapshot
@property
def opensearch_version(self) -> str:
return self.version + "-SNAPSHOT" if self.snapshot else self.version
@property
def component_version(self) -> str:
# BUG: the 4th digit is dictated by the component, it's not .0, this will break for 1.1.0.1
return self.version + ".0-SNAPSHOT" if self.snapshot else f"{self.version}.0"
|
'''
Exercise 1:
1. Write a recursive function print_all(numbers) that prints all the
elements of list of integers, one per line (use no while loops or for loops).
The parameters numbers to the function is a list of int.
2. Same problem as the last one but prints out the elements in reverse order.
'''
#printing all in same order
def print_all(number):
if len(number) <= 1:
print (number[0])
else:
print (number[0])
return print_all(number[1:])
print_all([1,2,3,4,5,6,7,8])
##############################################
print()
##############################################
#printing all in reverse order
def print_all_reverse(number):
if len(number) <= 1:
print (number[-1])
else:
print (number[-1])
return print_all(number[:-1])
print_all_reverse([1,2,3,4,5,6,7,8])
|
class Generations(object):
def __init__(self):
self.age = self.next_age = 0
self.neighbors = [None] * 8
self.live_count = 0
def count_live_neighbors(self):
self.live_count = 0
for n in self.neighbors:
if n.age == 1:
self.live_count += 1
def calc_next_age(self):
self.count_live_neighbors()
if self.age == 0:
if self.birth():
self.next_age = 1
elif self.age == 1 and self.survival():
pass
else:
self.next_age = (self.age + 1) % self.states
def step(self):
self.age = self.next_age
def make_older(self):
self.age = self.next_age = (self.age + 1) % self.states
def clear(self):
self.age = self.next_age = 0
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.