Instruction stringlengths 362 7.83k | output_code stringlengths 1 945 |
|---|---|
Next line prediction: <|code_start|> else:
# Multiaccount detected
log.info("Account {} NOT verified!".format(userID))
glob.verifiedCache[str(userID)] = 0
raise exceptions.loginBannedException()
# Save HWID in db for multiaccount detection
hwAllowed = userUtils.logHardware(userID, clientData, firstLogin)
# This is false only if HWID is empty
# if HWID is banned, we get restricted so there's no
# need to deny bancho access
if not hwAllowed:
raise exceptions.haxException()
# Log user IP
userUtils.logIP(userID, requestIP)
# Delete old tokens for that user and generate a new one
isTournament = "tourney" in osuVersion
if not isTournament:
glob.tokens.deleteOldTokens(userID)
responseToken = glob.tokens.addToken(userID, requestIP, timeOffset=timeOffset, tournament=isTournament)
responseTokenString = responseToken.token
# Check restricted mode (and eventually send message)
responseToken.checkRestricted()
# Send message if donor expires soon
<|code_end|>
. Use current file imports:
(import sys
import time
import traceback
from common.constants import privileges
from common.log import logUtils as log
from common.ripple import userUtils
from constants import exceptions
from constants import serverPackets
from helpers import chatHelper as chat
from helpers import countryHelper
from helpers import locationHelper
from objects import glob)
and context including class names, function names, or small code snippets from other files:
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: helpers/chatHelper.py
# def joinChannel(userID = 0, channel = "", token = None, toIRC = True, force=False):
# def partChannel(userID = 0, channel = "", token = None, toIRC = True, kick = False, force=False):
# def sendMessage(fro = "", to = "", message = "", token = None, toIRC = True):
# def fixUsernameForBancho(username):
# def fixUsernameForIRC(username):
# def IRCConnect(username):
# def IRCDisconnect(username):
# def IRCJoinChannel(username, channel):
# def IRCPartChannel(username, channel):
# def IRCAway(username, message):
#
# Path: helpers/countryHelper.py
# def getCountryID(code):
# def getCountryLetters(code):
#
# Path: helpers/locationHelper.py
# def getCountry(ip):
# def getLocation(ip):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
. Output only the next line. | if responseToken.privileges & privileges.USER_DONOR > 0: |
Given snippet: <|code_start|> # Send login notification before maintenance message
if glob.banchoConf.config["loginNotification"] != "":
responseToken.enqueue(serverPackets.notification(glob.banchoConf.config["loginNotification"]))
# Maintenance check
if glob.banchoConf.config["banchoMaintenance"]:
if not userGMT:
# We are not mod/admin, delete token, send notification and logout
glob.tokens.deleteToken(responseTokenString)
raise exceptions.banchoMaintenanceException()
else:
# We are mod/admin, send warning notification and continue
responseToken.enqueue(serverPackets.notification("Bancho is in maintenance mode. Only mods/admins have full access to the server.\nType !system maintenance off in chat to turn off maintenance mode."))
# Send all needed login packets
responseToken.enqueue(serverPackets.silenceEndTime(silenceSeconds))
responseToken.enqueue(serverPackets.userID(userID))
responseToken.enqueue(serverPackets.protocolVersion())
responseToken.enqueue(serverPackets.userSupporterGMT(userSupporter, userGMT, userTournament))
responseToken.enqueue(serverPackets.userPanel(userID, True))
responseToken.enqueue(serverPackets.userStats(userID, True))
# Channel info end (before starting!?! wtf bancho?)
responseToken.enqueue(serverPackets.channelInfoEnd())
# Default opened channels
# TODO: Configurable default channels
chat.joinChannel(token=responseToken, channel="#osu")
chat.joinChannel(token=responseToken, channel="#announce")
# Join admin channel if we are an admin
<|code_end|>
, continue by predicting the next line. Consider current file imports:
import sys
import time
import traceback
from common.constants import privileges
from common.log import logUtils as log
from common.ripple import userUtils
from constants import exceptions
from constants import serverPackets
from helpers import chatHelper as chat
from helpers import countryHelper
from helpers import locationHelper
from objects import glob
and context:
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: helpers/chatHelper.py
# def joinChannel(userID = 0, channel = "", token = None, toIRC = True, force=False):
# def partChannel(userID = 0, channel = "", token = None, toIRC = True, kick = False, force=False):
# def sendMessage(fro = "", to = "", message = "", token = None, toIRC = True):
# def fixUsernameForBancho(username):
# def fixUsernameForIRC(username):
# def IRCConnect(username):
# def IRCDisconnect(username):
# def IRCJoinChannel(username, channel):
# def IRCPartChannel(username, channel):
# def IRCAway(username, message):
#
# Path: helpers/countryHelper.py
# def getCountryID(code):
# def getCountryLetters(code):
#
# Path: helpers/locationHelper.py
# def getCountry(ip):
# def getLocation(ip):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
which might include code, classes, or functions. Output only the next line. | if responseToken.admin: |
Predict the next line for this snippet: <|code_start|> raise exceptions.forceUpdateException()
# Try to get the ID from username
username = str(loginData[0])
userID = userUtils.getID(username)
if not userID:
# Invalid username
raise exceptions.loginFailedException()
if not userUtils.checkLogin(userID, loginData[1]):
# Invalid password
raise exceptions.loginFailedException()
# Make sure we are not banned or locked
priv = userUtils.getPrivileges(userID)
if userUtils.isBanned(userID) and priv & privileges.USER_PENDING_VERIFICATION == 0:
raise exceptions.loginBannedException()
if userUtils.isLocked(userID) and priv & privileges.USER_PENDING_VERIFICATION == 0:
raise exceptions.loginLockedException()
# 2FA check
if userUtils.check2FA(userID, requestIP):
log.warning("Need 2FA check for user {}".format(loginData[0]))
raise exceptions.need2FAException()
# No login errors!
# Verify this user (if pending activation)
firstLogin = False
if priv & privileges.USER_PENDING_VERIFICATION > 0 or not userUtils.hasVerifiedHardware(userID):
<|code_end|>
with the help of current file imports:
import sys
import time
import traceback
from common.constants import privileges
from common.log import logUtils as log
from common.ripple import userUtils
from constants import exceptions
from constants import serverPackets
from helpers import chatHelper as chat
from helpers import countryHelper
from helpers import locationHelper
from objects import glob
and context from other files:
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: helpers/chatHelper.py
# def joinChannel(userID = 0, channel = "", token = None, toIRC = True, force=False):
# def partChannel(userID = 0, channel = "", token = None, toIRC = True, kick = False, force=False):
# def sendMessage(fro = "", to = "", message = "", token = None, toIRC = True):
# def fixUsernameForBancho(username):
# def fixUsernameForIRC(username):
# def IRCConnect(username):
# def IRCDisconnect(username):
# def IRCJoinChannel(username, channel):
# def IRCPartChannel(username, channel):
# def IRCAway(username, message):
#
# Path: helpers/countryHelper.py
# def getCountryID(code):
# def getCountryLetters(code):
#
# Path: helpers/locationHelper.py
# def getCountry(ip):
# def getLocation(ip):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
, which may contain function names, class names, or code. Output only the next line. | if userUtils.verifyUser(userID, clientData): |
Given the following code snippet before the placeholder: <|code_start|>
class handler(requestsManager.asyncRequestHandler):
@tornado.web.asynchronous
@tornado.gen.engine
@sentry.captureTornado
def asyncGet(self):
<|code_end|>
, predict the next line using imports from the current file:
import json
import tornado.web
import tornado.gen
from common.sentry import sentry
from common.web import requestsManager
from objects import glob
and context including class names, function names, and sometimes code from other files:
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
. Output only the next line. | statusCode = 400 |
Using the snippet: <|code_start|>
def handle(userToken, packetData):
# Read token and packet data
userID = userToken.userID
packetData = clientPackets.matchInvite(packetData)
# Get match ID and match object
matchID = userToken.matchID
# Make sure we are in a match
if matchID == -1:
return
# Make sure the match exists
if matchID not in glob.matches.matches:
return
# Send invite
with glob.matches.matches[matchID] as match:
<|code_end|>
, determine the next line of code. You have imports:
from constants import clientPackets
from objects import glob
and context (class names, function names, or code) available:
# Path: constants/clientPackets.py
# def userActionChange(stream):
# def userStatsRequest(stream):
# def userPanelRequest(stream):
# def sendPublicMessage(stream):
# def sendPrivateMessage(stream):
# def setAwayMessage(stream):
# def channelJoin(stream):
# def channelPart(stream):
# def addRemoveFriend(stream):
# def startSpectating(stream):
# def matchSettings(stream):
# def createMatch(stream):
# def changeMatchSettings(stream):
# def changeSlot(stream):
# def joinMatch(stream):
# def changeMods(stream):
# def lockSlot(stream):
# def transferHost(stream):
# def matchInvite(stream):
# def matchFrames(stream):
# def tournamentMatchInfoRequest(stream):
# def tournamentJoinMatchChannel(stream):
# def tournamentLeaveMatchChannel(stream):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
. Output only the next line. | match.invite(userID, packetData["userID"]) |
Based on the snippet: <|code_start|>
def handle(userToken, packetData):
# Read token and packet data
userID = userToken.userID
packetData = clientPackets.matchInvite(packetData)
# Get match ID and match object
matchID = userToken.matchID
# Make sure we are in a match
if matchID == -1:
<|code_end|>
, predict the immediate next line with the help of imports:
from constants import clientPackets
from objects import glob
and context (classes, functions, sometimes code) from other files:
# Path: constants/clientPackets.py
# def userActionChange(stream):
# def userStatsRequest(stream):
# def userPanelRequest(stream):
# def sendPublicMessage(stream):
# def sendPrivateMessage(stream):
# def setAwayMessage(stream):
# def channelJoin(stream):
# def channelPart(stream):
# def addRemoveFriend(stream):
# def startSpectating(stream):
# def matchSettings(stream):
# def createMatch(stream):
# def changeMatchSettings(stream):
# def changeSlot(stream):
# def joinMatch(stream):
# def changeMods(stream):
# def lockSlot(stream):
# def transferHost(stream):
# def matchInvite(stream):
# def matchFrames(stream):
# def tournamentMatchInfoRequest(stream):
# def tournamentJoinMatchChannel(stream):
# def tournamentLeaveMatchChannel(stream):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
. Output only the next line. | return |
Based on the snippet: <|code_start|>
def handle(userToken, packetData):
# read packet data
packetData = clientPackets.joinMatch(packetData)
matchID = packetData["matchID"]
password = packetData["password"]
# Get match from ID
try:
# Make sure the match exists
if matchID not in glob.matches.matches:
<|code_end|>
, predict the immediate next line with the help of imports:
from common.log import logUtils as log
from constants import clientPackets
from constants import exceptions
from constants import serverPackets
from objects import glob
and context (classes, functions, sometimes code) from other files:
# Path: constants/clientPackets.py
# def userActionChange(stream):
# def userStatsRequest(stream):
# def userPanelRequest(stream):
# def sendPublicMessage(stream):
# def sendPrivateMessage(stream):
# def setAwayMessage(stream):
# def channelJoin(stream):
# def channelPart(stream):
# def addRemoveFriend(stream):
# def startSpectating(stream):
# def matchSettings(stream):
# def createMatch(stream):
# def changeMatchSettings(stream):
# def changeSlot(stream):
# def joinMatch(stream):
# def changeMods(stream):
# def lockSlot(stream):
# def transferHost(stream):
# def matchInvite(stream):
# def matchFrames(stream):
# def tournamentMatchInfoRequest(stream):
# def tournamentJoinMatchChannel(stream):
# def tournamentLeaveMatchChannel(stream):
#
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
. Output only the next line. | return |
Here is a snippet: <|code_start|>
def handle(userToken, packetData):
# read packet data
packetData = clientPackets.joinMatch(packetData)
matchID = packetData["matchID"]
password = packetData["password"]
# Get match from ID
<|code_end|>
. Write the next line using the current file imports:
from common.log import logUtils as log
from constants import clientPackets
from constants import exceptions
from constants import serverPackets
from objects import glob
and context from other files:
# Path: constants/clientPackets.py
# def userActionChange(stream):
# def userStatsRequest(stream):
# def userPanelRequest(stream):
# def sendPublicMessage(stream):
# def sendPrivateMessage(stream):
# def setAwayMessage(stream):
# def channelJoin(stream):
# def channelPart(stream):
# def addRemoveFriend(stream):
# def startSpectating(stream):
# def matchSettings(stream):
# def createMatch(stream):
# def changeMatchSettings(stream):
# def changeSlot(stream):
# def joinMatch(stream):
# def changeMods(stream):
# def lockSlot(stream):
# def transferHost(stream):
# def matchInvite(stream):
# def matchFrames(stream):
# def tournamentMatchInfoRequest(stream):
# def tournamentJoinMatchChannel(stream):
# def tournamentLeaveMatchChannel(stream):
#
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
, which may include functions, classes, or code. Output only the next line. | try: |
Here is a snippet: <|code_start|>
def handle(userToken, packetData):
# read packet data
packetData = clientPackets.joinMatch(packetData)
matchID = packetData["matchID"]
password = packetData["password"]
# Get match from ID
try:
# Make sure the match exists
if matchID not in glob.matches.matches:
return
# Hash password if needed
# if password != "":
# password = generalUtils.stringMd5(password)
# Check password
with glob.matches.matches[matchID] as match:
<|code_end|>
. Write the next line using the current file imports:
from common.log import logUtils as log
from constants import clientPackets
from constants import exceptions
from constants import serverPackets
from objects import glob
and context from other files:
# Path: constants/clientPackets.py
# def userActionChange(stream):
# def userStatsRequest(stream):
# def userPanelRequest(stream):
# def sendPublicMessage(stream):
# def sendPrivateMessage(stream):
# def setAwayMessage(stream):
# def channelJoin(stream):
# def channelPart(stream):
# def addRemoveFriend(stream):
# def startSpectating(stream):
# def matchSettings(stream):
# def createMatch(stream):
# def changeMatchSettings(stream):
# def changeSlot(stream):
# def joinMatch(stream):
# def changeMods(stream):
# def lockSlot(stream):
# def transferHost(stream):
# def matchInvite(stream):
# def matchFrames(stream):
# def tournamentMatchInfoRequest(stream):
# def tournamentJoinMatchChannel(stream):
# def tournamentLeaveMatchChannel(stream):
#
# Path: constants/exceptions.py
# class loginFailedException(Exception):
# class loginBannedException(Exception):
# class tokenNotFoundException(Exception):
# class channelNoPermissionsException(Exception):
# class channelUnknownException(Exception):
# class channelModeratedException(Exception):
# class noAdminException(Exception):
# class commandSyntaxException(Exception):
# class banchoConfigErrorException(Exception):
# class banchoMaintenanceException(Exception):
# class moderatedPMException(Exception):
# class userNotFoundException(Exception):
# class alreadyConnectedException(Exception):
# class stopSpectating(Exception):
# class matchWrongPasswordException(Exception):
# class matchNotFoundException(Exception):
# class matchJoinErrorException(Exception):
# class matchCreateError(Exception):
# class banchoRestartingException(Exception):
# class apiException(Exception):
# class invalidArgumentsException(Exception):
# class messageTooLongWarnException(Exception):
# class messageTooLongException(Exception):
# class userSilencedException(Exception):
# class need2FAException(Exception):
# class userRestrictedException(Exception):
# class haxException(Exception):
# class forceUpdateException(Exception):
# class loginLockedException(Exception):
# class unknownStreamException(Exception):
# class userTournamentException(Exception):
# class userAlreadyInChannelException(Exception):
# class userNotInChannelException(Exception):
# class missingReportInfoException(Exception):
# class invalidUserException(Exception):
# class wrongChannelException(Exception):
# class periodicLoopException(Exception):
#
# Path: constants/serverPackets.py
# def loginFailed():
# def forceUpdate():
# def loginBanned():
# def loginLocked():
# def loginError():
# def needSupporter():
# def needVerification():
# def userID(uid):
# def silenceEndTime(seconds):
# def protocolVersion(version = 19):
# def mainMenuIcon(icon):
# def userSupporterGMT(supporter, GMT, tournamentStaff):
# def friendList(userID):
# def onlineUsers():
# def userLogout(userID):
# def userPanel(userID, force = False):
# def userStats(userID, force = False):
# def sendMessage(fro, to, message):
# def channelJoinSuccess(userID, chan):
# def channelInfo(chan):
# def channelInfoEnd():
# def channelKicked(chan):
# def userSilenced(userID):
# def addSpectator(userID):
# def removeSpectator(userID):
# def spectatorFrames(data):
# def noSongSpectator(userID):
# def fellowSpectatorJoined(userID):
# def fellowSpectatorLeft(userID):
# def createMatch(matchID):
# def updateMatch(matchID, censored = False):
# def matchStart(matchID):
# def disposeMatch(matchID):
# def matchJoinSuccess(matchID):
# def matchJoinFail():
# def changeMatchPassword(newPassword):
# def allPlayersLoaded():
# def playerSkipped(userID):
# def allPlayersSkipped():
# def matchFrames(slotID, data):
# def matchComplete():
# def playerFailed(slotID):
# def matchTransferHost():
# def matchAbort():
# def switchServer(address):
# def notification(message):
# def banchoRestart(msUntilReconnection):
# def rtx(message):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# DATADOG_PREFIX = "peppy"
, which may include functions, classes, or code. Output only the next line. | if match.matchPassword != "" and match.matchPassword != password: |
Given the code snippet: <|code_start|>
class SentinelOperation(Operation):
def __init__(self, *args, **kwargs):
super(SentinelOperation, self).__init__(*args, **kwargs)
self.times_run = 0
def apply(self, runner):
self.times_run += 1
class Numeric(SentinelOperation):
def __mul__(self, other):
return MultiplyOperation(self, other)
class GetNumber(Numeric):
input = NumericField(0)
def apply(self, runner):
super(GetNumber, self).apply(runner)
return self.input + 1
def __repr__(self):
<|code_end|>
, generate the next line using the imports in this file:
from collections import defaultdict
from random import Random
from fito.operation_runner import OperationRunner
from fito.operations.operation import Operation
from fito.specs.fields import NumericField, SpecField
import inspect
import unittest
and context (functions, classes, or occasionally code) from other files:
# Path: fito/operation_runner.py
# class OperationRunner(Spec):
# execute_cache_size = NumericField(default=0)
# verbose = PrimitiveField(default=False)
#
# # Whether to force execution and ignore caches
# # Helps encapsulate the behaviour so the Operation.apply remains simple
# force = PrimitiveField(serialize=False, default=False)
#
# def __init__(self, *args, **kwargs):
# super(OperationRunner, self).__init__(*args, **kwargs)
# if self.execute_cache_size == 0:
# self.execute_cache = None
# else:
# self.execute_cache = FifoCache(self.execute_cache_size, self.verbose)
#
# def alias(self, **kwargs):
# """
# Same as self.replace, but keeps the same execute_cache
# """
# res = self.replace(**kwargs)
# if res.execute_cache is not None:
# res.execute_cache = self.execute_cache
# return res
#
# # TODO: The FifoCache can be casted into a FifoDataStore, and make this function an @autosave
# def execute(self, operation, force=False):
# """
# Executes an operation using this data store as input
# If this data store was configured to use an execute cache, it will be used
#
# :param force: Whether to ignore the current cached value of this operation
# """
# force = force or self.force
# if not force:
# # if not force, then check the caches out
# functions = [
# lambda: self._get_memory_cache(operation),
# lambda: self._get_data_store_cache(operation),
# ]
# else:
# functions = []
#
# functions.append(
# lambda: operation.apply(
# self.alias(force=force)
# )
# )
#
# for func in functions:
# try:
# res = func()
# break
# except NotFoundError:
# pass
#
# if self.execute_cache is not None:
# self.execute_cache.set(operation, res)
#
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# out_data_store[operation] = res
#
# return res
#
# def _get_memory_cache(self, operation):
# if self.execute_cache is not None:
# try: return self.execute_cache[operation]
# except KeyError: raise NotFoundError()
# else:
# raise NotFoundError()
#
# def _get_data_store_cache(self, operation):
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# try:
# return out_data_store[operation]
# except KeyError:
# raise NotFoundError()
# else:
# raise NotFoundError()
#
# Path: fito/operations/operation.py
# class Operation(Spec):
# out_data_store = SpecField(default=None, serialize=False)
# default_data_store = None
#
# def execute(self, force=False):
# return OperationRunner().execute(self, force=force)
#
# def apply(self, runner):
# raise NotImplementedError()
#
# def get_out_data_store(self):
# if self.out_data_store is not None:
# return self.out_data_store
# else:
# return type(self).default_data_store
#
# Path: fito/specs/fields.py
# class NumericField(PrimitiveField):
# def __lt__(self, _): return
#
# def __add__(self, _): return
#
# def __sub__(self, other): return
#
# def __mul__(self, other): return
#
# def __floordiv__(self, other): return
#
# def __mod__(self, other): return
#
# def __divmod__(self, other): return
#
# def __pow__(self, _, modulo=None): return
#
# def __lshift__(self, other): return
#
# def __rshift__(self, other): return
#
# def __and__(self, other): return
#
# def __xor__(self, other): return
#
# def __or__(self, other): return
#
# @property
# def allowed_types(self):
# return int, float
#
# def SpecField(pos=None, default=_no_default, base_type=None, serialize=True, spec_field_subclass=None):
# """
# Builds a SpecField
#
# :param pos: Position on *args
# :param default: Default value
# :param base_type: Base type, it does some type checkig + avoids some warnings from IntelliJ
# :param serialize: Whether this spec field should be included in the serialization of the object
# :param spec_field_subclass: Sublcass of BaseSpecField, useful to extend the lib
#
# :return:
# """
# if not serialize and default is _no_default:
# raise RuntimeError("If serialize == False, the field should have a default value")
#
# spec_field_subclass = spec_field_subclass or BaseSpecField
#
# if base_type is not None:
# assert issubclass(base_type, base.Spec)
# return_type = type(
# 'SpecFieldFor{}'.format(base_type.__name__),
# (spec_field_subclass, base_type),
# {}
# )
# else:
# return_type = spec_field_subclass
#
# return return_type(pos=pos, default=default, base_type=base_type, serialize=serialize)
. Output only the next line. | return "{}".format(self.input) |
Here is a snippet: <|code_start|>
class SentinelOperation(Operation):
def __init__(self, *args, **kwargs):
super(SentinelOperation, self).__init__(*args, **kwargs)
self.times_run = 0
def apply(self, runner):
self.times_run += 1
class Numeric(SentinelOperation):
def __mul__(self, other):
<|code_end|>
. Write the next line using the current file imports:
from collections import defaultdict
from random import Random
from fito.operation_runner import OperationRunner
from fito.operations.operation import Operation
from fito.specs.fields import NumericField, SpecField
import inspect
import unittest
and context from other files:
# Path: fito/operation_runner.py
# class OperationRunner(Spec):
# execute_cache_size = NumericField(default=0)
# verbose = PrimitiveField(default=False)
#
# # Whether to force execution and ignore caches
# # Helps encapsulate the behaviour so the Operation.apply remains simple
# force = PrimitiveField(serialize=False, default=False)
#
# def __init__(self, *args, **kwargs):
# super(OperationRunner, self).__init__(*args, **kwargs)
# if self.execute_cache_size == 0:
# self.execute_cache = None
# else:
# self.execute_cache = FifoCache(self.execute_cache_size, self.verbose)
#
# def alias(self, **kwargs):
# """
# Same as self.replace, but keeps the same execute_cache
# """
# res = self.replace(**kwargs)
# if res.execute_cache is not None:
# res.execute_cache = self.execute_cache
# return res
#
# # TODO: The FifoCache can be casted into a FifoDataStore, and make this function an @autosave
# def execute(self, operation, force=False):
# """
# Executes an operation using this data store as input
# If this data store was configured to use an execute cache, it will be used
#
# :param force: Whether to ignore the current cached value of this operation
# """
# force = force or self.force
# if not force:
# # if not force, then check the caches out
# functions = [
# lambda: self._get_memory_cache(operation),
# lambda: self._get_data_store_cache(operation),
# ]
# else:
# functions = []
#
# functions.append(
# lambda: operation.apply(
# self.alias(force=force)
# )
# )
#
# for func in functions:
# try:
# res = func()
# break
# except NotFoundError:
# pass
#
# if self.execute_cache is not None:
# self.execute_cache.set(operation, res)
#
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# out_data_store[operation] = res
#
# return res
#
# def _get_memory_cache(self, operation):
# if self.execute_cache is not None:
# try: return self.execute_cache[operation]
# except KeyError: raise NotFoundError()
# else:
# raise NotFoundError()
#
# def _get_data_store_cache(self, operation):
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# try:
# return out_data_store[operation]
# except KeyError:
# raise NotFoundError()
# else:
# raise NotFoundError()
#
# Path: fito/operations/operation.py
# class Operation(Spec):
# out_data_store = SpecField(default=None, serialize=False)
# default_data_store = None
#
# def execute(self, force=False):
# return OperationRunner().execute(self, force=force)
#
# def apply(self, runner):
# raise NotImplementedError()
#
# def get_out_data_store(self):
# if self.out_data_store is not None:
# return self.out_data_store
# else:
# return type(self).default_data_store
#
# Path: fito/specs/fields.py
# class NumericField(PrimitiveField):
# def __lt__(self, _): return
#
# def __add__(self, _): return
#
# def __sub__(self, other): return
#
# def __mul__(self, other): return
#
# def __floordiv__(self, other): return
#
# def __mod__(self, other): return
#
# def __divmod__(self, other): return
#
# def __pow__(self, _, modulo=None): return
#
# def __lshift__(self, other): return
#
# def __rshift__(self, other): return
#
# def __and__(self, other): return
#
# def __xor__(self, other): return
#
# def __or__(self, other): return
#
# @property
# def allowed_types(self):
# return int, float
#
# def SpecField(pos=None, default=_no_default, base_type=None, serialize=True, spec_field_subclass=None):
# """
# Builds a SpecField
#
# :param pos: Position on *args
# :param default: Default value
# :param base_type: Base type, it does some type checkig + avoids some warnings from IntelliJ
# :param serialize: Whether this spec field should be included in the serialization of the object
# :param spec_field_subclass: Sublcass of BaseSpecField, useful to extend the lib
#
# :return:
# """
# if not serialize and default is _no_default:
# raise RuntimeError("If serialize == False, the field should have a default value")
#
# spec_field_subclass = spec_field_subclass or BaseSpecField
#
# if base_type is not None:
# assert issubclass(base_type, base.Spec)
# return_type = type(
# 'SpecFieldFor{}'.format(base_type.__name__),
# (spec_field_subclass, base_type),
# {}
# )
# else:
# return_type = spec_field_subclass
#
# return return_type(pos=pos, default=default, base_type=base_type, serialize=serialize)
, which may include functions, classes, or code. Output only the next line. | return MultiplyOperation(self, other) |
Predict the next line after this snippet: <|code_start|> def test_fifo(self):
runner = OperationRunner(execute_cache_size=len(self.operations))
# everything should be run once
self.run_and_assert(runner, 1)
# everything should be cached
self.run_and_assert(runner, 1)
# forget first operation
# fifo shittiest case
runner.execute(GetNumber(100))
# run everything again
self.run_and_assert(runner, 2)
def run_and_assert(self, runner, cnt):
for i, op in enumerate(self.operations):
runner.execute(op)
assert op.times_run == cnt
def test_force(self):
runner = OperationRunner(
execute_cache_size=len(self.operations),
)
# everything should be run once
cardinality = defaultdict(int)
for op in self.operations:
for sop in op.get_subspecs(include_self=True):
<|code_end|>
using the current file's imports:
from collections import defaultdict
from random import Random
from fito.operation_runner import OperationRunner
from fito.operations.operation import Operation
from fito.specs.fields import NumericField, SpecField
import inspect
import unittest
and any relevant context from other files:
# Path: fito/operation_runner.py
# class OperationRunner(Spec):
# execute_cache_size = NumericField(default=0)
# verbose = PrimitiveField(default=False)
#
# # Whether to force execution and ignore caches
# # Helps encapsulate the behaviour so the Operation.apply remains simple
# force = PrimitiveField(serialize=False, default=False)
#
# def __init__(self, *args, **kwargs):
# super(OperationRunner, self).__init__(*args, **kwargs)
# if self.execute_cache_size == 0:
# self.execute_cache = None
# else:
# self.execute_cache = FifoCache(self.execute_cache_size, self.verbose)
#
# def alias(self, **kwargs):
# """
# Same as self.replace, but keeps the same execute_cache
# """
# res = self.replace(**kwargs)
# if res.execute_cache is not None:
# res.execute_cache = self.execute_cache
# return res
#
# # TODO: The FifoCache can be casted into a FifoDataStore, and make this function an @autosave
# def execute(self, operation, force=False):
# """
# Executes an operation using this data store as input
# If this data store was configured to use an execute cache, it will be used
#
# :param force: Whether to ignore the current cached value of this operation
# """
# force = force or self.force
# if not force:
# # if not force, then check the caches out
# functions = [
# lambda: self._get_memory_cache(operation),
# lambda: self._get_data_store_cache(operation),
# ]
# else:
# functions = []
#
# functions.append(
# lambda: operation.apply(
# self.alias(force=force)
# )
# )
#
# for func in functions:
# try:
# res = func()
# break
# except NotFoundError:
# pass
#
# if self.execute_cache is not None:
# self.execute_cache.set(operation, res)
#
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# out_data_store[operation] = res
#
# return res
#
# def _get_memory_cache(self, operation):
# if self.execute_cache is not None:
# try: return self.execute_cache[operation]
# except KeyError: raise NotFoundError()
# else:
# raise NotFoundError()
#
# def _get_data_store_cache(self, operation):
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# try:
# return out_data_store[operation]
# except KeyError:
# raise NotFoundError()
# else:
# raise NotFoundError()
#
# Path: fito/operations/operation.py
# class Operation(Spec):
# out_data_store = SpecField(default=None, serialize=False)
# default_data_store = None
#
# def execute(self, force=False):
# return OperationRunner().execute(self, force=force)
#
# def apply(self, runner):
# raise NotImplementedError()
#
# def get_out_data_store(self):
# if self.out_data_store is not None:
# return self.out_data_store
# else:
# return type(self).default_data_store
#
# Path: fito/specs/fields.py
# class NumericField(PrimitiveField):
# def __lt__(self, _): return
#
# def __add__(self, _): return
#
# def __sub__(self, other): return
#
# def __mul__(self, other): return
#
# def __floordiv__(self, other): return
#
# def __mod__(self, other): return
#
# def __divmod__(self, other): return
#
# def __pow__(self, _, modulo=None): return
#
# def __lshift__(self, other): return
#
# def __rshift__(self, other): return
#
# def __and__(self, other): return
#
# def __xor__(self, other): return
#
# def __or__(self, other): return
#
# @property
# def allowed_types(self):
# return int, float
#
# def SpecField(pos=None, default=_no_default, base_type=None, serialize=True, spec_field_subclass=None):
# """
# Builds a SpecField
#
# :param pos: Position on *args
# :param default: Default value
# :param base_type: Base type, it does some type checkig + avoids some warnings from IntelliJ
# :param serialize: Whether this spec field should be included in the serialization of the object
# :param spec_field_subclass: Sublcass of BaseSpecField, useful to extend the lib
#
# :return:
# """
# if not serialize and default is _no_default:
# raise RuntimeError("If serialize == False, the field should have a default value")
#
# spec_field_subclass = spec_field_subclass or BaseSpecField
#
# if base_type is not None:
# assert issubclass(base_type, base.Spec)
# return_type = type(
# 'SpecFieldFor{}'.format(base_type.__name__),
# (spec_field_subclass, base_type),
# {}
# )
# else:
# return_type = spec_field_subclass
#
# return return_type(pos=pos, default=default, base_type=base_type, serialize=serialize)
. Output only the next line. | cardinality[sop] += 1 |
Using the snippet: <|code_start|>class SentinelOperation(Operation):
def __init__(self, *args, **kwargs):
super(SentinelOperation, self).__init__(*args, **kwargs)
self.times_run = 0
def apply(self, runner):
self.times_run += 1
class Numeric(SentinelOperation):
def __mul__(self, other):
return MultiplyOperation(self, other)
class GetNumber(Numeric):
input = NumericField(0)
def apply(self, runner):
super(GetNumber, self).apply(runner)
return self.input + 1
def __repr__(self):
return "{}".format(self.input)
class MultiplyOperation(Numeric):
a = SpecField(0)
b = SpecField(1)
def apply(self, runner):
<|code_end|>
, determine the next line of code. You have imports:
from collections import defaultdict
from random import Random
from fito.operation_runner import OperationRunner
from fito.operations.operation import Operation
from fito.specs.fields import NumericField, SpecField
import inspect
import unittest
and context (class names, function names, or code) available:
# Path: fito/operation_runner.py
# class OperationRunner(Spec):
# execute_cache_size = NumericField(default=0)
# verbose = PrimitiveField(default=False)
#
# # Whether to force execution and ignore caches
# # Helps encapsulate the behaviour so the Operation.apply remains simple
# force = PrimitiveField(serialize=False, default=False)
#
# def __init__(self, *args, **kwargs):
# super(OperationRunner, self).__init__(*args, **kwargs)
# if self.execute_cache_size == 0:
# self.execute_cache = None
# else:
# self.execute_cache = FifoCache(self.execute_cache_size, self.verbose)
#
# def alias(self, **kwargs):
# """
# Same as self.replace, but keeps the same execute_cache
# """
# res = self.replace(**kwargs)
# if res.execute_cache is not None:
# res.execute_cache = self.execute_cache
# return res
#
# # TODO: The FifoCache can be casted into a FifoDataStore, and make this function an @autosave
# def execute(self, operation, force=False):
# """
# Executes an operation using this data store as input
# If this data store was configured to use an execute cache, it will be used
#
# :param force: Whether to ignore the current cached value of this operation
# """
# force = force or self.force
# if not force:
# # if not force, then check the caches out
# functions = [
# lambda: self._get_memory_cache(operation),
# lambda: self._get_data_store_cache(operation),
# ]
# else:
# functions = []
#
# functions.append(
# lambda: operation.apply(
# self.alias(force=force)
# )
# )
#
# for func in functions:
# try:
# res = func()
# break
# except NotFoundError:
# pass
#
# if self.execute_cache is not None:
# self.execute_cache.set(operation, res)
#
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# out_data_store[operation] = res
#
# return res
#
# def _get_memory_cache(self, operation):
# if self.execute_cache is not None:
# try: return self.execute_cache[operation]
# except KeyError: raise NotFoundError()
# else:
# raise NotFoundError()
#
# def _get_data_store_cache(self, operation):
# out_data_store = operation.get_out_data_store()
# if out_data_store is not None:
# try:
# return out_data_store[operation]
# except KeyError:
# raise NotFoundError()
# else:
# raise NotFoundError()
#
# Path: fito/operations/operation.py
# class Operation(Spec):
# out_data_store = SpecField(default=None, serialize=False)
# default_data_store = None
#
# def execute(self, force=False):
# return OperationRunner().execute(self, force=force)
#
# def apply(self, runner):
# raise NotImplementedError()
#
# def get_out_data_store(self):
# if self.out_data_store is not None:
# return self.out_data_store
# else:
# return type(self).default_data_store
#
# Path: fito/specs/fields.py
# class NumericField(PrimitiveField):
# def __lt__(self, _): return
#
# def __add__(self, _): return
#
# def __sub__(self, other): return
#
# def __mul__(self, other): return
#
# def __floordiv__(self, other): return
#
# def __mod__(self, other): return
#
# def __divmod__(self, other): return
#
# def __pow__(self, _, modulo=None): return
#
# def __lshift__(self, other): return
#
# def __rshift__(self, other): return
#
# def __and__(self, other): return
#
# def __xor__(self, other): return
#
# def __or__(self, other): return
#
# @property
# def allowed_types(self):
# return int, float
#
# def SpecField(pos=None, default=_no_default, base_type=None, serialize=True, spec_field_subclass=None):
# """
# Builds a SpecField
#
# :param pos: Position on *args
# :param default: Default value
# :param base_type: Base type, it does some type checkig + avoids some warnings from IntelliJ
# :param serialize: Whether this spec field should be included in the serialization of the object
# :param spec_field_subclass: Sublcass of BaseSpecField, useful to extend the lib
#
# :return:
# """
# if not serialize and default is _no_default:
# raise RuntimeError("If serialize == False, the field should have a default value")
#
# spec_field_subclass = spec_field_subclass or BaseSpecField
#
# if base_type is not None:
# assert issubclass(base_type, base.Spec)
# return_type = type(
# 'SpecFieldFor{}'.format(base_type.__name__),
# (spec_field_subclass, base_type),
# {}
# )
# else:
# return_type = spec_field_subclass
#
# return return_type(pos=pos, default=default, base_type=base_type, serialize=serialize)
. Output only the next line. | super(MultiplyOperation, self).apply(runner) |
Here is a snippet: <|code_start|>
# it's a constant that is different from every other object
_no_default = object()
class MockIterable(object):
def __len__(self): return
def __getitem__(self, _): return
def __setitem__(self, _, __): return
<|code_end|>
. Write the next line using the current file imports:
from functools import total_ordering
from fito.specs.utils import is_iterable, general_iterator
import base
and context from other files:
# Path: fito/specs/utils.py
# def is_iterable(obj):
# return isinstance(obj, list) or isinstance(obj, dict) or isinstance(obj, tuple)
#
# def general_iterator(iterable):
# if isinstance(iterable, list) or isinstance(iterable, tuple):
# return enumerate(iterable)
# elif isinstance(iterable, dict):
# return iterable.iteritems()
# else:
# raise ValueError()
, which may include functions, classes, or code. Output only the next line. | def __delitem__(self, _): return |
Predict the next line for this snippet: <|code_start|>
# it's a constant that is different from every other object
_no_default = object()
class MockIterable(object):
def __len__(self): return
def __getitem__(self, _): return
def __setitem__(self, _, __): return
def __delitem__(self, _): return
def __reversed__(self): return
def __contains__(self, _): return
def __setslice__(self, _, __, ___): return
def __delslice__(self, _, __): return
def iteritems(self): return
<|code_end|>
with the help of current file imports:
from functools import total_ordering
from fito.specs.utils import is_iterable, general_iterator
import base
and context from other files:
# Path: fito/specs/utils.py
# def is_iterable(obj):
# return isinstance(obj, list) or isinstance(obj, dict) or isinstance(obj, tuple)
#
# def general_iterator(iterable):
# if isinstance(iterable, list) or isinstance(iterable, tuple):
# return enumerate(iterable)
# elif isinstance(iterable, dict):
# return iterable.iteritems()
# else:
# raise ValueError()
, which may contain function names, class names, or code. Output only the next line. | class Field(object): |
Predict the next line after this snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.core.manage.commands.create
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
アプリケーションを新たに作成する create コマンド
各コマンドモジュールは共通インターフェースとして
Command クラスを持ちます。
===============================
"""
debugFormat = ('-' * 80 + '\\n' + '%(levelname)s in %(module)s [%(pathname)s:%(lineno)d]:\\n' + '%(message)s\\n' + '-' * 80)
outputFormat = ('%(asctime)s %(levelname)s in %(module)s [%(pathname)s:%(lineno)d]:\\n' + '%(message)s\\n' + '-' * 80)
u"""
===============================
::pkg:: Shimehari.core.manage.commands.create
Command
~~~~~~~
コマンドの実装
<|code_end|>
using the current file's imports:
import os
import sys
import errno
import shutil
import shimehari
from optparse import make_option
from shimehari.core.manage import CreatableCommand
from shimehari.core.helpers import importFromString
from shimehari.core.exceptions import CommandError
and any relevant context from other files:
# Path: shimehari/core/manage/AbstractCommand.py
# class CreatableCommand(AbstractCommand):
#
# u"""-----------------------------
# ::pkg:: Shimehari.core.manage.AbstractCommand.CreatableCommand
# toWritable
# ~~~~~~~~~~
#
# ファイルを書き込み可能状態にします。
# [args]
# :filename 対象ファイル名
# ------------------------------"""
# def toWritable(self, filename):
# if sys.platform.startswith('java'):
# return
#
# if not os.access(filename, os.W_OK):
# st = os.stat(filename)
# # Undefined name "start"
# newPermission = stat.S_IMODE(st.st_mode)
# os.chmod(filename, newPermission)
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
#
# Path: shimehari/core/exceptions.py
# class CommandError(Exception):
# def __init__(self, description):
# self.description = description
#
# def __str__(self):
# return 'CommandError: %s' % self.description
. Output only the next line. | =============================== |
Using the snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.core.manage.commands.clean
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
clean コマンド
各コマンドモジュールは共通インターフェースとして
Command クラスを持ちます。
<|code_end|>
, determine the next line of code. You have imports:
import os
import re
import sys
from shimehari.core.manage import AbstractCommand
from shimehari.configuration import ConfigManager
and context (class names, function names, or code) available:
# Path: shimehari/core/manage/AbstractCommand.py
# class AbstractCommand(object):
# name = None
# help = ''
# usage = 'Usage: shimehari COMMAND [ARGUMENTS...] [OPTIONS]'
# summary = 'Shimehari is a framework for Python'
# hidden = False
# option_list = (
# make_option('--traceback', action='store_true', help='Print traceback on exception'),
# )
#
# def __init__(self):
# self.parser = OptionParser(
# usage=self.usage,
# prog='shimehari %s' % self.name,
# version=self.getVersion(),
# option_list=self.option_list)
# if not self.name is None:
# command_dict[self.name] = self
#
# def getVersion(self):
# return shimehari.getVersion()
#
# def runFromArgv(self, argv):
# options, args = self.parser.parse_args(argv[2:])
# self.execute(*args, **options.__dict__)
#
# def execute(self, *args, **options):
#
# showTraceback = options.get('traceback', False)
#
# try:
# self.stdout = options.get('stdout', sys.stdout)
# self.stderror = options.get('stderr', sys.stderr)
#
# output = self.handle(*args, **options)
# if output:
# self.stdout.write(output)
# except (TypeError, CommandError, DrinkError), e:
# if showTraceback:
# traceback.print_exc()
# else:
# self.stderror.write('%s\n' % unicode(e).encode('utf-8'))
# sys.exit(1)
#
# def validate(self):
# raise NotImplementedError()
#
# def handle(self):
# raise NotImplementedError()
#
# #humu...
# def getAppConfig(self):
# pass
#
# Path: shimehari/configuration.py
# class ConfigManager(object):
# u"""Config インスタンスを管理します。"""
#
# configrations = {}
#
# @classmethod
# def hasConfig(cls):
# u"""Config インスタンスが登録されているかどうか
#
# :param bool: Config インスタンスが登録されているかどうかを返します。
# """
# if not cls.configrations or len(cls.configrations) < 1:
# return False
# else:
# return True
#
# @classmethod
# def getConfigs(cls):
# u"""Config インスタンスが格納されたディクショナリを返します。"""
# return cls.configrations
#
# @classmethod
# def getConfig(cls, environ=None):
# u"""Config インスタンスを取得します。
#
# :param environ: 取得したい環境。
# 指定されない場合は現在の環境に合わせた Config が返されます。
# """
# if environ is None:
# environ = getEnviron()
# if environ in cls.configrations:
# return cls.configrations[environ]
# return None
#
# @classmethod
# def addConfigs(cls, configs=[]):
# u"""複数の Config インスタンスをまとめて登録します。
#
# :param configs: Config インスタンスを格納したディクショナリ
# """
# [cls.addConfig(c) for c in configs]
#
# @classmethod
# def addConfig(cls, config):
# u"""Config インスタンスを登録します。
#
# :param config: 登録したいコンフィグインスタンス
# """
# if isinstance(config, Config):
# cls.configrations.setdefault(config.environment, config)
# else:
# raise TypeError('config じゃない')
#
# @classmethod
# def removeConfig(cls, environment):
# u"""Config インスタンスを削除します。
#
# :param enviroment: 削除したい環境
# """
# if cls.configrations[environment]:
# cls.configrations.pop(environment)
. Output only the next line. | =============================== |
Predict the next line after this snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.core.manage.commands.clean
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
clean コマンド
各コマンドモジュールは共通インターフェースとして
Command クラスを持ちます。
===============================
"""
u"""
===============================
<|code_end|>
using the current file's imports:
import os
import re
import sys
from shimehari.core.manage import AbstractCommand
from shimehari.configuration import ConfigManager
and any relevant context from other files:
# Path: shimehari/core/manage/AbstractCommand.py
# class AbstractCommand(object):
# name = None
# help = ''
# usage = 'Usage: shimehari COMMAND [ARGUMENTS...] [OPTIONS]'
# summary = 'Shimehari is a framework for Python'
# hidden = False
# option_list = (
# make_option('--traceback', action='store_true', help='Print traceback on exception'),
# )
#
# def __init__(self):
# self.parser = OptionParser(
# usage=self.usage,
# prog='shimehari %s' % self.name,
# version=self.getVersion(),
# option_list=self.option_list)
# if not self.name is None:
# command_dict[self.name] = self
#
# def getVersion(self):
# return shimehari.getVersion()
#
# def runFromArgv(self, argv):
# options, args = self.parser.parse_args(argv[2:])
# self.execute(*args, **options.__dict__)
#
# def execute(self, *args, **options):
#
# showTraceback = options.get('traceback', False)
#
# try:
# self.stdout = options.get('stdout', sys.stdout)
# self.stderror = options.get('stderr', sys.stderr)
#
# output = self.handle(*args, **options)
# if output:
# self.stdout.write(output)
# except (TypeError, CommandError, DrinkError), e:
# if showTraceback:
# traceback.print_exc()
# else:
# self.stderror.write('%s\n' % unicode(e).encode('utf-8'))
# sys.exit(1)
#
# def validate(self):
# raise NotImplementedError()
#
# def handle(self):
# raise NotImplementedError()
#
# #humu...
# def getAppConfig(self):
# pass
#
# Path: shimehari/configuration.py
# class ConfigManager(object):
# u"""Config インスタンスを管理します。"""
#
# configrations = {}
#
# @classmethod
# def hasConfig(cls):
# u"""Config インスタンスが登録されているかどうか
#
# :param bool: Config インスタンスが登録されているかどうかを返します。
# """
# if not cls.configrations or len(cls.configrations) < 1:
# return False
# else:
# return True
#
# @classmethod
# def getConfigs(cls):
# u"""Config インスタンスが格納されたディクショナリを返します。"""
# return cls.configrations
#
# @classmethod
# def getConfig(cls, environ=None):
# u"""Config インスタンスを取得します。
#
# :param environ: 取得したい環境。
# 指定されない場合は現在の環境に合わせた Config が返されます。
# """
# if environ is None:
# environ = getEnviron()
# if environ in cls.configrations:
# return cls.configrations[environ]
# return None
#
# @classmethod
# def addConfigs(cls, configs=[]):
# u"""複数の Config インスタンスをまとめて登録します。
#
# :param configs: Config インスタンスを格納したディクショナリ
# """
# [cls.addConfig(c) for c in configs]
#
# @classmethod
# def addConfig(cls, config):
# u"""Config インスタンスを登録します。
#
# :param config: 登録したいコンフィグインスタンス
# """
# if isinstance(config, Config):
# cls.configrations.setdefault(config.environment, config)
# else:
# raise TypeError('config じゃない')
#
# @classmethod
# def removeConfig(cls, environment):
# u"""Config インスタンスを削除します。
#
# :param enviroment: 削除したい環境
# """
# if cls.configrations[environment]:
# cls.configrations.pop(environment)
. Output only the next line. | ::pkg:: Shimehari.core.manage.commands.clean |
Based on the snippet: <|code_start|> ストアの中のキャッシュを全て消去します
[args]
:key
------------------------------"""
def clear(self):
pass
class NullCacheStore(BaseCacheStore):
pass
u"""-----------------------------
Shimehari.core.cachestore.SimpleCacheStore
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
メモリ上に突っ込むシンプルなキャッシュ
------------------------------"""
class SimpleCacheStore(BaseCacheStore):
def __init__(self, threshold=500, default_timeout=300):
BaseCacheStore.__init__(self, default_timeout)
self._cache = {}
self.clear = self._cache.clear
self._threshold = threshold
u"""-----------------------------
<|code_end|>
, predict the immediate next line with the help of imports:
import os
import tempfile
import cPickle as msg
import pickle as msg
import re
import redis
from hashlib import md5
from md5 import new as md5
from itertools import izip
from time import time
from shimehari.core.helpers import importPreferredMemcachedClient
and context (classes, functions, sometimes code) from other files:
# Path: shimehari/core/helpers.py
# def importPreferredMemcachedClient(servers):
# try:
# import pylibmc
# except ImportError, e:
# pass
# else:
# return pylibmc.Client(servers)
#
# try:
# import memcache
# except ImportError, e:
# try:
# import cmemcache as memcache
# except ImportError, e:
# pass
# else:
# return memcache.Client(servers)
#
# try:
# from google.appengine.api import memecache
# except ImportError, e:
# pass
# else:
# return memcache.Client()
#
# raise RuntimeError('no memcache modules.')
. Output only the next line. | Shimehari.core.cachestore._prune |
Continue the code snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Command(AbstractCommand):
name = 'checkconfig'
summary = 'Check Your Shimehari Application Configration'
usage = "Usage: %prog [OPTIONS]"
option_list = AbstractCommand.option_list + (
make_option('--env', '-e', action='store', type='string', dest='environ', help='get config environ'),
<|code_end|>
. Use current file imports:
import os
import sys
from optparse import make_option
from shimehari.core.exceptions import CommandError
from shimehari.core.manage import AbstractCommand
from shimehari.core.helpers import importFromString
from shimehari.configuration import ConfigManager
and context (classes, functions, or code) from other files:
# Path: shimehari/core/exceptions.py
# class CommandError(Exception):
# def __init__(self, description):
# self.description = description
#
# def __str__(self):
# return 'CommandError: %s' % self.description
#
# Path: shimehari/core/manage/AbstractCommand.py
# class AbstractCommand(object):
# name = None
# help = ''
# usage = 'Usage: shimehari COMMAND [ARGUMENTS...] [OPTIONS]'
# summary = 'Shimehari is a framework for Python'
# hidden = False
# option_list = (
# make_option('--traceback', action='store_true', help='Print traceback on exception'),
# )
#
# def __init__(self):
# self.parser = OptionParser(
# usage=self.usage,
# prog='shimehari %s' % self.name,
# version=self.getVersion(),
# option_list=self.option_list)
# if not self.name is None:
# command_dict[self.name] = self
#
# def getVersion(self):
# return shimehari.getVersion()
#
# def runFromArgv(self, argv):
# options, args = self.parser.parse_args(argv[2:])
# self.execute(*args, **options.__dict__)
#
# def execute(self, *args, **options):
#
# showTraceback = options.get('traceback', False)
#
# try:
# self.stdout = options.get('stdout', sys.stdout)
# self.stderror = options.get('stderr', sys.stderr)
#
# output = self.handle(*args, **options)
# if output:
# self.stdout.write(output)
# except (TypeError, CommandError, DrinkError), e:
# if showTraceback:
# traceback.print_exc()
# else:
# self.stderror.write('%s\n' % unicode(e).encode('utf-8'))
# sys.exit(1)
#
# def validate(self):
# raise NotImplementedError()
#
# def handle(self):
# raise NotImplementedError()
#
# #humu...
# def getAppConfig(self):
# pass
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
#
# Path: shimehari/configuration.py
# class ConfigManager(object):
# u"""Config インスタンスを管理します。"""
#
# configrations = {}
#
# @classmethod
# def hasConfig(cls):
# u"""Config インスタンスが登録されているかどうか
#
# :param bool: Config インスタンスが登録されているかどうかを返します。
# """
# if not cls.configrations or len(cls.configrations) < 1:
# return False
# else:
# return True
#
# @classmethod
# def getConfigs(cls):
# u"""Config インスタンスが格納されたディクショナリを返します。"""
# return cls.configrations
#
# @classmethod
# def getConfig(cls, environ=None):
# u"""Config インスタンスを取得します。
#
# :param environ: 取得したい環境。
# 指定されない場合は現在の環境に合わせた Config が返されます。
# """
# if environ is None:
# environ = getEnviron()
# if environ in cls.configrations:
# return cls.configrations[environ]
# return None
#
# @classmethod
# def addConfigs(cls, configs=[]):
# u"""複数の Config インスタンスをまとめて登録します。
#
# :param configs: Config インスタンスを格納したディクショナリ
# """
# [cls.addConfig(c) for c in configs]
#
# @classmethod
# def addConfig(cls, config):
# u"""Config インスタンスを登録します。
#
# :param config: 登録したいコンフィグインスタンス
# """
# if isinstance(config, Config):
# cls.configrations.setdefault(config.environment, config)
# else:
# raise TypeError('config じゃない')
#
# @classmethod
# def removeConfig(cls, environment):
# u"""Config インスタンスを削除します。
#
# :param enviroment: 削除したい環境
# """
# if cls.configrations[environment]:
# cls.configrations.pop(environment)
. Output only the next line. | ) |
Predict the next line after this snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Command(AbstractCommand):
name = 'checkconfig'
summary = 'Check Your Shimehari Application Configration'
usage = "Usage: %prog [OPTIONS]"
option_list = AbstractCommand.option_list + (
make_option('--env', '-e', action='store', type='string', dest='environ', help='get config environ'),
)
def handle(self, *args, **options):
try:
importFromString('config')
except ImportError:
sys.path.append(os.getcwd())
try:
importFromString('config')
<|code_end|>
using the current file's imports:
import os
import sys
from optparse import make_option
from shimehari.core.exceptions import CommandError
from shimehari.core.manage import AbstractCommand
from shimehari.core.helpers import importFromString
from shimehari.configuration import ConfigManager
and any relevant context from other files:
# Path: shimehari/core/exceptions.py
# class CommandError(Exception):
# def __init__(self, description):
# self.description = description
#
# def __str__(self):
# return 'CommandError: %s' % self.description
#
# Path: shimehari/core/manage/AbstractCommand.py
# class AbstractCommand(object):
# name = None
# help = ''
# usage = 'Usage: shimehari COMMAND [ARGUMENTS...] [OPTIONS]'
# summary = 'Shimehari is a framework for Python'
# hidden = False
# option_list = (
# make_option('--traceback', action='store_true', help='Print traceback on exception'),
# )
#
# def __init__(self):
# self.parser = OptionParser(
# usage=self.usage,
# prog='shimehari %s' % self.name,
# version=self.getVersion(),
# option_list=self.option_list)
# if not self.name is None:
# command_dict[self.name] = self
#
# def getVersion(self):
# return shimehari.getVersion()
#
# def runFromArgv(self, argv):
# options, args = self.parser.parse_args(argv[2:])
# self.execute(*args, **options.__dict__)
#
# def execute(self, *args, **options):
#
# showTraceback = options.get('traceback', False)
#
# try:
# self.stdout = options.get('stdout', sys.stdout)
# self.stderror = options.get('stderr', sys.stderr)
#
# output = self.handle(*args, **options)
# if output:
# self.stdout.write(output)
# except (TypeError, CommandError, DrinkError), e:
# if showTraceback:
# traceback.print_exc()
# else:
# self.stderror.write('%s\n' % unicode(e).encode('utf-8'))
# sys.exit(1)
#
# def validate(self):
# raise NotImplementedError()
#
# def handle(self):
# raise NotImplementedError()
#
# #humu...
# def getAppConfig(self):
# pass
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
#
# Path: shimehari/configuration.py
# class ConfigManager(object):
# u"""Config インスタンスを管理します。"""
#
# configrations = {}
#
# @classmethod
# def hasConfig(cls):
# u"""Config インスタンスが登録されているかどうか
#
# :param bool: Config インスタンスが登録されているかどうかを返します。
# """
# if not cls.configrations or len(cls.configrations) < 1:
# return False
# else:
# return True
#
# @classmethod
# def getConfigs(cls):
# u"""Config インスタンスが格納されたディクショナリを返します。"""
# return cls.configrations
#
# @classmethod
# def getConfig(cls, environ=None):
# u"""Config インスタンスを取得します。
#
# :param environ: 取得したい環境。
# 指定されない場合は現在の環境に合わせた Config が返されます。
# """
# if environ is None:
# environ = getEnviron()
# if environ in cls.configrations:
# return cls.configrations[environ]
# return None
#
# @classmethod
# def addConfigs(cls, configs=[]):
# u"""複数の Config インスタンスをまとめて登録します。
#
# :param configs: Config インスタンスを格納したディクショナリ
# """
# [cls.addConfig(c) for c in configs]
#
# @classmethod
# def addConfig(cls, config):
# u"""Config インスタンスを登録します。
#
# :param config: 登録したいコンフィグインスタンス
# """
# if isinstance(config, Config):
# cls.configrations.setdefault(config.environment, config)
# else:
# raise TypeError('config じゃない')
#
# @classmethod
# def removeConfig(cls, environment):
# u"""Config インスタンスを削除します。
#
# :param enviroment: 削除したい環境
# """
# if cls.configrations[environment]:
# cls.configrations.pop(environment)
. Output only the next line. | except ImportError: |
Given snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Command(AbstractCommand):
name = 'checkconfig'
summary = 'Check Your Shimehari Application Configration'
usage = "Usage: %prog [OPTIONS]"
option_list = AbstractCommand.option_list + (
make_option('--env', '-e', action='store', type='string', dest='environ', help='get config environ'),
<|code_end|>
, continue by predicting the next line. Consider current file imports:
import os
import sys
from optparse import make_option
from shimehari.core.exceptions import CommandError
from shimehari.core.manage import AbstractCommand
from shimehari.core.helpers import importFromString
from shimehari.configuration import ConfigManager
and context:
# Path: shimehari/core/exceptions.py
# class CommandError(Exception):
# def __init__(self, description):
# self.description = description
#
# def __str__(self):
# return 'CommandError: %s' % self.description
#
# Path: shimehari/core/manage/AbstractCommand.py
# class AbstractCommand(object):
# name = None
# help = ''
# usage = 'Usage: shimehari COMMAND [ARGUMENTS...] [OPTIONS]'
# summary = 'Shimehari is a framework for Python'
# hidden = False
# option_list = (
# make_option('--traceback', action='store_true', help='Print traceback on exception'),
# )
#
# def __init__(self):
# self.parser = OptionParser(
# usage=self.usage,
# prog='shimehari %s' % self.name,
# version=self.getVersion(),
# option_list=self.option_list)
# if not self.name is None:
# command_dict[self.name] = self
#
# def getVersion(self):
# return shimehari.getVersion()
#
# def runFromArgv(self, argv):
# options, args = self.parser.parse_args(argv[2:])
# self.execute(*args, **options.__dict__)
#
# def execute(self, *args, **options):
#
# showTraceback = options.get('traceback', False)
#
# try:
# self.stdout = options.get('stdout', sys.stdout)
# self.stderror = options.get('stderr', sys.stderr)
#
# output = self.handle(*args, **options)
# if output:
# self.stdout.write(output)
# except (TypeError, CommandError, DrinkError), e:
# if showTraceback:
# traceback.print_exc()
# else:
# self.stderror.write('%s\n' % unicode(e).encode('utf-8'))
# sys.exit(1)
#
# def validate(self):
# raise NotImplementedError()
#
# def handle(self):
# raise NotImplementedError()
#
# #humu...
# def getAppConfig(self):
# pass
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
#
# Path: shimehari/configuration.py
# class ConfigManager(object):
# u"""Config インスタンスを管理します。"""
#
# configrations = {}
#
# @classmethod
# def hasConfig(cls):
# u"""Config インスタンスが登録されているかどうか
#
# :param bool: Config インスタンスが登録されているかどうかを返します。
# """
# if not cls.configrations or len(cls.configrations) < 1:
# return False
# else:
# return True
#
# @classmethod
# def getConfigs(cls):
# u"""Config インスタンスが格納されたディクショナリを返します。"""
# return cls.configrations
#
# @classmethod
# def getConfig(cls, environ=None):
# u"""Config インスタンスを取得します。
#
# :param environ: 取得したい環境。
# 指定されない場合は現在の環境に合わせた Config が返されます。
# """
# if environ is None:
# environ = getEnviron()
# if environ in cls.configrations:
# return cls.configrations[environ]
# return None
#
# @classmethod
# def addConfigs(cls, configs=[]):
# u"""複数の Config インスタンスをまとめて登録します。
#
# :param configs: Config インスタンスを格納したディクショナリ
# """
# [cls.addConfig(c) for c in configs]
#
# @classmethod
# def addConfig(cls, config):
# u"""Config インスタンスを登録します。
#
# :param config: 登録したいコンフィグインスタンス
# """
# if isinstance(config, Config):
# cls.configrations.setdefault(config.environment, config)
# else:
# raise TypeError('config じゃない')
#
# @classmethod
# def removeConfig(cls, environment):
# u"""Config インスタンスを削除します。
#
# :param enviroment: 削除したい環境
# """
# if cls.configrations[environment]:
# cls.configrations.pop(environment)
which might include code, classes, or functions. Output only the next line. | ) |
Given snippet: <|code_start|> except HTTPException, e:
self.request.routingException = e
u"""-----------------------------
::pkg:: Shimehari.contexts.RequestContext
push
~~~~
現在のリクエストコンテキストをスタックに追加します。
------------------------------"""
def push(self):
top = _requestContextStack.top
if top is not None and top.preserved:
top.pop()
self._pushedApplicationContext = _getNecessaryAppContext(self.app)
_requestContextStack.push(self)
self.session = self.app.openSession(self.request)
if self.session is None:
self.session = self.app.sessionStore.makeNullSession()
u"""-----------------------------
::pkg:: Shimehari.contexts.RequestContext
pop
~~~
リクエストコンテキストをスタックから取り出します。
<|code_end|>
, continue by predicting the next line. Consider current file imports:
import sys
from werkzeug.exceptions import HTTPException
from .shared import _requestContextStack, _appContextStack
and context:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
which might include code, classes, or functions. Output only the next line. | ------------------------------""" |
Based on the snippet: <|code_start|> self.matchRequest()
u"""-----------------------------
::pkg:: Shimehari.contexts.RequestContext
matchRequest
~~~~~~~~~~~~
リクエストに対してマッチするルールが存在するかチェックします
------------------------------"""
def matchRequest(self):
try:
urlRule, self.request.viewArgs = self.urlAdapter.match(return_rule=True)
self.request.urlRule = urlRule
except HTTPException, e:
self.request.routingException = e
u"""-----------------------------
::pkg:: Shimehari.contexts.RequestContext
push
~~~~
現在のリクエストコンテキストをスタックに追加します。
------------------------------"""
def push(self):
top = _requestContextStack.top
if top is not None and top.preserved:
top.pop()
<|code_end|>
, predict the immediate next line with the help of imports:
import sys
from werkzeug.exceptions import HTTPException
from .shared import _requestContextStack, _appContextStack
and context (classes, functions, sometimes code) from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
. Output only the next line. | self._pushedApplicationContext = _getNecessaryAppContext(self.app) |
Next line prediction: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.wrappers
~~~~~~~~~~~~~~~~~~
<|code_end|>
. Use current file imports:
(from werkzeug.utils import cached_property
from werkzeug.wrappers import Request as RequestBase, Response as ResponseBase
from shimehari.core.helpers import attachEnctypeErrorMultidict
from shimehari.core.exceptions import JSONBadRequest
from shimehari.helpers import _assertHaveJson, json
from shimehari.shared import _requestContextStack)
and context including class names, function names, or small code snippets from other files:
# Path: shimehari/core/helpers.py
# def attachEnctypeErrorMultidict(request):
# oldCls = request.files.__class__
#
# class newCls(oldCls):
# def __getitem__(self, key):
# try:
# return oldCls.__getitem__(self, key)
# except KeyError, e:
# if key not in request.form:
# raise
# raise DebugFilesKeyError(request, key)
# newCls.__name__ = oldCls.__name__
# newCls.__module__ = oldCls.__module__
# request.files.__class__ = newCls
#
# Path: shimehari/core/exceptions.py
# class JSONBadRequest(JSONHTTPExceptions, BadRequest):
# description = ('ブラウザ、もしくはプロクシが送ったリクエストを、このアプリケーションでは処理できません。')
#
# Path: shimehari/helpers.py
# def _assertHaveJson():
# def _assertHaveRedis():
# def getHandlerAction(resource, action):
# def getHostName(url):
# def __init__(self):
# def strip(self, htmlTag):
# def handle_data(self, data):
# def urlFor(endpoint, **values):
# def findPackage(importName):
# def getModulesFromPyFile(targetPath, rootPath):
# def getRootPath(importName):
# def getEnviron():
# def sendFromDirectory(directory, filename, **options):
# def safeJoin(directory, filename):
# def sendFile(filenameOrFp, mimetype=None, asAttachment=False,
# attachmentFilename=None, addEtags=True,
# cacheTimeout=None, conditional=False):
# def jsonify(*args, **kwargs):
# def fillSpace(text, length):
# def __init__(self, func, name=None, doc=None):
# def __get__(self, obj, type=None):
# def getTemplater(app, templaterName, *args, **options):
# def flash(message, category='message'):
# def getFlashedMessage(withCategory=False, categoryFilter=[]):
# def __init__(self, importName, appFolder='app',
# controllerFolder='controllers', viewFolder=None):
# def _assetsURL(self):
# def getStaticFolder(self, key):
# def setStaticFolder(self, value):
# def getStaticFolders(self):
# def setStaticFolders(self, **folders):
# def getStaticURL(self, key):
# def setStaticURL(self, value):
# def getStaticURLs(self):
# def setStaticURLs(self, **urls):
# def hasStaticFolder(self):
# def sendStaticFile(self, filename):
# def getSendFileMaxAge(self, filename):
# def openFile(self, filename, mode='rb'):
# class Stripper(sgmllib.SGMLParser):
# class lockedCachedProperty(object):
# class _Kouzi(object):
#
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
. Output only the next line. | リクエストやらレスポンスやら |
Continue the code snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.wrappers
<|code_end|>
. Use current file imports:
from werkzeug.utils import cached_property
from werkzeug.wrappers import Request as RequestBase, Response as ResponseBase
from shimehari.core.helpers import attachEnctypeErrorMultidict
from shimehari.core.exceptions import JSONBadRequest
from shimehari.helpers import _assertHaveJson, json
from shimehari.shared import _requestContextStack
and context (classes, functions, or code) from other files:
# Path: shimehari/core/helpers.py
# def attachEnctypeErrorMultidict(request):
# oldCls = request.files.__class__
#
# class newCls(oldCls):
# def __getitem__(self, key):
# try:
# return oldCls.__getitem__(self, key)
# except KeyError, e:
# if key not in request.form:
# raise
# raise DebugFilesKeyError(request, key)
# newCls.__name__ = oldCls.__name__
# newCls.__module__ = oldCls.__module__
# request.files.__class__ = newCls
#
# Path: shimehari/core/exceptions.py
# class JSONBadRequest(JSONHTTPExceptions, BadRequest):
# description = ('ブラウザ、もしくはプロクシが送ったリクエストを、このアプリケーションでは処理できません。')
#
# Path: shimehari/helpers.py
# def _assertHaveJson():
# def _assertHaveRedis():
# def getHandlerAction(resource, action):
# def getHostName(url):
# def __init__(self):
# def strip(self, htmlTag):
# def handle_data(self, data):
# def urlFor(endpoint, **values):
# def findPackage(importName):
# def getModulesFromPyFile(targetPath, rootPath):
# def getRootPath(importName):
# def getEnviron():
# def sendFromDirectory(directory, filename, **options):
# def safeJoin(directory, filename):
# def sendFile(filenameOrFp, mimetype=None, asAttachment=False,
# attachmentFilename=None, addEtags=True,
# cacheTimeout=None, conditional=False):
# def jsonify(*args, **kwargs):
# def fillSpace(text, length):
# def __init__(self, func, name=None, doc=None):
# def __get__(self, obj, type=None):
# def getTemplater(app, templaterName, *args, **options):
# def flash(message, category='message'):
# def getFlashedMessage(withCategory=False, categoryFilter=[]):
# def __init__(self, importName, appFolder='app',
# controllerFolder='controllers', viewFolder=None):
# def _assetsURL(self):
# def getStaticFolder(self, key):
# def setStaticFolder(self, value):
# def getStaticFolders(self):
# def setStaticFolders(self, **folders):
# def getStaticURL(self, key):
# def setStaticURL(self, value):
# def getStaticURLs(self):
# def setStaticURLs(self, **urls):
# def hasStaticFolder(self):
# def sendStaticFile(self, filename):
# def getSendFileMaxAge(self, filename):
# def openFile(self, filename, mode='rb'):
# class Stripper(sgmllib.SGMLParser):
# class lockedCachedProperty(object):
# class _Kouzi(object):
#
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
. Output only the next line. | ~~~~~~~~~~~~~~~~~~ |
Given snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.wrappers
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from werkzeug.utils import cached_property
from werkzeug.wrappers import Request as RequestBase, Response as ResponseBase
from shimehari.core.helpers import attachEnctypeErrorMultidict
from shimehari.core.exceptions import JSONBadRequest
from shimehari.helpers import _assertHaveJson, json
from shimehari.shared import _requestContextStack
and context:
# Path: shimehari/core/helpers.py
# def attachEnctypeErrorMultidict(request):
# oldCls = request.files.__class__
#
# class newCls(oldCls):
# def __getitem__(self, key):
# try:
# return oldCls.__getitem__(self, key)
# except KeyError, e:
# if key not in request.form:
# raise
# raise DebugFilesKeyError(request, key)
# newCls.__name__ = oldCls.__name__
# newCls.__module__ = oldCls.__module__
# request.files.__class__ = newCls
#
# Path: shimehari/core/exceptions.py
# class JSONBadRequest(JSONHTTPExceptions, BadRequest):
# description = ('ブラウザ、もしくはプロクシが送ったリクエストを、このアプリケーションでは処理できません。')
#
# Path: shimehari/helpers.py
# def _assertHaveJson():
# def _assertHaveRedis():
# def getHandlerAction(resource, action):
# def getHostName(url):
# def __init__(self):
# def strip(self, htmlTag):
# def handle_data(self, data):
# def urlFor(endpoint, **values):
# def findPackage(importName):
# def getModulesFromPyFile(targetPath, rootPath):
# def getRootPath(importName):
# def getEnviron():
# def sendFromDirectory(directory, filename, **options):
# def safeJoin(directory, filename):
# def sendFile(filenameOrFp, mimetype=None, asAttachment=False,
# attachmentFilename=None, addEtags=True,
# cacheTimeout=None, conditional=False):
# def jsonify(*args, **kwargs):
# def fillSpace(text, length):
# def __init__(self, func, name=None, doc=None):
# def __get__(self, obj, type=None):
# def getTemplater(app, templaterName, *args, **options):
# def flash(message, category='message'):
# def getFlashedMessage(withCategory=False, categoryFilter=[]):
# def __init__(self, importName, appFolder='app',
# controllerFolder='controllers', viewFolder=None):
# def _assetsURL(self):
# def getStaticFolder(self, key):
# def setStaticFolder(self, value):
# def getStaticFolders(self):
# def setStaticFolders(self, **folders):
# def getStaticURL(self, key):
# def setStaticURL(self, value):
# def getStaticURLs(self):
# def setStaticURLs(self, **urls):
# def hasStaticFolder(self):
# def sendStaticFile(self, filename):
# def getSendFileMaxAge(self, filename):
# def openFile(self, filename, mode='rb'):
# class Stripper(sgmllib.SGMLParser):
# class lockedCachedProperty(object):
# class _Kouzi(object):
#
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
which might include code, classes, or functions. Output only the next line. | ~~~~~~~~~~~~~~~~~~ |
Based on the snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.wrappers
<|code_end|>
, predict the immediate next line with the help of imports:
from werkzeug.utils import cached_property
from werkzeug.wrappers import Request as RequestBase, Response as ResponseBase
from shimehari.core.helpers import attachEnctypeErrorMultidict
from shimehari.core.exceptions import JSONBadRequest
from shimehari.helpers import _assertHaveJson, json
from shimehari.shared import _requestContextStack
and context (classes, functions, sometimes code) from other files:
# Path: shimehari/core/helpers.py
# def attachEnctypeErrorMultidict(request):
# oldCls = request.files.__class__
#
# class newCls(oldCls):
# def __getitem__(self, key):
# try:
# return oldCls.__getitem__(self, key)
# except KeyError, e:
# if key not in request.form:
# raise
# raise DebugFilesKeyError(request, key)
# newCls.__name__ = oldCls.__name__
# newCls.__module__ = oldCls.__module__
# request.files.__class__ = newCls
#
# Path: shimehari/core/exceptions.py
# class JSONBadRequest(JSONHTTPExceptions, BadRequest):
# description = ('ブラウザ、もしくはプロクシが送ったリクエストを、このアプリケーションでは処理できません。')
#
# Path: shimehari/helpers.py
# def _assertHaveJson():
# def _assertHaveRedis():
# def getHandlerAction(resource, action):
# def getHostName(url):
# def __init__(self):
# def strip(self, htmlTag):
# def handle_data(self, data):
# def urlFor(endpoint, **values):
# def findPackage(importName):
# def getModulesFromPyFile(targetPath, rootPath):
# def getRootPath(importName):
# def getEnviron():
# def sendFromDirectory(directory, filename, **options):
# def safeJoin(directory, filename):
# def sendFile(filenameOrFp, mimetype=None, asAttachment=False,
# attachmentFilename=None, addEtags=True,
# cacheTimeout=None, conditional=False):
# def jsonify(*args, **kwargs):
# def fillSpace(text, length):
# def __init__(self, func, name=None, doc=None):
# def __get__(self, obj, type=None):
# def getTemplater(app, templaterName, *args, **options):
# def flash(message, category='message'):
# def getFlashedMessage(withCategory=False, categoryFilter=[]):
# def __init__(self, importName, appFolder='app',
# controllerFolder='controllers', viewFolder=None):
# def _assetsURL(self):
# def getStaticFolder(self, key):
# def setStaticFolder(self, value):
# def getStaticFolders(self):
# def setStaticFolders(self, **folders):
# def getStaticURL(self, key):
# def setStaticURL(self, value):
# def getStaticURLs(self):
# def setStaticURLs(self, **urls):
# def hasStaticFolder(self):
# def sendStaticFile(self, filename):
# def getSendFileMaxAge(self, filename):
# def openFile(self, filename, mode='rb'):
# class Stripper(sgmllib.SGMLParser):
# class lockedCachedProperty(object):
# class _Kouzi(object):
#
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
. Output only the next line. | ~~~~~~~~~~~~~~~~~~ |
Here is a snippet: <|code_start|> filePath = loader.get_filename(importName)
else:
__import__(importName)
filePath = sys.modules[importName].__file__
return os.path.dirname(os.path.abspath(filePath))
u"""-----------------------------
::pkg:: Shimehari.helpers
getEnviron
~~~~~~~~~~
現在の動作環境を取得します。
[return]
:url
ホスト名を抜き出したい URL
----------------------------------"""
def getEnviron():
if 'SHIMEHARI_WORK_ENV' in os.environ:
return os.environ['SHIMEHARI_WORK_ENV']
return 'development'
def sendFromDirectory(directory, filename, **options):
filename = safeJoin(directory, filename)
if not os.path.isfile(filename):
raise NotFound()
<|code_end|>
. Write the next line using the current file imports:
import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request
and context from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
, which may include functions, classes, or code. Output only the next line. | options.setdefault('conditional', True) |
Using the snippet: <|code_start|>
def urlFor(endpoint, **values):
appctx = _appContextStack.top
reqctx = _requestContextStack.top
if appctx is None:
raise RuntimeError('hoge')
if reqctx is not None:
urlAdapter = reqctx.urlAdapter
# if urlAdapter is None:
# raise RuntimeError('ooooo')
external = values.pop('_external', False)
else:
urlAdapter = appctx.adapter
if urlAdapter is None:
raise RuntimeError('url adapter not found')
external = values.pop('_external', True)
anchor = values.pop('_anchor', None)
method = values.pop('_method', None)
appctx.app.injectURLDefaults(endpoint, values)
try:
rv = urlAdapter.build(endpoint, values, method=method, force_external=external)
except BuildError, error:
values['_external'] = external
values['_anchor'] = anchor
values['_method'] = method
<|code_end|>
, determine the next line of code. You have imports:
import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request
and context (class names, function names, or code) available:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
. Output only the next line. | return appctx.app.handleBuildError(error, endpoint, **values) |
Predict the next line after this snippet: <|code_start|> return os.getcwd()
if hasattr(loader, 'get_filename'):
filePath = loader.get_filename(importName)
else:
__import__(importName)
filePath = sys.modules[importName].__file__
return os.path.dirname(os.path.abspath(filePath))
u"""-----------------------------
::pkg:: Shimehari.helpers
getEnviron
~~~~~~~~~~
現在の動作環境を取得します。
[return]
:url
ホスト名を抜き出したい URL
----------------------------------"""
def getEnviron():
if 'SHIMEHARI_WORK_ENV' in os.environ:
return os.environ['SHIMEHARI_WORK_ENV']
return 'development'
def sendFromDirectory(directory, filename, **options):
<|code_end|>
using the current file's imports:
import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request
and any relevant context from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
. Output only the next line. | filename = safeJoin(directory, filename) |
Predict the next line for this snippet: <|code_start|>
rv = urlAdapter.build(endpoint, values, method=method, force_external=external)
if anchor is not None:
rv += '#' + url_quote(anchor)
return rv
def findPackage(importName):
rootModName = importName.split('.')[0]
loader = pkgutil.get_loader(rootModName)
if loader is None or importName == '__main__':
pkgPath = os.getcwd()
else:
if hasattr(loader, 'get_filename'):
filename = loader.get_filename(rootModName)
elif hasattr(loader, 'active'):
filename = loader.active
else:
__import__(importName)
filename = sys.modules[importName].__file__
pkgPath = os.path.abspath(os.path.dirname(filename))
if loader.is_package(rootModName):
pkgPath = os.path.dirname(pkgPath)
siteParent, siteFolder = os.path.split(pkgPath)
pyPrefix = os.path.abspath(sys.prefix)
if pkgPath.startswith(pyPrefix):
return pyPrefix, pkgPath
<|code_end|>
with the help of current file imports:
import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request
and context from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
, which may contain function names, class names, or code. Output only the next line. | elif siteFolder.lower() == 'site-packages': |
Based on the snippet: <|code_start|>
def _assertHaveJson():
if not jsonAvailable:
raise RuntimeError(u'json ないじゃん')
u"""redis が使用可能かどうか"""
redisAvailable = True
redis = None
try:
except ImportError:
redisAvailable = False
def _assertHaveRedis():
if not redisAvailable:
raise RuntimeError('no redis module found')
_osAltSep = list(sep for sep in [os.path.sep, os.path.altsep] if sep not in (None, '/'))
_missing = object()
_toJsonFilter = json.dumps
def getHandlerAction(resource, action):
u"""与えられたコントローラーとアクション名からマッチするハンドラを返します。
:param resource: ハンドラを抱えているコントローラー
<|code_end|>
, predict the immediate next line with the help of imports:
import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request
and context (classes, functions, sometimes code) from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
. Output only the next line. | :param action: ハンドラを取得したいアクション |
Next line prediction: <|code_start|> if not '__init__' in fn:
fn = fn.replace(rootPath, '')[1:].replace('.py', '').replace('/', '.')
modules.append(fn)
return modules
u"""-----------------------------
::pkg:: Shimehari.helpers
getRootPath
~~~~~~~~~~~
root パスを取得します
[args]
:importName
インポート時の名前
[return]
:string ルートパス
----------------------------------"""
def getRootPath(importName):
loader = pkgutil.get_loader(importName)
if loader is None or importName == '__main__':
return os.getcwd()
if hasattr(loader, 'get_filename'):
filePath = loader.get_filename(importName)
else:
<|code_end|>
. Use current file imports:
(import os
import sys
import re
import urlparse
import pkgutil
import mimetypes
import json
import simplejson as json
import redis
import sgmllib
import glob
import shimehari
from time import time
from zlib import adler32
from threading import RLock
from django.utils import simplejson as json
from werkzeug.datastructures import Headers
from werkzeug.wsgi import wrap_file
from werkzeug.urls import url_quote
from werkzeug.routing import BuildError
from werkzeug.exceptions import NotFound
from shimehari.shared import session, currentApp, request, _appContextStack, _requestContextStack
from shimehari.core.helpers import importFromString
from warnings import warn
from shimehari.configuration import ConfigManager
from shimehari.shared import request)
and context including class names, function names, or small code snippets from other files:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
#
# Path: shimehari/core/helpers.py
# def importFromString(targetName):
# if isinstance(targetName, unicode):
# targetName = str(targetName)
# try:
# if '.' in targetName:
# pkgs, obj = targetName.rsplit('.', 1)
# else:
# return __import__('config')
# try:
# return getattr(__import__(pkgs, fromlist=[obj]), obj)
# except (ImportError, AttributeError):
# pkgName = pkgs + '.' + obj
# __import__(pkgName)
# return sys.modules[pkgName]
#
# except ImportError, error:
# raise ImportError(error)
. Output only the next line. | __import__(importName) |
Continue the code snippet: <|code_start|>
class ShimehariSetupError(ShimehariException):
def __str__(self):
return 'ShimehariSetupError: %s' % self.description
class CommandError(Exception):
def __init__(self, description):
self.description = description
def __str__(self):
return 'CommandError: %s' % self.description
class DrinkError(Exception):
def __init__(self, description, host='127.0.0.1', port=5959):
self.description = description
self.host = host
self.port = port
def __str__(self):
return 'Shimehari Drink Command is Error: %s\nhost=%s\nport=%d' % (self.description, self.host, self.port)
class JSONHTTPExceptions(HTTPException):
def get_body(self, environ):
return json.dumps(dict(description=self.get_description(environ)))
<|code_end|>
. Use current file imports:
import sys
import traceback
from werkzeug.exceptions import HTTPException, BadRequest
from shimehari.helpers import json
and context (classes, functions, or code) from other files:
# Path: shimehari/helpers.py
# def _assertHaveJson():
# def _assertHaveRedis():
# def getHandlerAction(resource, action):
# def getHostName(url):
# def __init__(self):
# def strip(self, htmlTag):
# def handle_data(self, data):
# def urlFor(endpoint, **values):
# def findPackage(importName):
# def getModulesFromPyFile(targetPath, rootPath):
# def getRootPath(importName):
# def getEnviron():
# def sendFromDirectory(directory, filename, **options):
# def safeJoin(directory, filename):
# def sendFile(filenameOrFp, mimetype=None, asAttachment=False,
# attachmentFilename=None, addEtags=True,
# cacheTimeout=None, conditional=False):
# def jsonify(*args, **kwargs):
# def fillSpace(text, length):
# def __init__(self, func, name=None, doc=None):
# def __get__(self, obj, type=None):
# def getTemplater(app, templaterName, *args, **options):
# def flash(message, category='message'):
# def getFlashedMessage(withCategory=False, categoryFilter=[]):
# def __init__(self, importName, appFolder='app',
# controllerFolder='controllers', viewFolder=None):
# def _assetsURL(self):
# def getStaticFolder(self, key):
# def setStaticFolder(self, value):
# def getStaticFolders(self):
# def setStaticFolders(self, **folders):
# def getStaticURL(self, key):
# def setStaticURL(self, value):
# def getStaticURLs(self):
# def setStaticURLs(self, **urls):
# def hasStaticFolder(self):
# def sendStaticFile(self, filename):
# def getSendFileMaxAge(self, filename):
# def openFile(self, filename, mode='rb'):
# class Stripper(sgmllib.SGMLParser):
# class lockedCachedProperty(object):
# class _Kouzi(object):
. Output only the next line. | def get_headers(self, environ): |
Predict the next line after this snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.configuration
~~~~~~~~~~~~~~~~~~~~~~~
アプリケーション内の様々な設定や環境情報を保持する
Config クラスを提供します。
<|code_end|>
using the current file's imports:
from shimehari.helpers import getEnviron
from datetime import timedelta
and any relevant context from other files:
# Path: shimehari/helpers.py
# def getEnviron():
# if 'SHIMEHARI_WORK_ENV' in os.environ:
# return os.environ['SHIMEHARI_WORK_ENV']
# return 'development'
. Output only the next line. | =============================== |
Using the snippet: <|code_start|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
u"""
===============================
Shimehari.testing
~~~~~~~~~~~~~~~~~
<|code_end|>
, determine the next line of code. You have imports:
from contextlib import contextmanager
from werkzeug.test import Client, EnvironBuilder
from shimehari import _requestContextStack
and context (class names, function names, or code) available:
# Path: shimehari/shared.py
# class _SharedRequestClass(object):
# def _lookUpObjectInRequestContext(name):
# def findApp():
. Output only the next line. | テスト |
Using the snippet: <|code_start|>
class FilterInline(admin.TabularInline):
model = WatchFilter
class WatchAdmin(admin.ModelAdmin):
list_filter = ['content_type', 'event_type']
raw_id_fields = ['user']
inlines = [FilterInline]
class WatchFilterAdmin(admin.ModelAdmin):
list_filter = ['name']
<|code_end|>
, determine the next line of code. You have imports:
from django.contrib import admin
from tidings.models import Watch, WatchFilter
and context (class names, function names, or code) available:
# Path: tidings/models.py
# class Watch(ModelBase):
# """The registration of a user's interest in a certain event
#
# At minimum, specifies an event_type and thereby an
# :class:`~tidings.events.Event` subclass. May also specify a content type
# and/or object ID and, indirectly, any number of
# :class:`WatchFilters <WatchFilter>`.
#
# """
# #: Key used by an Event to find watches it manages:
# event_type = models.CharField(max_length=30, db_index=True)
#
# #: Optional reference to a content type:
# content_type = models.ForeignKey(ContentType, null=True, blank=True,
# on_delete=models.CASCADE)
# object_id = models.PositiveIntegerField(db_index=True, null=True)
# content_object = GenericForeignKey('content_type', 'object_id')
#
# user = models.ForeignKey(settings.AUTH_USER_MODEL, null=True, blank=True,
# on_delete=models.CASCADE)
#
# #: Email stored only in the case of anonymous users:
# email = models.EmailField(db_index=True, null=True, blank=True)
#
# #: Secret for activating anonymous watch email addresses.
# secret = models.CharField(max_length=10, null=True, blank=True)
# #: Active watches receive notifications, inactive watches don't.
# is_active = models.BooleanField(default=False, db_index=True)
#
# def __unicode__(self):
# # TODO: Trace event_type back to find the Event subclass, and ask it
# # how to describe me in English.
# rest = self.content_object or self.content_type or self.object_id
# return u'id=%s, type=%s, content_object=%s' % (self.pk,
# self.event_type,
# text_type(rest))
#
# def activate(self):
# """Enable this watch so it actually fires.
#
# Return ``self`` to support method chaining.
#
# """
# self.is_active = True
# return self
#
# def unsubscribe_url(self):
# """Return the absolute URL to visit to delete me."""
# server_relative = ('%s?s=%s' % (reverse('tidings.unsubscribe',
# args=[self.pk]),
# self.secret))
# return 'https://%s%s' % (Site.objects.get_current().domain,
# server_relative)
#
# class WatchFilter(ModelBase):
# """Additional key/value pairs that pare down the scope of a watch"""
#
# watch = models.ForeignKey(Watch, related_name='filters',
# on_delete=models.CASCADE)
# name = models.CharField(max_length=20)
#
# #: Either an int or the hash of an item in a reasonably small set, which is
# #: indicated by the name field. See comments by
# #: :func:`~tidings.utils.hash_to_unsigned()` for more on what is reasonably
# #: small.
# value = models.PositiveIntegerField()
#
# class Meta(object):
# # There's no particular reason we couldn't allow multiple values for
# # one name to be ORed together, but the API needs a little work
# # (accepting lists passed to notify()) to support that.
# #
# # This ordering makes the index usable for lookups by name.
# unique_together = ('name', 'watch')
#
# def __unicode__(self):
# return u'WatchFilter %s: %s=%s' % (self.pk, self.name, self.value)
. Output only the next line. | raw_id_fields = ['watch'] |
Based on the snippet: <|code_start|>
def user(save=False, **kwargs):
defaults = {'password':
'sha1$d0fcb$661bd5197214051ed4de6da4ecdabe17f5549c7c'}
if 'username' not in kwargs:
defaults['username'] = ''.join(random.choice(ascii_letters)
for x in range(15))
defaults.update(kwargs)
u = get_user_model()(**defaults)
if save:
u.save()
return u
def watch(save=False, **kwargs):
# TODO: better defaults, when there are events available.
defaults = {'user': kwargs.get('user') or user(save=True),
<|code_end|>
, predict the immediate next line with the help of imports:
import random
from string import ascii_letters
from django.contrib.auth import get_user_model
from tidings.compat import range
from tidings.models import Watch, WatchFilter
and context (classes, functions, sometimes code) from other files:
# Path: tidings/compat.py
# def iteritems(d, **kw):
# def iterkeys(d, **kw):
#
# Path: tidings/models.py
# class Watch(ModelBase):
# """The registration of a user's interest in a certain event
#
# At minimum, specifies an event_type and thereby an
# :class:`~tidings.events.Event` subclass. May also specify a content type
# and/or object ID and, indirectly, any number of
# :class:`WatchFilters <WatchFilter>`.
#
# """
# #: Key used by an Event to find watches it manages:
# event_type = models.CharField(max_length=30, db_index=True)
#
# #: Optional reference to a content type:
# content_type = models.ForeignKey(ContentType, null=True, blank=True,
# on_delete=models.CASCADE)
# object_id = models.PositiveIntegerField(db_index=True, null=True)
# content_object = GenericForeignKey('content_type', 'object_id')
#
# user = models.ForeignKey(settings.AUTH_USER_MODEL, null=True, blank=True,
# on_delete=models.CASCADE)
#
# #: Email stored only in the case of anonymous users:
# email = models.EmailField(db_index=True, null=True, blank=True)
#
# #: Secret for activating anonymous watch email addresses.
# secret = models.CharField(max_length=10, null=True, blank=True)
# #: Active watches receive notifications, inactive watches don't.
# is_active = models.BooleanField(default=False, db_index=True)
#
# def __unicode__(self):
# # TODO: Trace event_type back to find the Event subclass, and ask it
# # how to describe me in English.
# rest = self.content_object or self.content_type or self.object_id
# return u'id=%s, type=%s, content_object=%s' % (self.pk,
# self.event_type,
# text_type(rest))
#
# def activate(self):
# """Enable this watch so it actually fires.
#
# Return ``self`` to support method chaining.
#
# """
# self.is_active = True
# return self
#
# def unsubscribe_url(self):
# """Return the absolute URL to visit to delete me."""
# server_relative = ('%s?s=%s' % (reverse('tidings.unsubscribe',
# args=[self.pk]),
# self.secret))
# return 'https://%s%s' % (Site.objects.get_current().domain,
# server_relative)
#
# class WatchFilter(ModelBase):
# """Additional key/value pairs that pare down the scope of a watch"""
#
# watch = models.ForeignKey(Watch, related_name='filters',
# on_delete=models.CASCADE)
# name = models.CharField(max_length=20)
#
# #: Either an int or the hash of an item in a reasonably small set, which is
# #: indicated by the name field. See comments by
# #: :func:`~tidings.utils.hash_to_unsigned()` for more on what is reasonably
# #: small.
# value = models.PositiveIntegerField()
#
# class Meta(object):
# # There's no particular reason we couldn't allow multiple values for
# # one name to be ORed together, but the API needs a little work
# # (accepting lists passed to notify()) to support that.
# #
# # This ordering makes the index usable for lookups by name.
# unique_together = ('name', 'watch')
#
# def __unicode__(self):
# return u'WatchFilter %s: %s=%s' % (self.pk, self.name, self.value)
. Output only the next line. | 'is_active': True, |
Using the snippet: <|code_start|>
def user(save=False, **kwargs):
defaults = {'password':
'sha1$d0fcb$661bd5197214051ed4de6da4ecdabe17f5549c7c'}
if 'username' not in kwargs:
defaults['username'] = ''.join(random.choice(ascii_letters)
for x in range(15))
defaults.update(kwargs)
u = get_user_model()(**defaults)
if save:
u.save()
return u
def watch(save=False, **kwargs):
# TODO: better defaults, when there are events available.
defaults = {'user': kwargs.get('user') or user(save=True),
'is_active': True,
'secret': 'abcdefghjk'}
defaults.update(kwargs)
w = Watch.objects.create(**defaults)
<|code_end|>
, determine the next line of code. You have imports:
import random
from string import ascii_letters
from django.contrib.auth import get_user_model
from tidings.compat import range
from tidings.models import Watch, WatchFilter
and context (class names, function names, or code) available:
# Path: tidings/compat.py
# def iteritems(d, **kw):
# def iterkeys(d, **kw):
#
# Path: tidings/models.py
# class Watch(ModelBase):
# """The registration of a user's interest in a certain event
#
# At minimum, specifies an event_type and thereby an
# :class:`~tidings.events.Event` subclass. May also specify a content type
# and/or object ID and, indirectly, any number of
# :class:`WatchFilters <WatchFilter>`.
#
# """
# #: Key used by an Event to find watches it manages:
# event_type = models.CharField(max_length=30, db_index=True)
#
# #: Optional reference to a content type:
# content_type = models.ForeignKey(ContentType, null=True, blank=True,
# on_delete=models.CASCADE)
# object_id = models.PositiveIntegerField(db_index=True, null=True)
# content_object = GenericForeignKey('content_type', 'object_id')
#
# user = models.ForeignKey(settings.AUTH_USER_MODEL, null=True, blank=True,
# on_delete=models.CASCADE)
#
# #: Email stored only in the case of anonymous users:
# email = models.EmailField(db_index=True, null=True, blank=True)
#
# #: Secret for activating anonymous watch email addresses.
# secret = models.CharField(max_length=10, null=True, blank=True)
# #: Active watches receive notifications, inactive watches don't.
# is_active = models.BooleanField(default=False, db_index=True)
#
# def __unicode__(self):
# # TODO: Trace event_type back to find the Event subclass, and ask it
# # how to describe me in English.
# rest = self.content_object or self.content_type or self.object_id
# return u'id=%s, type=%s, content_object=%s' % (self.pk,
# self.event_type,
# text_type(rest))
#
# def activate(self):
# """Enable this watch so it actually fires.
#
# Return ``self`` to support method chaining.
#
# """
# self.is_active = True
# return self
#
# def unsubscribe_url(self):
# """Return the absolute URL to visit to delete me."""
# server_relative = ('%s?s=%s' % (reverse('tidings.unsubscribe',
# args=[self.pk]),
# self.secret))
# return 'https://%s%s' % (Site.objects.get_current().domain,
# server_relative)
#
# class WatchFilter(ModelBase):
# """Additional key/value pairs that pare down the scope of a watch"""
#
# watch = models.ForeignKey(Watch, related_name='filters',
# on_delete=models.CASCADE)
# name = models.CharField(max_length=20)
#
# #: Either an int or the hash of an item in a reasonably small set, which is
# #: indicated by the name field. See comments by
# #: :func:`~tidings.utils.hash_to_unsigned()` for more on what is reasonably
# #: small.
# value = models.PositiveIntegerField()
#
# class Meta(object):
# # There's no particular reason we couldn't allow multiple values for
# # one name to be ORed together, but the API needs a little work
# # (accepting lists passed to notify()) to support that.
# #
# # This ordering makes the index usable for lookups by name.
# unique_together = ('name', 'watch')
#
# def __unicode__(self):
# return u'WatchFilter %s: %s=%s' % (self.pk, self.name, self.value)
. Output only the next line. | if save: |
Predict the next line for this snippet: <|code_start|> defaults = {'password':
'sha1$d0fcb$661bd5197214051ed4de6da4ecdabe17f5549c7c'}
if 'username' not in kwargs:
defaults['username'] = ''.join(random.choice(ascii_letters)
for x in range(15))
defaults.update(kwargs)
u = get_user_model()(**defaults)
if save:
u.save()
return u
def watch(save=False, **kwargs):
# TODO: better defaults, when there are events available.
defaults = {'user': kwargs.get('user') or user(save=True),
'is_active': True,
'secret': 'abcdefghjk'}
defaults.update(kwargs)
w = Watch.objects.create(**defaults)
if save:
w.save()
return w
def watch_filter(save=False, **kwargs):
defaults = {'watch': kwargs.get('watch') or watch(save=True),
'name': 'test',
'value': 1234}
defaults.update(kwargs)
f = WatchFilter.objects.create(**defaults)
<|code_end|>
with the help of current file imports:
import random
from string import ascii_letters
from django.contrib.auth import get_user_model
from tidings.compat import range
from tidings.models import Watch, WatchFilter
and context from other files:
# Path: tidings/compat.py
# def iteritems(d, **kw):
# def iterkeys(d, **kw):
#
# Path: tidings/models.py
# class Watch(ModelBase):
# """The registration of a user's interest in a certain event
#
# At minimum, specifies an event_type and thereby an
# :class:`~tidings.events.Event` subclass. May also specify a content type
# and/or object ID and, indirectly, any number of
# :class:`WatchFilters <WatchFilter>`.
#
# """
# #: Key used by an Event to find watches it manages:
# event_type = models.CharField(max_length=30, db_index=True)
#
# #: Optional reference to a content type:
# content_type = models.ForeignKey(ContentType, null=True, blank=True,
# on_delete=models.CASCADE)
# object_id = models.PositiveIntegerField(db_index=True, null=True)
# content_object = GenericForeignKey('content_type', 'object_id')
#
# user = models.ForeignKey(settings.AUTH_USER_MODEL, null=True, blank=True,
# on_delete=models.CASCADE)
#
# #: Email stored only in the case of anonymous users:
# email = models.EmailField(db_index=True, null=True, blank=True)
#
# #: Secret for activating anonymous watch email addresses.
# secret = models.CharField(max_length=10, null=True, blank=True)
# #: Active watches receive notifications, inactive watches don't.
# is_active = models.BooleanField(default=False, db_index=True)
#
# def __unicode__(self):
# # TODO: Trace event_type back to find the Event subclass, and ask it
# # how to describe me in English.
# rest = self.content_object or self.content_type or self.object_id
# return u'id=%s, type=%s, content_object=%s' % (self.pk,
# self.event_type,
# text_type(rest))
#
# def activate(self):
# """Enable this watch so it actually fires.
#
# Return ``self`` to support method chaining.
#
# """
# self.is_active = True
# return self
#
# def unsubscribe_url(self):
# """Return the absolute URL to visit to delete me."""
# server_relative = ('%s?s=%s' % (reverse('tidings.unsubscribe',
# args=[self.pk]),
# self.secret))
# return 'https://%s%s' % (Site.objects.get_current().domain,
# server_relative)
#
# class WatchFilter(ModelBase):
# """Additional key/value pairs that pare down the scope of a watch"""
#
# watch = models.ForeignKey(Watch, related_name='filters',
# on_delete=models.CASCADE)
# name = models.CharField(max_length=20)
#
# #: Either an int or the hash of an item in a reasonably small set, which is
# #: indicated by the name field. See comments by
# #: :func:`~tidings.utils.hash_to_unsigned()` for more on what is reasonably
# #: small.
# value = models.PositiveIntegerField()
#
# class Meta(object):
# # There's no particular reason we couldn't allow multiple values for
# # one name to be ORed together, but the API needs a little work
# # (accepting lists passed to notify()) to support that.
# #
# # This ordering makes the index usable for lookups by name.
# unique_together = ('name', 'watch')
#
# def __unicode__(self):
# return u'WatchFilter %s: %s=%s' % (self.pk, self.name, self.value)
, which may contain function names, class names, or code. Output only the next line. | if save: |
Predict the next line for this snippet: <|code_start|>
class Tests(TestCase):
"""Tests for our lone template tag"""
def test_unsubscribe_instructions(self):
"""Make sure unsubscribe_instructions renders and contains the
unsubscribe URL."""
w = watch(save=True)
template = Template('{% load unsubscribe_instructions %}'
'{% unsubscribe_instructions watch %}')
<|code_end|>
with the help of current file imports:
from django.test import TestCase
from django.template import Context, Template
from .base import watch
and context from other files:
# Path: tests/base.py
# def watch(save=False, **kwargs):
# # TODO: better defaults, when there are events available.
# defaults = {'user': kwargs.get('user') or user(save=True),
# 'is_active': True,
# 'secret': 'abcdefghjk'}
# defaults.update(kwargs)
# w = Watch.objects.create(**defaults)
# if save:
# w.save()
# return w
, which may contain function names, class names, or code. Output only the next line. | assert w.unsubscribe_url() in template.render(Context({'watch': w})) |
Using the snippet: <|code_start|> pl.plot_signal(t_enc, u[k_start:k_end], fig_title_in,
output_name + str(output_count) + output_ext)
u_list.append(u)
output_count += 1
t = np.arange(len(u_list[0]), dtype=np.float)*dt
# Define neuron parameters:
def randu(a, b, *d):
"""Create an array of the given shape and propagate it with random
samples from a uniform distribution over ``[a, b)``."""
if a >= b:
raise ValueError('b must exceed a')
return a+(b-a)*np.random.rand(*d)
b_list = list(randu(2.3, 3.3, N))
d_list = list(randu(0.15, 0.25, N))
k_list = list(0.01*np.ones(N))
a_list = map(list, np.reshape(np.random.exponential(0.003, N*M), (N, M)))
w_list = map(list, np.reshape(randu(0.5, 1.0, N*M), (N, M)))
fig_title = 'Signal Encoded Using Delayed IAF Encoder'
print fig_title
s_list = func_timer(iaf.iaf_encode_delay)(u_list, t_start, dt, b_list, d_list,
k_list, a_list, w_list)
for i in xrange(M):
for j in xrange(N):
fig_title_out = fig_title + '\n(Signal #' + str(i+1) + \
<|code_end|>
, determine the next line of code. You have imports:
import numpy as np
import matplotlib
import bionet.utils.band_limited as bl
import bionet.utils.plotting as pl
import bionet.ted.iaf as iaf
from bionet.utils.misc import func_timer
and context (class names, function names, or code) available:
# Path: bionet/utils/misc.py
# def func_timer(f):
# """
# Time the execution of a function.
#
# Parameters
# ----------
# f : function
# Function to time.
# """
#
# def wrapper(*args, **kwargs):
# start = time.time()
# res = f(*args, **kwargs)
# stop = time.time()
# print 'execution time = %.5f s' % (stop-start)
# return res
# return wrapper
. Output only the next line. | ', Neuron #' + str(j+1) + ')' |
Continue the code snippet: <|code_start|>a_list = map(list, np.reshape(np.random.exponential(0.003, N*M), (N, M)))
w_list = map(list, np.reshape(randu(0.5, 1.0, N*M), (N, M)))
T_block = T/2.0
T_overlap = T_block/3.0
fig_title = 'Signal Encoded Using Real-Time Delayed IAF Encoder'
print fig_title
s_list = func_timer(rt.iaf_encode_delay)(u_list, T_block, t_start, dt, b_list, d_list,
k_list, a_list, w_list)
for i in xrange(M):
for j in xrange(N):
fig_title_out = fig_title + '\n(Signal #' + str(i+1) + \
', Neuron #' + str(j+1) + ')'
pl.plot_encoded(t_enc, u_list[i][k_start:k_end],
s_list[j][np.cumsum(s_list[j])<T],
fig_title_out,
output_name + str(output_count) + output_ext)
output_count += 1
fig_title = 'Signal Decoded Using Real-Time Delayed IAF Decoder'
print fig_title
u_rec_list = func_timer(rt.iaf_decode_delay)(s_list, T_block,
T_overlap, dt,
b_list, d_list, k_list,
a_list, w_list)
for i in xrange(M):
fig_title_out = fig_title + ' (Signal #' + str(i+1) + ')'
pl.plot_compare(t_enc, u_list[i][k_start:k_end],
<|code_end|>
. Use current file imports:
import numpy as np
import matplotlib
import bionet.utils.band_limited as bl
import bionet.utils.plotting as pl
import bionet.ted.rt as rt
from bionet.utils.misc import func_timer
and context (classes, functions, or code) from other files:
# Path: bionet/utils/misc.py
# def func_timer(f):
# """
# Time the execution of a function.
#
# Parameters
# ----------
# f : function
# Function to time.
# """
#
# def wrapper(*args, **kwargs):
# start = time.time()
# res = f(*args, **kwargs)
# stop = time.time()
# print 'execution time = %.5f s' % (stop-start)
# return res
# return wrapper
. Output only the next line. | u_rec_list[i][0:k_end-k_start], fig_title_out, |
Here is a snippet: <|code_start|>
href = WhamTextField(null=True)
popularity = WhamIntegerField(null=True)
uri = WhamTextField(null=True)
albums = WhamManyToManyField(
'SpotifyAlbum',
related_name='artists',
wham_endpoint='artists/{{id}}/albums',
wham_results_path=('items',)
)
# TODO:
# tracks = WhamManyToManyField(
# 'SpotifyTrack',
# # related_name='artists',
# wham_endpoint='artists/{{id}}/albums',
# wham_results_path=('items',)
# )
class Meta:
db_table = 'spotify_artist'
class WhamMeta(SpotifyMeta):
endpoint = 'artists'
# i reckon this stuff should really be in Manager, as it has more to do with filter()
# which is a Manager method
class Search:
<|code_end|>
. Write the next line using the current file imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | endpoint = 'search' |
Using the snippet: <|code_start|> # )
class Meta:
db_table = 'spotify_artist'
class WhamMeta(SpotifyMeta):
endpoint = 'artists'
# i reckon this stuff should really be in Manager, as it has more to do with filter()
# which is a Manager method
class Search:
endpoint = 'search'
params = {'type': 'artist'}
results_path = ('artists', 'items')
def __unicode__(self):
return self.name
class SpotifyAlbum(WhamModel):
# objects = WhamManager()
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
release_date = WhamTextField(null=True)
popularity = WhamIntegerField(null=True, wham_detailed=True)
<|code_end|>
, determine the next line of code. You have imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField
from wham.models import WhamModel
and context (class names, function names, or code) available:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class Meta: |
Based on the snippet: <|code_start|>
class SpotifyMeta:
base_url = 'https://api.spotify.com/v1/'
class SpotifyTrack(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
href = WhamTextField(null=True)
popularity = WhamIntegerField(null=True)
track_number = WhamIntegerField(null=True)
uri = WhamTextField(null=True)
type = WhamTextField(null=True)
preview_url = WhamTextField(null=True)
artists = WhamManyToManyField('SpotifyArtist', related_name='tracks')
class WhamMeta(SpotifyMeta):
endpoint = 'tracks'
class Search:
endpoint = 'search'
params = {'type': 'track'}
results_path = ('tracks', 'items')
class Meta:
db_table = 'spotify_track'
def __unicode__(self):
<|code_end|>
, predict the immediate next line with the help of imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField
from wham.models import WhamModel
and context (classes, functions, sometimes code) from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | return self.name |
Given the following code snippet before the placeholder: <|code_start|>
# Create your models here.
class SpotifyMeta:
base_url = 'https://api.spotify.com/v1/'
class SpotifyTrack(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
href = WhamTextField(null=True)
popularity = WhamIntegerField(null=True)
track_number = WhamIntegerField(null=True)
uri = WhamTextField(null=True)
type = WhamTextField(null=True)
preview_url = WhamTextField(null=True)
artists = WhamManyToManyField('SpotifyArtist', related_name='tracks')
class WhamMeta(SpotifyMeta):
<|code_end|>
, predict the next line using imports from the current file:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField
from wham.models import WhamModel
and context including class names, function names, and sometimes code from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | endpoint = 'tracks' |
Given snippet: <|code_start|>
# Create your models here.
# http://api.soundcloud.com/tracks/13158665.json?client_id=a43d27e75fbd64533f57428dd7be3ba5
class SoundcloudMeta:
base_url = 'http://api.soundcloud.com/'
auth_for_public_get = 'API_KEY'
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.db import models
from django.db import models
from wham.fields import WhamTextField, WhamIntegerField
from wham.models import WhamModel
and context:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
which might include code, classes, or functions. Output only the next line. | api_key_settings_name = 'SOUNDCLOUD_CLIENT_ID' |
Predict the next line for this snippet: <|code_start|>
# Create your models here.
# http://api.soundcloud.com/tracks/13158665.json?client_id=a43d27e75fbd64533f57428dd7be3ba5
class SoundcloudMeta:
base_url = 'http://api.soundcloud.com/'
auth_for_public_get = 'API_KEY'
api_key_settings_name = 'SOUNDCLOUD_CLIENT_ID'
api_key_param = 'client_id'
class SoundcloudTrack(WhamModel):
id = models.CharField(max_length=255, primary_key=True)
title = WhamTextField()
track_type = WhamTextField(null=True)
stream_url = WhamTextField(null=True)
playback_count = WhamIntegerField(null=True)
class Meta:
db_table = 'soundcloud_track'
class WhamMeta(SoundcloudMeta):
url_postfix = '.json'
<|code_end|>
with the help of current file imports:
from django.db import models
from django.db import models
from wham.fields import WhamTextField, WhamIntegerField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | endpoint = 'tracks/' |
Here is a snippet: <|code_start|>
APP_DIR = os.path.dirname(__file__)
MOCK_RESPONSES_DIR = join(APP_DIR, 'mock_responses')
mock_functions = build_httmock_functions(MOCK_RESPONSES_DIR)
class TestCase(TestCase):
def setUp(self):
<|code_end|>
. Write the next line using the current file imports:
from os.path import join
from django.test import TestCase
from httmock import HTTMock
from wham.apis.lastfm.models import LastFmUser, LastFmUserTopArtists
from wham.tests import build_httmock_functions
import os
and context from other files:
# Path: wham/apis/lastfm/models.py
# class LastFmUser(WhamModel):
#
# name = WhamCharField(max_length=255, primary_key=True)
#
# top_artists = WhamManyToManyField(
# #http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
# 'LastFmArtist',
# through='LastFmUserTopArtists',
# wham_endpoint='',
# wham_pk_param='user',
# wham_params={'method': 'user.gettopartists'},
# wham_results_path=('topartists', 'artist')
# )
#
# class Meta:
# db_table = 'lastfm_user'
#
# class WhamMeta(LastFmMeta):
# endpoint = ''
# detail_base_result_path = ('user',)
# params = {'method': 'user.getInfo'}
# url_pk_type = 'querystring'
# url_pk_param = 'user'
#
# def __unicode__(self):
# return self.name
#
# class LastFmUserTopArtists(models.Model):
# user = models.ForeignKey(LastFmUser, related_name='')
# artist = models.ForeignKey(LastFmArtist)
# playcount = models.CharField(max_length=255)
#
# class Meta:
# ordering = ('-playcount',)
#
# Path: wham/tests.py
# def build_httmock_functions(mock_response_dir):
# print 'building mock functions'
# functions = []
# for filename in listdir(mock_response_dir):
# filepath = join(mock_response_dir,filename)
# if isfile(filepath):
# method = None
# for _method in ('GET', 'POST', 'PUT', 'DELETE', 'PATCH'):
# if filename.startswith(_method):
# filename = filename[len(_method):]
# method = _method
#
# url = urllib2.unquote(filename)
#
# parts = urlparse(url)
# params = {}
# if parts.query:
# print parts.query
# params = dict(parse_qsl(parts.query))
# print params
# with open(filepath) as f:
# content = f.read()
# functions.append(build_httmock_function(
# parts.scheme, parts.netloc, parts.path, content, params=params, method=method))
# return functions
, which may include functions, classes, or code. Output only the next line. | pass |
Given the following code snippet before the placeholder: <|code_start|>
APP_DIR = os.path.dirname(__file__)
MOCK_RESPONSES_DIR = join(APP_DIR, 'mock_responses')
mock_functions = build_httmock_functions(MOCK_RESPONSES_DIR)
class TestCase(TestCase):
def setUp(self):
pass
def test_lastfm(self):
with HTTMock(*mock_functions):
user = LastFmUser.objects.get(pk='CarpetSquare')
self.assertEquals(user.name, 'CarpetSquare')
artists = user.top_artists.all()
top_artist = artists[0]
self.assertEqual(top_artist.name, "Ariel Pink's Haunted Graffiti")
top_artist_through = LastFmUserTopArtists.objects.get(user=user, artist=top_artist)
self.assertEqual(top_artist_through.playcount, "224")
<|code_end|>
, predict the next line using imports from the current file:
from os.path import join
from django.test import TestCase
from httmock import HTTMock
from wham.apis.lastfm.models import LastFmUser, LastFmUserTopArtists
from wham.tests import build_httmock_functions
import os
and context including class names, function names, and sometimes code from other files:
# Path: wham/apis/lastfm/models.py
# class LastFmUser(WhamModel):
#
# name = WhamCharField(max_length=255, primary_key=True)
#
# top_artists = WhamManyToManyField(
# #http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
# 'LastFmArtist',
# through='LastFmUserTopArtists',
# wham_endpoint='',
# wham_pk_param='user',
# wham_params={'method': 'user.gettopartists'},
# wham_results_path=('topartists', 'artist')
# )
#
# class Meta:
# db_table = 'lastfm_user'
#
# class WhamMeta(LastFmMeta):
# endpoint = ''
# detail_base_result_path = ('user',)
# params = {'method': 'user.getInfo'}
# url_pk_type = 'querystring'
# url_pk_param = 'user'
#
# def __unicode__(self):
# return self.name
#
# class LastFmUserTopArtists(models.Model):
# user = models.ForeignKey(LastFmUser, related_name='')
# artist = models.ForeignKey(LastFmArtist)
# playcount = models.CharField(max_length=255)
#
# class Meta:
# ordering = ('-playcount',)
#
# Path: wham/tests.py
# def build_httmock_functions(mock_response_dir):
# print 'building mock functions'
# functions = []
# for filename in listdir(mock_response_dir):
# filepath = join(mock_response_dir,filename)
# if isfile(filepath):
# method = None
# for _method in ('GET', 'POST', 'PUT', 'DELETE', 'PATCH'):
# if filename.startswith(_method):
# filename = filename[len(_method):]
# method = _method
#
# url = urllib2.unquote(filename)
#
# parts = urlparse(url)
# params = {}
# if parts.query:
# print parts.query
# params = dict(parse_qsl(parts.query))
# print params
# with open(filepath) as f:
# content = f.read()
# functions.append(build_httmock_function(
# parts.scheme, parts.netloc, parts.path, content, params=params, method=method))
# return functions
. Output only the next line. | for artist in artists: |
Predict the next line after this snippet: <|code_start|>
APP_DIR = os.path.dirname(__file__)
MOCK_RESPONSES_DIR = join(APP_DIR, 'mock_responses')
mock_functions = build_httmock_functions(MOCK_RESPONSES_DIR)
<|code_end|>
using the current file's imports:
from os.path import join
from django.test import TestCase
from httmock import HTTMock
from wham.apis.lastfm.models import LastFmUser, LastFmUserTopArtists
from wham.tests import build_httmock_functions
import os
and any relevant context from other files:
# Path: wham/apis/lastfm/models.py
# class LastFmUser(WhamModel):
#
# name = WhamCharField(max_length=255, primary_key=True)
#
# top_artists = WhamManyToManyField(
# #http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
# 'LastFmArtist',
# through='LastFmUserTopArtists',
# wham_endpoint='',
# wham_pk_param='user',
# wham_params={'method': 'user.gettopartists'},
# wham_results_path=('topartists', 'artist')
# )
#
# class Meta:
# db_table = 'lastfm_user'
#
# class WhamMeta(LastFmMeta):
# endpoint = ''
# detail_base_result_path = ('user',)
# params = {'method': 'user.getInfo'}
# url_pk_type = 'querystring'
# url_pk_param = 'user'
#
# def __unicode__(self):
# return self.name
#
# class LastFmUserTopArtists(models.Model):
# user = models.ForeignKey(LastFmUser, related_name='')
# artist = models.ForeignKey(LastFmArtist)
# playcount = models.CharField(max_length=255)
#
# class Meta:
# ordering = ('-playcount',)
#
# Path: wham/tests.py
# def build_httmock_functions(mock_response_dir):
# print 'building mock functions'
# functions = []
# for filename in listdir(mock_response_dir):
# filepath = join(mock_response_dir,filename)
# if isfile(filepath):
# method = None
# for _method in ('GET', 'POST', 'PUT', 'DELETE', 'PATCH'):
# if filename.startswith(_method):
# filename = filename[len(_method):]
# method = _method
#
# url = urllib2.unquote(filename)
#
# parts = urlparse(url)
# params = {}
# if parts.query:
# print parts.query
# params = dict(parse_qsl(parts.query))
# print params
# with open(filepath) as f:
# content = f.read()
# functions.append(build_httmock_function(
# parts.scheme, parts.netloc, parts.path, content, params=params, method=method))
# return functions
. Output only the next line. | class TestCase(TestCase): |
Next line prediction: <|code_start|> if field.primary_key is True:
continue #no need to include the fk as we *assume* it's an autoincrementing id (naughty naughty) #FIXME
if isinstance(field, ForeignKey):
if issubclass(field.rel.to, m2m_field.related.model):
through_instance_create_kwargs[field.name] = self.instance
continue
if issubclass(field.rel.to, m2m_field.related.parent_model):
through_instance_create_kwargs[field.name] = item_instance
continue
# if it's not the primary key field, parent field or child field
through_instance_create_kwargs[field.name] = item[field.name]
self.through.objects.create(**through_instance_create_kwargs)
else:
pass
#TODO we should really update the 'through' table fields if it exists
#now that we know the last_id, we can finally store the cache data
settings._wham_http_cache[(full_url, depth)] = {'last_id': last_id}
return last_id
if not use_cache:
if self.is_many_related_manager:
#get the source field
source_class = self.source_field.rel.to
m2m_field_name = self.prefetch_cache_name #this is a total hack. it *happens* to be the same as the m2m fieldname.
m2m_field = getattr(source_class, m2m_field_name).field
endpoint = Template(m2m_field.wham_endpoint).render(Context({'id': self.instance.pk}))
params = m2m_field.wham_params
<|code_end|>
. Use current file imports:
(from copy import deepcopy
from urllib import urlencode
from django.conf import settings
from django.db.models import ForeignKey
from django.template import Template, Context
from django.template.loader import render_to_string
from datetime import datetime
from django.utils import timezone
from django.core.exceptions import ObjectDoesNotExist
from django.db import models
from wham.apis.twitter.twitter_bearer_auth import BearerAuth as TwitterBearerAuth
from wham.fields import WhamDateTimeField, WhamForeignKey
import requests
import time
import string)
and context including class names, function names, or small code snippets from other files:
# Path: wham/apis/twitter/twitter_bearer_auth.py
# class BearerAuth(requests.auth.AuthBase):
# """Request bearer access token for oAuth2 authentication.
#
# :param consumer_key: Twitter application consumer key
# :param consumer_secret: Twitter application consumer secret
# :param proxies: Dictionary of proxy URLs (see documentation for python-requests).
# """
#
# def __init__(self, consumer_key, consumer_secret, proxies=None):
# self._consumer_key = consumer_key
# self._consumer_secret = consumer_secret
# self.proxies = proxies
# self._bearer_token = self._get_access_token()
#
# def _get_access_token(self):
# token_url = '%s://%s.%s/%s' % (PROTOCOL,
# REST_SUBDOMAIN,
# DOMAIN,
# OAUTH2_TOKEN_ENDPOINT)
# auth = self._consumer_key + ':' + self._consumer_secret
# b64_bearer_token_creds = base64.b64encode(auth.encode('utf8'))
# params = {'grant_type': 'client_credentials'}
# headers = {}
# headers['User-Agent'] = USER_AGENT
# headers['Authorization'] = 'Basic ' + \
# b64_bearer_token_creds.decode('utf8')
# headers[
# 'Content-Type'] = 'application/x-www-form-urlencoded;charset=UTF-8'
# try:
# response = requests.post(
# token_url,
# params=params,
# headers=headers,
# proxies=self.proxies)
#
# data = response.json()
# return data['access_token']
# except Exception as e:
# raise Exception(
# 'Error while requesting bearer access token: %s' %
# e)
#
# def __call__(self, r):
# auth_list = [
# self._consumer_key,
# self._consumer_secret,
# self._bearer_token]
# if all(auth_list):
# r.headers['Authorization'] = "Bearer %s" % self._bearer_token
# return r
# else:
# raise Exception('Not enough keys passed to Bearer token manager.')
#
# Path: wham/fields.py
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
. Output only the next line. | if m2m_field.wham_pk_param: |
Based on the snippet: <|code_start|>
def dict_to_model_instance(self, dict):
pass
def get_from_dict(self, data, pk_dict_key='id'):
field_names = self.get_field_names()
kwargs = {}
for field_name in field_names:
field = self.get_field(field_name)
result_path = field.get_result_path()
try:
value = dpath(data, result_path)
except KeyError:
pass
else:
if isinstance(field, WhamForeignKey):
fk_model_class = field.rel.to
if value is not None:
fk_instance = fk_model_class.objects.get_from_dict(value)
else:
fk_instance = None
kwargs[field_name] = fk_instance
else:
if isinstance(field, WhamDateTimeField):
value = datetime.fromtimestamp(
<|code_end|>
, predict the immediate next line with the help of imports:
from copy import deepcopy
from urllib import urlencode
from django.conf import settings
from django.db.models import ForeignKey
from django.template import Template, Context
from django.template.loader import render_to_string
from datetime import datetime
from django.utils import timezone
from django.core.exceptions import ObjectDoesNotExist
from django.db import models
from wham.apis.twitter.twitter_bearer_auth import BearerAuth as TwitterBearerAuth
from wham.fields import WhamDateTimeField, WhamForeignKey
import requests
import time
import string
and context (classes, functions, sometimes code) from other files:
# Path: wham/apis/twitter/twitter_bearer_auth.py
# class BearerAuth(requests.auth.AuthBase):
# """Request bearer access token for oAuth2 authentication.
#
# :param consumer_key: Twitter application consumer key
# :param consumer_secret: Twitter application consumer secret
# :param proxies: Dictionary of proxy URLs (see documentation for python-requests).
# """
#
# def __init__(self, consumer_key, consumer_secret, proxies=None):
# self._consumer_key = consumer_key
# self._consumer_secret = consumer_secret
# self.proxies = proxies
# self._bearer_token = self._get_access_token()
#
# def _get_access_token(self):
# token_url = '%s://%s.%s/%s' % (PROTOCOL,
# REST_SUBDOMAIN,
# DOMAIN,
# OAUTH2_TOKEN_ENDPOINT)
# auth = self._consumer_key + ':' + self._consumer_secret
# b64_bearer_token_creds = base64.b64encode(auth.encode('utf8'))
# params = {'grant_type': 'client_credentials'}
# headers = {}
# headers['User-Agent'] = USER_AGENT
# headers['Authorization'] = 'Basic ' + \
# b64_bearer_token_creds.decode('utf8')
# headers[
# 'Content-Type'] = 'application/x-www-form-urlencoded;charset=UTF-8'
# try:
# response = requests.post(
# token_url,
# params=params,
# headers=headers,
# proxies=self.proxies)
#
# data = response.json()
# return data['access_token']
# except Exception as e:
# raise Exception(
# 'Error while requesting bearer access token: %s' %
# e)
#
# def __call__(self, r):
# auth_list = [
# self._consumer_key,
# self._consumer_secret,
# self._bearer_token]
# if all(auth_list):
# r.headers['Authorization'] = "Bearer %s" % self._bearer_token
# return r
# else:
# raise Exception('Not enough keys passed to Bearer token manager.')
#
# Path: wham/fields.py
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
. Output only the next line. | time.mktime(time.strptime(value, '%a %b %d %H:%M:%S +0000 %Y'))) |
Given snippet: <|code_start|> endpoint = Template(m2m_field.wham_endpoint).render(Context({'id': self.instance.pk}))
params = m2m_field.wham_params
if m2m_field.wham_pk_param:
params[m2m_field.wham_pk_param] = self.instance.pk
while (pages_left >= 1):
second_last_id = last_id
last_id = process_page(last_id, curr_page, pages_left)
if second_last_id == last_id:
break
curr_page += 1
pages_left -= 1
return super(WhamManager, self).all(*args, **kwargs)
@property
def docs(self):
s = ''
s += '\n ' + string.ljust('Field', 30) + string.ljust('Type', 10)
s += '\n----------------------------------------------------------------'
for field in self.get_fields():
prefix = '⚷ ' if field.primary_key else ' '
s += '\n' + prefix + string.ljust(field.name, 30) + string.ljust(field.type_repr, 10)
return s
def _repr_html_(self):
return render_to_string('wham/docs/endpoint.html', {'endpoint': self})
def set_oauth_token(self, token):
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from copy import deepcopy
from urllib import urlencode
from django.conf import settings
from django.db.models import ForeignKey
from django.template import Template, Context
from django.template.loader import render_to_string
from datetime import datetime
from django.utils import timezone
from django.core.exceptions import ObjectDoesNotExist
from django.db import models
from wham.apis.twitter.twitter_bearer_auth import BearerAuth as TwitterBearerAuth
from wham.fields import WhamDateTimeField, WhamForeignKey
import requests
import time
import string
and context:
# Path: wham/apis/twitter/twitter_bearer_auth.py
# class BearerAuth(requests.auth.AuthBase):
# """Request bearer access token for oAuth2 authentication.
#
# :param consumer_key: Twitter application consumer key
# :param consumer_secret: Twitter application consumer secret
# :param proxies: Dictionary of proxy URLs (see documentation for python-requests).
# """
#
# def __init__(self, consumer_key, consumer_secret, proxies=None):
# self._consumer_key = consumer_key
# self._consumer_secret = consumer_secret
# self.proxies = proxies
# self._bearer_token = self._get_access_token()
#
# def _get_access_token(self):
# token_url = '%s://%s.%s/%s' % (PROTOCOL,
# REST_SUBDOMAIN,
# DOMAIN,
# OAUTH2_TOKEN_ENDPOINT)
# auth = self._consumer_key + ':' + self._consumer_secret
# b64_bearer_token_creds = base64.b64encode(auth.encode('utf8'))
# params = {'grant_type': 'client_credentials'}
# headers = {}
# headers['User-Agent'] = USER_AGENT
# headers['Authorization'] = 'Basic ' + \
# b64_bearer_token_creds.decode('utf8')
# headers[
# 'Content-Type'] = 'application/x-www-form-urlencoded;charset=UTF-8'
# try:
# response = requests.post(
# token_url,
# params=params,
# headers=headers,
# proxies=self.proxies)
#
# data = response.json()
# return data['access_token']
# except Exception as e:
# raise Exception(
# 'Error while requesting bearer access token: %s' %
# e)
#
# def __call__(self, r):
# auth_list = [
# self._consumer_key,
# self._consumer_secret,
# self._bearer_token]
# if all(auth_list):
# r.headers['Authorization'] = "Bearer %s" % self._bearer_token
# return r
# else:
# raise Exception('Not enough keys passed to Bearer token manager.')
#
# Path: wham/fields.py
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
which might include code, classes, or functions. Output only the next line. | self.model.wham_oauth_token = token #store the token in the model class. why not. |
Based on the snippet: <|code_start|>
class LastFmMeta:
base_url = 'http://ws.audioscrobbler.com/2.0/'
auth_for_public_get = 'API_KEY'
api_key_settings_name = 'LASTFM_API_KEY'
api_params = {
<|code_end|>
, predict the immediate next line with the help of imports:
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamTextField
from wham.models import WhamModel
and context (classes, functions, sometimes code) from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | 'format': 'json', |
Here is a snippet: <|code_start|> 'limit': 500,
}
# class LastFmTrack(WhamModel):
#
# objects = WhamManager()
#
# id = WhamCharField(max_length=255, primary_key=True)
# name = WhamTextField()
# listeners = WhamIntegerField()
# playcount = WhamIntegerField()
# duration = WhamIntegerField()
#
# class Meta:
# db_table = 'lastfm_track'
#
# class WhamMeta(LastFmMeta):
# endpoint = ''
# params = {'method': 'track.getInfo'}
#
# def __unicode__(self):
# return self.name
class LastFmUser(WhamModel):
name = WhamCharField(max_length=255, primary_key=True)
top_artists = WhamManyToManyField(
#http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
'LastFmArtist',
<|code_end|>
. Write the next line using the current file imports:
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamTextField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | through='LastFmUserTopArtists', |
Using the snippet: <|code_start|># playcount = WhamIntegerField()
# duration = WhamIntegerField()
#
# class Meta:
# db_table = 'lastfm_track'
#
# class WhamMeta(LastFmMeta):
# endpoint = ''
# params = {'method': 'track.getInfo'}
#
# def __unicode__(self):
# return self.name
class LastFmUser(WhamModel):
name = WhamCharField(max_length=255, primary_key=True)
top_artists = WhamManyToManyField(
#http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
'LastFmArtist',
through='LastFmUserTopArtists',
wham_endpoint='',
wham_pk_param='user',
wham_params={'method': 'user.gettopartists'},
wham_results_path=('topartists', 'artist')
)
class Meta:
db_table = 'lastfm_user'
<|code_end|>
, determine the next line of code. You have imports:
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamTextField
from wham.models import WhamModel
and context (class names, function names, or code) available:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class WhamMeta(LastFmMeta): |
Continue the code snippet: <|code_start|># params = {'method': 'track.getInfo'}
#
# def __unicode__(self):
# return self.name
class LastFmUser(WhamModel):
name = WhamCharField(max_length=255, primary_key=True)
top_artists = WhamManyToManyField(
#http://ws.audioscrobbler.com/2.0/?method=user.gettopartists&user=rj&api_key=a04961fe4330211ff149a949dfabef51&format=json
'LastFmArtist',
through='LastFmUserTopArtists',
wham_endpoint='',
wham_pk_param='user',
wham_params={'method': 'user.gettopartists'},
wham_results_path=('topartists', 'artist')
)
class Meta:
db_table = 'lastfm_user'
class WhamMeta(LastFmMeta):
endpoint = ''
detail_base_result_path = ('user',)
params = {'method': 'user.getInfo'}
url_pk_type = 'querystring'
url_pk_param = 'user'
def __unicode__(self):
<|code_end|>
. Use current file imports:
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamTextField
from wham.models import WhamModel
and context (classes, functions, or code) from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | return self.name |
Given the code snippet: <|code_start|> pager_type = FROM_LAST_ID
class TwitterUser(WhamModel):
id = WhamIntegerField(primary_key=True)
text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
related_name='users',
wham_endpoint='statuses/user_timeline',
wham_pk_param='user_id',
wham_params = {
'count': 200,
'exclude_replies': 'true',
'include_rts': 'false',
}
)
class Meta:
db_table = 'twitter_user'
class WhamMeta(TwitterMeta):
<|code_end|>
, generate the next line using the imports in this file:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and context (functions, classes, or occasionally code) from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | endpoint = 'users/show' |
Predict the next line after this snippet: <|code_start|> pager_param = 'max_id'
pager_type = FROM_LAST_ID
class TwitterUser(WhamModel):
id = WhamIntegerField(primary_key=True)
text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
related_name='users',
wham_endpoint='statuses/user_timeline',
wham_pk_param='user_id',
wham_params = {
'count': 200,
'exclude_replies': 'true',
'include_rts': 'false',
}
)
class Meta:
db_table = 'twitter_user'
<|code_end|>
using the current file's imports:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and any relevant context from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class WhamMeta(TwitterMeta): |
Based on the snippet: <|code_start|>
# Create your models here.
CREATED_AT_FORMAT = '%a %b %d %H:%M:%S +0000 %Y'
class TwitterMeta:
base_url = 'https://api.twitter.com/1.1/'
auth_for_public_get = 'TWITTER' #this needs to be abstracted more
url_postfix = '.json'
pager_param = 'max_id'
pager_type = FROM_LAST_ID
class TwitterUser(WhamModel):
id = WhamIntegerField(primary_key=True)
text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
<|code_end|>
, predict the immediate next line with the help of imports:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and context (classes, functions, sometimes code) from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | related_name='users', |
Continue the code snippet: <|code_start|># Create your models here.
CREATED_AT_FORMAT = '%a %b %d %H:%M:%S +0000 %Y'
class TwitterMeta:
base_url = 'https://api.twitter.com/1.1/'
auth_for_public_get = 'TWITTER' #this needs to be abstracted more
url_postfix = '.json'
pager_param = 'max_id'
pager_type = FROM_LAST_ID
class TwitterUser(WhamModel):
id = WhamIntegerField(primary_key=True)
text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
related_name='users',
wham_endpoint='statuses/user_timeline',
wham_pk_param='user_id',
wham_params = {
<|code_end|>
. Use current file imports:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and context (classes, functions, or code) from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | 'count': 200, |
Here is a snippet: <|code_start|> text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
related_name='users',
wham_endpoint='statuses/user_timeline',
wham_pk_param='user_id',
wham_params = {
'count': 200,
'exclude_replies': 'true',
'include_rts': 'false',
}
)
class Meta:
db_table = 'twitter_user'
class WhamMeta(TwitterMeta):
endpoint = 'users/show'
url_pk_type = 'querystring'
url_pk_param = 'user_id'
#https://api.twitter.com/1.1/users/show.json?screen_name=rsarver
<|code_end|>
. Write the next line using the current file imports:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | def __unicode__(self): |
Here is a snippet: <|code_start|> pager_param = 'max_id'
pager_type = FROM_LAST_ID
class TwitterUser(WhamModel):
id = WhamIntegerField(primary_key=True)
text = WhamTextField()
screen_name = WhamTextField(unique=True, wham_can_lookup=True)
#this is dodgy, because this should really be a oneToMany field which you have
# to specify as a FK on the other model (which can be annoying!)
tweets = WhamManyToManyField(
#https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name=twitterapi&count=2
# user_id=23234
'Tweet',
related_name='users',
wham_endpoint='statuses/user_timeline',
wham_pk_param='user_id',
wham_params = {
'count': 200,
'exclude_replies': 'true',
'include_rts': 'false',
}
)
class Meta:
db_table = 'twitter_user'
<|code_end|>
. Write the next line using the current file imports:
from django.db import models
from django.template.loader import render_to_string
from wham.fields import WhamIntegerField, WhamTextField, WhamManyToManyField, \
WhamDateTimeField
from wham.models import FROM_LAST_ID, WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamDateTimeField(WhamFieldMixin, models.DateTimeField):
#
# def __init__(self, *args, **kwargs):
# self.wham_format = kwargs.pop('wham_format', None)
# return super(WhamDateTimeField, self).__init__(*args, **kwargs)
#
# Path: wham/models.py
# FROM_LAST_ID = 'FROM_LAST_ID'
#
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | class WhamMeta(TwitterMeta): |
Predict the next line for this snippet: <|code_start|> id = WhamCharField(max_length=255, primary_key=True)
title = WhamTextField() #TODO: this shouldn't be required if json property is same as django fieldname
rank = WhamIntegerField(null=True)
bpm = WhamFloatField(null=True)
track_position = WhamIntegerField(null=True)
# examples:
# id: 3135556,
# readable: true,
# title: "Harder Better Faster Stronger",
# isrc: "GBDUW0000059",
# link: "http://www.deezer.com/track/3135556",
# duration: 225,
# track_position: 4,
# disk_number: 1,
# rank: 757802,
# explicit_lyrics: false,
# preview: "http://cdn-preview-5.deezer.com/stream/51afcde9f56a132096c0496cc95eb24b-3.mp3",
# bpm: 123.5,
# gain: -6.48,
# available_countries: [],
# artist: {},
# album: {},
# type: "track"
class Meta:
db_table = 'deezer_track'
class WhamMeta(DeezerMeta):
<|code_end|>
with the help of current file imports:
from django.db import models
from wham.fields import WhamTextField, WhamIntegerField, WhamFloatField, \
WhamCharField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | endpoint = 'track' |
Given the code snippet: <|code_start|>
id = WhamCharField(max_length=255, primary_key=True)
title = WhamTextField() #TODO: this shouldn't be required if json property is same as django fieldname
rank = WhamIntegerField(null=True)
bpm = WhamFloatField(null=True)
track_position = WhamIntegerField(null=True)
# examples:
# id: 3135556,
# readable: true,
# title: "Harder Better Faster Stronger",
# isrc: "GBDUW0000059",
# link: "http://www.deezer.com/track/3135556",
# duration: 225,
# track_position: 4,
# disk_number: 1,
# rank: 757802,
# explicit_lyrics: false,
# preview: "http://cdn-preview-5.deezer.com/stream/51afcde9f56a132096c0496cc95eb24b-3.mp3",
# bpm: 123.5,
# gain: -6.48,
# available_countries: [],
# artist: {},
# album: {},
# type: "track"
class Meta:
db_table = 'deezer_track'
<|code_end|>
, generate the next line using the imports in this file:
from django.db import models
from wham.fields import WhamTextField, WhamIntegerField, WhamFloatField, \
WhamCharField
from wham.models import WhamModel
and context (functions, classes, or occasionally code) from other files:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class WhamMeta(DeezerMeta): |
Continue the code snippet: <|code_start|>
class TestCase(TestCase):
def test_deezer(self):
track = DeezerTrack.objects.get(id='3135556')
print track
track = DeezerTrack.objects.get(pk='3135556')
<|code_end|>
. Use current file imports:
from os.path import join
from django.test import TestCase
from wham.apis.deezer.models import DeezerTrack
import os
and context (classes, functions, or code) from other files:
# Path: wham/apis/deezer/models.py
# class DeezerTrack(WhamModel):
#
# id = WhamCharField(max_length=255, primary_key=True)
# title = WhamTextField() #TODO: this shouldn't be required if json property is same as django fieldname
#
# rank = WhamIntegerField(null=True)
# bpm = WhamFloatField(null=True)
# track_position = WhamIntegerField(null=True)
#
# # examples:
# # id: 3135556,
# # readable: true,
# # title: "Harder Better Faster Stronger",
# # isrc: "GBDUW0000059",
# # link: "http://www.deezer.com/track/3135556",
# # duration: 225,
# # track_position: 4,
# # disk_number: 1,
# # rank: 757802,
# # explicit_lyrics: false,
# # preview: "http://cdn-preview-5.deezer.com/stream/51afcde9f56a132096c0496cc95eb24b-3.mp3",
# # bpm: 123.5,
# # gain: -6.48,
# # available_countries: [],
# # artist: {},
# # album: {},
# # type: "track"
#
# class Meta:
# db_table = 'deezer_track'
#
# class WhamMeta(DeezerMeta):
# endpoint = 'track'
#
# # does not currently work as Wham search is currently limited to name__icontains #TODO
# # class Search:
# # endpoint = 'search/track'
# # results_path = ('data',)
# # fields = ('title',) #actually only uses one for now
#
# def __unicode__(self):
# return self.title
. Output only the next line. | print track |
Given the code snippet: <|code_start|>
# def mock_function_builder(scheme, netloc, url_name, settings, responses_dir):
# url_path = settings['url_path']
# params = settings.get('params', {})
# method = settings.get('method', 'GET')
# @urlmatch(scheme=scheme, netloc=netloc, path=url_path, method=method, params=params)
# def mock_function(_url, _request):
# with open(join(responses_dir, url_name)) as f:
# return f.read()
# return mock_function
def build_httmock_function(scheme, netloc, url_path, response_content, method='GET', params=None):
if params is None:
params = {}
@urlmatch(scheme=scheme, netloc=netloc, path=url_path, method=method, params=params)
<|code_end|>
, generate the next line using the imports in this file:
from urllib import urlencode
from wham.httmock import urlmatch
from os.path import join
from os import listdir
from os.path import isfile, join
from urlparse import urlparse, parse_qs, parse_qsl
import urllib2
and context (functions, classes, or occasionally code) from other files:
# Path: wham/httmock.py
# def urlmatch(scheme=None, netloc=None, path=None, method=None, params=None):
# def decorator(func):
# @wraps(func)
# def inner(self_or_url, url_or_request, *args, **kwargs):
# if isinstance(self_or_url, urlparse.SplitResult):
# url = self_or_url
# request = url_or_request
# else:
# url = url_or_request
# request = args[0]
# if scheme is not None and scheme != url.scheme:
# return
# if netloc is not None and not re.match(netloc, url.netloc):
# return
# if path is not None and not re.match(path, url.path):
# return
# if method is not None and method.upper() != request.method:
# return
# if method is not None and method.upper() != request.method:
# return
# if params is not None:
# if dict(urlparse.parse_qsl(url.query)) != params:
# return
# print 'using mock response for path %s' % url.path
# return func(self_or_url, url_or_request, *args, **kwargs)
# return inner
# return decorator
. Output only the next line. | def mock_function(_url, _request): |
Using the snippet: <|code_start|> address_2 = WhamTextField(wham_result_path=('address', 'address_2'), null=True)
country_name = WhamTextField(wham_result_path=('address', 'country_name'), null=True)
class Meta:
db_table = 'eventbrite_venue'
def __unicode__(self):
return self.name
class EventbriteEvent(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField(wham_result_path=('name', 'text'))
resource_uri = WhamTextField()
url = WhamTextField()
capacity = WhamIntegerField()
venue = WhamForeignKey(EventbriteVenue, null=True) #this should be a foreign key! But we only support m2m so far.
class WhamMeta(EventbriteMeta):
endpoint = 'events'
class Search:
endpoint = 'events/search'
results_path = ('events',)
class Meta:
db_table = 'eventbrite_event'
<|code_end|>
, determine the next line of code. You have imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField, WhamFloatField, WhamForeignKey
from wham.models import WhamModel
and context (class names, function names, or code) available:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | def __unicode__(self): |
Based on the snippet: <|code_start|>
# Create your models here.
class EventbriteMeta:
base_url = 'https://www.eventbriteapi.com/v3/'
requires_oauth_token = True
class EventbriteVenue(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
latitude = WhamFloatField()
longitude = WhamFloatField()
city = WhamTextField(wham_result_path=('address', 'city'), null=True)
country = WhamTextField(wham_result_path=('address', 'country'), null=True)
region = WhamTextField(wham_result_path=('address', 'region'), null=True)
address_1 = WhamTextField(wham_result_path=('address', 'address_1'), null=True)
address_2 = WhamTextField(wham_result_path=('address', 'address_2'), null=True)
country_name = WhamTextField(wham_result_path=('address', 'country_name'), null=True)
class Meta:
db_table = 'eventbrite_venue'
def __unicode__(self):
<|code_end|>
, predict the immediate next line with the help of imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField, WhamFloatField, WhamForeignKey
from wham.models import WhamModel
and context (classes, functions, sometimes code) from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | return self.name |
Given the following code snippet before the placeholder: <|code_start|> country = WhamTextField(wham_result_path=('address', 'country'), null=True)
region = WhamTextField(wham_result_path=('address', 'region'), null=True)
address_1 = WhamTextField(wham_result_path=('address', 'address_1'), null=True)
address_2 = WhamTextField(wham_result_path=('address', 'address_2'), null=True)
country_name = WhamTextField(wham_result_path=('address', 'country_name'), null=True)
class Meta:
db_table = 'eventbrite_venue'
def __unicode__(self):
return self.name
class EventbriteEvent(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField(wham_result_path=('name', 'text'))
resource_uri = WhamTextField()
url = WhamTextField()
capacity = WhamIntegerField()
venue = WhamForeignKey(EventbriteVenue, null=True) #this should be a foreign key! But we only support m2m so far.
class WhamMeta(EventbriteMeta):
endpoint = 'events'
class Search:
endpoint = 'events/search'
results_path = ('events',)
<|code_end|>
, predict the next line using imports from the current file:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField, WhamFloatField, WhamForeignKey
from wham.models import WhamModel
and context including class names, function names, and sometimes code from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class Meta: |
Predict the next line for this snippet: <|code_start|>
# Create your models here.
class EventbriteMeta:
base_url = 'https://www.eventbriteapi.com/v3/'
requires_oauth_token = True
class EventbriteVenue(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
latitude = WhamFloatField()
longitude = WhamFloatField()
city = WhamTextField(wham_result_path=('address', 'city'), null=True)
country = WhamTextField(wham_result_path=('address', 'country'), null=True)
region = WhamTextField(wham_result_path=('address', 'region'), null=True)
address_1 = WhamTextField(wham_result_path=('address', 'address_1'), null=True)
address_2 = WhamTextField(wham_result_path=('address', 'address_2'), null=True)
country_name = WhamTextField(wham_result_path=('address', 'country_name'), null=True)
class Meta:
db_table = 'eventbrite_venue'
<|code_end|>
with the help of current file imports:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField, WhamFloatField, WhamForeignKey
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | def __unicode__(self): |
Given the code snippet: <|code_start|> id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField()
latitude = WhamFloatField()
longitude = WhamFloatField()
city = WhamTextField(wham_result_path=('address', 'city'), null=True)
country = WhamTextField(wham_result_path=('address', 'country'), null=True)
region = WhamTextField(wham_result_path=('address', 'region'), null=True)
address_1 = WhamTextField(wham_result_path=('address', 'address_1'), null=True)
address_2 = WhamTextField(wham_result_path=('address', 'address_2'), null=True)
country_name = WhamTextField(wham_result_path=('address', 'country_name'), null=True)
class Meta:
db_table = 'eventbrite_venue'
def __unicode__(self):
return self.name
class EventbriteEvent(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField(wham_result_path=('name', 'text'))
resource_uri = WhamTextField()
url = WhamTextField()
capacity = WhamIntegerField()
venue = WhamForeignKey(EventbriteVenue, null=True) #this should be a foreign key! But we only support m2m so far.
class WhamMeta(EventbriteMeta):
<|code_end|>
, generate the next line using the imports in this file:
from django.db import models
from wham.fields import WhamCharField, WhamTextField, WhamIntegerField, \
WhamManyToManyField, WhamFloatField, WhamForeignKey
from wham.models import WhamModel
and context (functions, classes, or occasionally code) from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamIntegerField(WhamFieldMixin, models.IntegerField):
#
# @property
# def type_repr(self):
# return 'integer'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamFloatField(WhamFieldMixin, models.FloatField):
#
# @property
# def type_repr(self):
# return 'float'
#
# class WhamForeignKey(models.ForeignKey):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamForeignKey, self).__init__(*args, **kwargs)
#
# def get_result_path(self):
# result_path = self.wham_result_path
# if not result_path:
# return (self.name,)
# else:
# return result_path
#
# @property
# def type_repr(self):
# return 'foreign key'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | endpoint = 'events' |
Next line prediction: <|code_start|> posts = WhamManyToManyField(
# https://api.instagram.com/v1/tags/djangocon/media/recent
'InstagramPost',
related_name='tags',
wham_endpoint='tags/{{id}}/media/recent',
wham_results_path=('data',)
)
class Meta:
db_table = 'instagram_tag'
class WhamMeta(InstagramMeta):
endpoint = 'tags'
detail_base_result_path = ('data',) #can we make this less verbose??
def __unicode__(self):
return self.name
class InstagramPost(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
type = WhamCharField(max_length=10)
image_url = WhamImageUrlField(wham_result_path=('images', 'standard_resolution', 'url'))
class Meta:
db_table = 'instagram_media'
class WhamMeta(InstagramMeta):
<|code_end|>
. Use current file imports:
(from django.db import models
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamImageUrlField
from wham.models import WhamModel)
and context including class names, function names, or small code snippets from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamImageUrlField(WhamTextField):
# pass
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | class Search: |
Here is a snippet: <|code_start|>
# https://api.instagram.com/v1/tags/djangocon/media/recent?client_id=c3cdcbff22f649f1a08bedf12be1ca86
class InstagramMeta:
base_url = 'https://api.instagram.com/v1/'
auth_for_public_get = 'API_KEY'
<|code_end|>
. Write the next line using the current file imports:
from django.db import models
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamImageUrlField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamImageUrlField(WhamTextField):
# pass
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | api_key_settings_name = 'INSTAGRAM_CLIENT_ID' |
Predict the next line after this snippet: <|code_start|>
# https://api.instagram.com/v1/tags/djangocon/media/recent?client_id=c3cdcbff22f649f1a08bedf12be1ca86
class InstagramMeta:
base_url = 'https://api.instagram.com/v1/'
auth_for_public_get = 'API_KEY'
api_key_settings_name = 'INSTAGRAM_CLIENT_ID'
api_key_param = 'client_id'
class InstagramTag(WhamModel):
name = WhamCharField(max_length=255, primary_key=True)
posts = WhamManyToManyField(
# https://api.instagram.com/v1/tags/djangocon/media/recent
'InstagramPost',
<|code_end|>
using the current file's imports:
from django.db import models
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamImageUrlField
from wham.models import WhamModel
and any relevant context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamImageUrlField(WhamTextField):
# pass
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | related_name='tags', |
Predict the next line for this snippet: <|code_start|>
# https://api.instagram.com/v1/tags/djangocon/media/recent?client_id=c3cdcbff22f649f1a08bedf12be1ca86
class InstagramMeta:
base_url = 'https://api.instagram.com/v1/'
auth_for_public_get = 'API_KEY'
api_key_settings_name = 'INSTAGRAM_CLIENT_ID'
api_key_param = 'client_id'
class InstagramTag(WhamModel):
name = WhamCharField(max_length=255, primary_key=True)
posts = WhamManyToManyField(
# https://api.instagram.com/v1/tags/djangocon/media/recent
'InstagramPost',
related_name='tags',
wham_endpoint='tags/{{id}}/media/recent',
wham_results_path=('data',)
<|code_end|>
with the help of current file imports:
from django.db import models
from django.db import models
from wham.fields import WhamCharField, WhamManyToManyField, WhamImageUrlField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamManyToManyField(models.ManyToManyField):
#
# def __init__(self, *args, **kwargs):
# self.wham_result_path = kwargs.pop('wham_result_path', None)
# self.wham_endpoint = kwargs.pop('wham_endpoint', None)
# self.wham_results_path = kwargs.pop('wham_results_path', ())
# self.wham_pk_param = kwargs.pop('wham_pk_param', None)
# self.wham_params = kwargs.pop('wham_params', {})
# return super(WhamManyToManyField, self).__init__(*args, **kwargs)
#
#
#
#
# @property
# def type_repr(self):
# return 'many to many'
#
# class WhamImageUrlField(WhamTextField):
# pass
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | ) |
Given the following code snippet before the placeholder: <|code_start|> '8475297d-fb78-4630-8d74-9b87b6bb7cc8',
'61dd30be-8e7b-4c85-9aa4-be66702c4644',
'1cf5f079-706d-4b1f-9de9-0bf8e298cc97',
'6c4faf49-a133-4465-a97d-6c68c52ad88b',
'582748ae-a993-4b14-a2be-199fe8f418e6',
'65cc77e1-45cf-4c2a-958c-c7cca472970c',
'98e4bf9e-9e33-4f07-9962-f7c1c2d773ba',
'93eb7110-0bc9-4d3f-816b-4b52ef982ec8',
'8ca01f46-53ac-4af2-8516-55a909c0905e',
'2819834e-4e08-47b0-a2c4-b7672318e8f0',
'd5cc67b8-1cc4-453b-96e8-44487acdebea',
'9a6880e7-5795-4ed3-8c58-7fef968aaa61',
'31e9c35b-2675-4632-8596-f9bd9286f6c8',
'2dea8a55-623b-42bb-bda3-9fb784018b40',
'2c1bc1cb-4ae8-427b-ba28-4a695e47388f',
'0c502791-4ee9-4c5f-9696-0602b721ff3b',
'5c9fefe7-7bbb-47f8-b54e-9b5361beed5c',
'6821bf3f-5d5b-4b0f-8fa4-79d2ab2d9219',
'c213f661-70a8-42aa-b858-62f5bd2d72e9',
'e9fcd661-cf2f-4792-aa50-364e1a576ac3',
'3a6d6481-142d-423f-91d4-55bbfff318ed',
'0d8303d1-6653-43f1-a0ef-2fcd3835529f',
'2af759f4-4c48-49eb-a512-ae463c40b99a',
'1d45138d-c675-4016-87a7-7ad5cce5e1bc',
'4e442c83-b547-4d6e-9270-cdd35e3c3195',
'5b8a28ee-dc6b-48db-ae98-f4ef1f15ae6d',
'18dc6bd7-9caa-4c2d-a2fc-e9546ebda6a4',
'0e23b5e8-0f99-45f4-bb2d-a266d65f13f3',
'381e8434-109a-439c-8acc-5d328359f2e0',
'26fe7532-dc1e-45d1-bfcb-a7f83d4df98e',
<|code_end|>
, predict the next line using imports from the current file:
import json
import os
from os.path import dirname, join
from django.test import TestCase
from httmock import urlmatch, HTTMock
from requests import HTTPError
from wham.apis.musicbrainz.models import MusicbrainzArtist
from wham.tests import build_httmock_functions
and context including class names, function names, and sometimes code from other files:
# Path: wham/apis/musicbrainz/models.py
# class MusicbrainzArtist(WhamModel):
#
# id = WhamCharField(max_length=255, primary_key=True)
# name = WhamTextField()
# country = WhamCharField(max_length=255, null=True)
#
#
# class WhamMeta(MusicbrainzMeta):
# endpoint = 'artist/'
#
# class Meta:
# db_table = 'musicbrainz_artist'
#
# def __unicode__(self):
# return self.name
#
# Path: wham/tests.py
# def build_httmock_functions(mock_response_dir):
# print 'building mock functions'
# functions = []
# for filename in listdir(mock_response_dir):
# filepath = join(mock_response_dir,filename)
# if isfile(filepath):
# method = None
# for _method in ('GET', 'POST', 'PUT', 'DELETE', 'PATCH'):
# if filename.startswith(_method):
# filename = filename[len(_method):]
# method = _method
#
# url = urllib2.unquote(filename)
#
# parts = urlparse(url)
# params = {}
# if parts.query:
# print parts.query
# params = dict(parse_qsl(parts.query))
# print params
# with open(filepath) as f:
# content = f.read()
# functions.append(build_httmock_function(
# parts.scheme, parts.netloc, parts.path, content, params=params, method=method))
# return functions
. Output only the next line. | ] |
Using the snippet: <|code_start|>
class WhamMeta(FreebaseMeta):
endpoint = 'topic'
def __unicode__(self):
return self.name
# class FreebaseMusicArtist(WhamModel):
# objects = WhamManager()
# id = WhamCharField(max_length=255, primary_key=True)
# musicbrainz_id = WhamCharField(max_length=255, unique=True, wham_can_lookup=True)
# this is a copout having separate models for music/artist and authority/musicbrainz/artist as
# I don't know how to deal with namespaces yet!
class FreebaseMusicbrainzArtist(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField(
wham_result_path=('property', '/type/object/name', 'values', 0, 'value')
)
origin_text = WhamTextField(
wham_result_path=('property', '/music/artist/origin', 'values', 0, 'text')
)
place_of_birth = WhamTextField(
wham_result_path=('property', '/people/person/place_of_birth', 'values', 0, 'text')
)
class WhamMeta(FreebaseMeta):
<|code_end|>
, determine the next line of code. You have imports:
from django.db import models
from wham.fields import WhamTextField, WhamCharField
from wham.models import WhamModel
and context (class names, function names, or code) available:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | endpoint = 'topic/authority/musicbrainz/artist' |
Predict the next line after this snippet: <|code_start|>
# Create your models here.
class FreebaseMeta:
base_url = 'https://www.googleapis.com/freebase/v1/'
class Person(WhamModel):
id = models.CharField(max_length=255, primary_key=True)
name = WhamTextField()
class WhamMeta(FreebaseMeta):
endpoint = 'topic'
class ProgrammingLanguage(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
name = WhamTextField(
wham_result_path=('property', '/type/object/name', 'values', 0, 'value')
)
# language_designers = models.ManyToManyField('Person')
class WhamMeta(FreebaseMeta):
<|code_end|>
using the current file's imports:
from django.db import models
from wham.fields import WhamTextField, WhamCharField
from wham.models import WhamModel
and any relevant context from other files:
# Path: wham/fields.py
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
. Output only the next line. | endpoint = 'topic' |
Predict the next line for this snippet: <|code_start|># Create your models here.
class FacebookMeta:
base_url = 'https://graph.facebook.com/'
requires_oauth_token = True
class FacebookUser(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
username = WhamTextField(unique=True)
name = WhamTextField()
gender = WhamTextField()
first_name = WhamTextField()
last_name = WhamTextField()
class Meta:
<|code_end|>
with the help of current file imports:
from django.template.loader import render_to_string
from wham.fields import WhamCharField, WhamTextField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | db_table = 'facebook_user' |
Here is a snippet: <|code_start|># Create your models here.
class FacebookMeta:
base_url = 'https://graph.facebook.com/'
requires_oauth_token = True
class FacebookUser(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
username = WhamTextField(unique=True)
name = WhamTextField()
gender = WhamTextField()
first_name = WhamTextField()
last_name = WhamTextField()
class Meta:
db_table = 'facebook_user'
class WhamMeta(FacebookMeta):
endpoint = ''
def __unicode__(self):
<|code_end|>
. Write the next line using the current file imports:
from django.template.loader import render_to_string
from wham.fields import WhamCharField, WhamTextField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may include functions, classes, or code. Output only the next line. | return self.name |
Predict the next line for this snippet: <|code_start|># Create your models here.
class FacebookMeta:
base_url = 'https://graph.facebook.com/'
requires_oauth_token = True
class FacebookUser(WhamModel):
id = WhamCharField(max_length=255, primary_key=True)
username = WhamTextField(unique=True)
name = WhamTextField()
gender = WhamTextField()
first_name = WhamTextField()
last_name = WhamTextField()
class Meta:
db_table = 'facebook_user'
<|code_end|>
with the help of current file imports:
from django.template.loader import render_to_string
from wham.fields import WhamCharField, WhamTextField
from wham.models import WhamModel
and context from other files:
# Path: wham/fields.py
# class WhamCharField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'char'
#
# class WhamTextField(WhamFieldMixin, models.TextField):
#
# @property
# def type_repr(self):
# return 'text'
#
# Path: wham/models.py
# class WhamModel(models.Model):
#
# objects = WhamManager()
#
# class Meta():
# abstract = True
, which may contain function names, class names, or code. Output only the next line. | class WhamMeta(FacebookMeta): |
Next line prediction: <|code_start|>from __future__ import print_function
logger = mylog.getLogger(__name__)
def write_collapse_fastq(reads, out_fn):
idx = 0
with open(out_fn, 'a') as outh:
<|code_end|>
. Use current file imports:
(from optparse import OptionParser
from mirtop.mirna import fasta
from mirtop.mirna import mapper
from mirtop.mirna import realign
from mirtop.gff import body, header
import os
import random
import numpy
import mirtop.libs.logger as mylog)
and context including class names, function names, or small code snippets from other files:
# Path: mirtop/mirna/fasta.py
# def read_precursor(precursor, sps=None):
#
# Path: mirtop/mirna/mapper.py
# def guess_database(args):
# def _guess_database_file(gff, database=None):
# def get_primary_transcript(database):
# def read_gtf_to_mirna(gtf):
# def read_gtf_chr2mirna(gtf): # read from read_gtf_to_precursor
# def read_gtf_chr2mirna2(gtf): # to remove
# def read_gtf_to_precursor(gtf):
# def _parse_db_mir_chrom(db_mir, db, id_dict):
# def _parse_db_mir(db_mir, db, id_dict):
# def _parse_db_mir_genomic(db_mir, db, id_dict):
# def read_gtf_to_precursor_mirgenedb(gtf, format="precursor"):
# def read_gtf_to_precursor_mirbase(gtf, format="precursor"):
# def liftover_genomic_precursor(read, genome, hairpin, expected=None):
#
# Path: mirtop/mirna/realign.py
# class hits:
# class isomir:
# def __init__(self):
# def set_sequence(self, seq):
# def set_precursor(self, precursor, isomir):
# def remove_precursor(self, precursor):
# def __init__(self):
# def set_pos(self, start, l, strand="+"):
# def formatGFF(self):
# def format(self, sep="\t"):
# def format_id(self, sep="\t"):
# def get_score(self, sc):
# def is_iso(self):
# def read_id(idu):
# def make_id(seq):
# def is_sequence(seq):
# def align(x, y, local=False):
# def _add_cigar_char(counter, cache):
# def make_cigar(seq, mature):
# def cigar_correction(cigarLine, query, target):
# def expand_cigar(cigar):
# def cigar2snp(cigar, reference):
# def reverse_complement(seq):
# def get_mature_sequence(precursor, mature, exact=False, nt = 5):
# def align_from_variants(sequence, mature, variants):
# def variant_to_5p(hairpin, pos, variant):
# def variant_to_3p(hairpin, pos, variant):
# def variant_to_add(read, variant):
#
# Path: mirtop/gff/body.py
# def read(fn, args):
# def write_body_on_handle(lines, out_handle):
# def create(reads, database, sample, args, quiet=False):
# def lift_to_genome(line, mapper):
# def create_line(read, name, database, args):
# def guess_format(line):
# def paste_columns(line, sep=" "):
# def read_variant(attrb, sep=" "):
# def read_attributes(gff_line, sep=" "):
# def read_gff_line(line):
# def variant_with_nt(line, precursors, matures):
#
# Path: mirtop/gff/header.py
# def create(samples, database, custom, filter=None):
# def get_gff_version():
# def make_tools(tools):
# def _get_samples(samples):
# def _get_database(database):
# def _filter(filters):
# def read_version(fn):
# def read_samples(fn):
. Output only the next line. | for r in reads: |
Given the code snippet: <|code_start|> query_name = "%s.%s.%s" % (mirna, iso.format_id("."), randSeq)
reads[query_name] = realign.hits()
reads[query_name].set_sequence(randSeq)
reads[query_name].counts = e
reads[query_name].set_precursor(name, iso)
full_read.extend(create_read(randSeq, e))
clean_read.append([randSeq, e])
# print([randSeq, mutLab, addTag, t5Lab, t3Lab, mirSeq])
# data[randSeq] = [exp, iso] # create real object used in code to generate GFF
write_fastq(full_read, full_fq)
write_collapse_fastq(clean_read, clean_fq)
gff = body.create(reads, "miRBase21", "sim1")
return gff
def _write(lines, header, fn):
out_handle = open(fn, 'w')
print(header, file=out_handle)
for m in lines:
for s in sorted(lines[m].keys()):
for hit in lines[m][s]:
print(hit[4], file=out_handle)
out_handle.close()
usagetxt = "usage: %prog --fa precurso.fa --gtf miRNA.gtf -n 10"
parser = OptionParser(usage=usagetxt, version="%prog 1.0")
parser.add_option("--fa",
<|code_end|>
, generate the next line using the imports in this file:
from optparse import OptionParser
from mirtop.mirna import fasta
from mirtop.mirna import mapper
from mirtop.mirna import realign
from mirtop.gff import body, header
import os
import random
import numpy
import mirtop.libs.logger as mylog
and context (functions, classes, or occasionally code) from other files:
# Path: mirtop/mirna/fasta.py
# def read_precursor(precursor, sps=None):
#
# Path: mirtop/mirna/mapper.py
# def guess_database(args):
# def _guess_database_file(gff, database=None):
# def get_primary_transcript(database):
# def read_gtf_to_mirna(gtf):
# def read_gtf_chr2mirna(gtf): # read from read_gtf_to_precursor
# def read_gtf_chr2mirna2(gtf): # to remove
# def read_gtf_to_precursor(gtf):
# def _parse_db_mir_chrom(db_mir, db, id_dict):
# def _parse_db_mir(db_mir, db, id_dict):
# def _parse_db_mir_genomic(db_mir, db, id_dict):
# def read_gtf_to_precursor_mirgenedb(gtf, format="precursor"):
# def read_gtf_to_precursor_mirbase(gtf, format="precursor"):
# def liftover_genomic_precursor(read, genome, hairpin, expected=None):
#
# Path: mirtop/mirna/realign.py
# class hits:
# class isomir:
# def __init__(self):
# def set_sequence(self, seq):
# def set_precursor(self, precursor, isomir):
# def remove_precursor(self, precursor):
# def __init__(self):
# def set_pos(self, start, l, strand="+"):
# def formatGFF(self):
# def format(self, sep="\t"):
# def format_id(self, sep="\t"):
# def get_score(self, sc):
# def is_iso(self):
# def read_id(idu):
# def make_id(seq):
# def is_sequence(seq):
# def align(x, y, local=False):
# def _add_cigar_char(counter, cache):
# def make_cigar(seq, mature):
# def cigar_correction(cigarLine, query, target):
# def expand_cigar(cigar):
# def cigar2snp(cigar, reference):
# def reverse_complement(seq):
# def get_mature_sequence(precursor, mature, exact=False, nt = 5):
# def align_from_variants(sequence, mature, variants):
# def variant_to_5p(hairpin, pos, variant):
# def variant_to_3p(hairpin, pos, variant):
# def variant_to_add(read, variant):
#
# Path: mirtop/gff/body.py
# def read(fn, args):
# def write_body_on_handle(lines, out_handle):
# def create(reads, database, sample, args, quiet=False):
# def lift_to_genome(line, mapper):
# def create_line(read, name, database, args):
# def guess_format(line):
# def paste_columns(line, sep=" "):
# def read_variant(attrb, sep=" "):
# def read_attributes(gff_line, sep=" "):
# def read_gff_line(line):
# def variant_with_nt(line, precursors, matures):
#
# Path: mirtop/gff/header.py
# def create(samples, database, custom, filter=None):
# def get_gff_version():
# def make_tools(tools):
# def _get_samples(samples):
# def _get_database(database):
# def _filter(filters):
# def read_version(fn):
# def read_samples(fn):
. Output only the next line. | help="", metavar="FILE") |
Predict the next line for this snippet: <|code_start|> randS = 1
if randE > len(seq):
randE = info[1] - 1
randSeq = seq[randS:randE]
t5Lab = ""
t5Lab = seq[randS:info[0]] if randS < info[0] else t5Lab
t5Lab = seq[info[0]:randS].lower() if randS > info[0] else t5Lab
t3Lab = ""
t3Lab = seq[randE:info[1] + 1].lower() if randE < info[1] + 1 else t3Lab
t3Lab = seq[info[1] + 1:randE] if randE > info[1] + 1 else t3Lab
# mutation
isMut = random.randint(0, 10)
mutLab = []
if isMut == 3:
ntMut = random.randint(0, 3)
posMut = random.randint(0, len(randSeq) - 1)
if not randSeq[posMut] == nt[ntMut]:
temp = list(randSeq)
mutLab = [[posMut, nt[ntMut], randSeq[posMut]]]
temp[posMut] = nt[ntMut]
randSeq = "".join(temp)
# addition
isAdd = random.randint(0, 3)
addTag = ""
if isAdd == 2:
posAdd = random.randint(1, 3)
for numadd in range(posAdd):
ntAdd = random.randint(0, 1)
print([randSeq, seq[randS + len(randSeq)]])
<|code_end|>
with the help of current file imports:
from optparse import OptionParser
from mirtop.mirna import fasta
from mirtop.mirna import mapper
from mirtop.mirna import realign
from mirtop.gff import body, header
import os
import random
import numpy
import mirtop.libs.logger as mylog
and context from other files:
# Path: mirtop/mirna/fasta.py
# def read_precursor(precursor, sps=None):
#
# Path: mirtop/mirna/mapper.py
# def guess_database(args):
# def _guess_database_file(gff, database=None):
# def get_primary_transcript(database):
# def read_gtf_to_mirna(gtf):
# def read_gtf_chr2mirna(gtf): # read from read_gtf_to_precursor
# def read_gtf_chr2mirna2(gtf): # to remove
# def read_gtf_to_precursor(gtf):
# def _parse_db_mir_chrom(db_mir, db, id_dict):
# def _parse_db_mir(db_mir, db, id_dict):
# def _parse_db_mir_genomic(db_mir, db, id_dict):
# def read_gtf_to_precursor_mirgenedb(gtf, format="precursor"):
# def read_gtf_to_precursor_mirbase(gtf, format="precursor"):
# def liftover_genomic_precursor(read, genome, hairpin, expected=None):
#
# Path: mirtop/mirna/realign.py
# class hits:
# class isomir:
# def __init__(self):
# def set_sequence(self, seq):
# def set_precursor(self, precursor, isomir):
# def remove_precursor(self, precursor):
# def __init__(self):
# def set_pos(self, start, l, strand="+"):
# def formatGFF(self):
# def format(self, sep="\t"):
# def format_id(self, sep="\t"):
# def get_score(self, sc):
# def is_iso(self):
# def read_id(idu):
# def make_id(seq):
# def is_sequence(seq):
# def align(x, y, local=False):
# def _add_cigar_char(counter, cache):
# def make_cigar(seq, mature):
# def cigar_correction(cigarLine, query, target):
# def expand_cigar(cigar):
# def cigar2snp(cigar, reference):
# def reverse_complement(seq):
# def get_mature_sequence(precursor, mature, exact=False, nt = 5):
# def align_from_variants(sequence, mature, variants):
# def variant_to_5p(hairpin, pos, variant):
# def variant_to_3p(hairpin, pos, variant):
# def variant_to_add(read, variant):
#
# Path: mirtop/gff/body.py
# def read(fn, args):
# def write_body_on_handle(lines, out_handle):
# def create(reads, database, sample, args, quiet=False):
# def lift_to_genome(line, mapper):
# def create_line(read, name, database, args):
# def guess_format(line):
# def paste_columns(line, sep=" "):
# def read_variant(attrb, sep=" "):
# def read_attributes(gff_line, sep=" "):
# def read_gff_line(line):
# def variant_with_nt(line, precursors, matures):
#
# Path: mirtop/gff/header.py
# def create(samples, database, custom, filter=None):
# def get_gff_version():
# def make_tools(tools):
# def _get_samples(samples):
# def _get_database(database):
# def _filter(filters):
# def read_version(fn):
# def read_samples(fn):
, which may contain function names, class names, or code. Output only the next line. | if nt[ntAdd] == seq[randS + len(randSeq)]: |
Here is a snippet: <|code_start|> if isAdd == 2:
posAdd = random.randint(1, 3)
for numadd in range(posAdd):
ntAdd = random.randint(0, 1)
print([randSeq, seq[randS + len(randSeq)]])
if nt[ntAdd] == seq[randS + len(randSeq)]:
ntAdd = 1 if ntAdd == 0 else 0
randSeq += nt[ntAdd]
addTag += nt[ntAdd]
print([randSeq, randE, info[1]])
return [randSeq, randS, t5Lab, t3Lab, mutLab, addTag]
def create_iso(name, mir, seq, numsim, exp):
reads = dict()
full_read = list()
clean_read = list()
seen = set()
for mirna in mir[name]:
info = mir[name][mirna]
for rand in range(int(numsim)):
e = 1
if exp:
trial = random.randint(1, 100)
p = random.randint(1, 50) / 50.0
e = numpy.random.negative_binomial(trial, p, 1)[0]
iso = realign.isomir()
randSeq, iso.start, iso.t5, iso.t3, iso.subs, iso.add = variation(info, seq)
if randSeq in seen:
continue
<|code_end|>
. Write the next line using the current file imports:
from optparse import OptionParser
from mirtop.mirna import fasta
from mirtop.mirna import mapper
from mirtop.mirna import realign
from mirtop.gff import body, header
import os
import random
import numpy
import mirtop.libs.logger as mylog
and context from other files:
# Path: mirtop/mirna/fasta.py
# def read_precursor(precursor, sps=None):
#
# Path: mirtop/mirna/mapper.py
# def guess_database(args):
# def _guess_database_file(gff, database=None):
# def get_primary_transcript(database):
# def read_gtf_to_mirna(gtf):
# def read_gtf_chr2mirna(gtf): # read from read_gtf_to_precursor
# def read_gtf_chr2mirna2(gtf): # to remove
# def read_gtf_to_precursor(gtf):
# def _parse_db_mir_chrom(db_mir, db, id_dict):
# def _parse_db_mir(db_mir, db, id_dict):
# def _parse_db_mir_genomic(db_mir, db, id_dict):
# def read_gtf_to_precursor_mirgenedb(gtf, format="precursor"):
# def read_gtf_to_precursor_mirbase(gtf, format="precursor"):
# def liftover_genomic_precursor(read, genome, hairpin, expected=None):
#
# Path: mirtop/mirna/realign.py
# class hits:
# class isomir:
# def __init__(self):
# def set_sequence(self, seq):
# def set_precursor(self, precursor, isomir):
# def remove_precursor(self, precursor):
# def __init__(self):
# def set_pos(self, start, l, strand="+"):
# def formatGFF(self):
# def format(self, sep="\t"):
# def format_id(self, sep="\t"):
# def get_score(self, sc):
# def is_iso(self):
# def read_id(idu):
# def make_id(seq):
# def is_sequence(seq):
# def align(x, y, local=False):
# def _add_cigar_char(counter, cache):
# def make_cigar(seq, mature):
# def cigar_correction(cigarLine, query, target):
# def expand_cigar(cigar):
# def cigar2snp(cigar, reference):
# def reverse_complement(seq):
# def get_mature_sequence(precursor, mature, exact=False, nt = 5):
# def align_from_variants(sequence, mature, variants):
# def variant_to_5p(hairpin, pos, variant):
# def variant_to_3p(hairpin, pos, variant):
# def variant_to_add(read, variant):
#
# Path: mirtop/gff/body.py
# def read(fn, args):
# def write_body_on_handle(lines, out_handle):
# def create(reads, database, sample, args, quiet=False):
# def lift_to_genome(line, mapper):
# def create_line(read, name, database, args):
# def guess_format(line):
# def paste_columns(line, sep=" "):
# def read_variant(attrb, sep=" "):
# def read_attributes(gff_line, sep=" "):
# def read_gff_line(line):
# def variant_with_nt(line, precursors, matures):
#
# Path: mirtop/gff/header.py
# def create(samples, database, custom, filter=None):
# def get_gff_version():
# def make_tools(tools):
# def _get_samples(samples):
# def _get_database(database):
# def _filter(filters):
# def read_version(fn):
# def read_samples(fn):
, which may include functions, classes, or code. Output only the next line. | seen.add(randSeq) |
Given snippet: <|code_start|>
parser = OptionParser(usage=usagetxt, version="%prog 1.0")
parser.add_option("--fa",
help="", metavar="FILE")
parser.add_option("--gtf",
help="", metavar="FILE")
parser.add_option("-n", "--num", dest="numsim",
help="")
parser.add_option("-e", "--exp", dest="exp", action="store_true",
help="give expression", default=False)
parser.add_option("-p", "--prefix", help="output name")
parser.add_option("--seed", help="set up seed for reproducibility.", default=None)
(options, args) = parser.parse_args()
if options.seed:
random.seed(options.seed)
full_fq = "%s_full.fq" % options.prefix
clean_fq = "%s_clean.fq" % options.prefix
out_gff = "%s.gff" % options.prefix
if os.path.exists(full_fq):
os.remove(full_fq)
if os.path.exists(clean_fq):
os.remove(clean_fq)
pre = fasta.read_precursor(options.fa, "")
mir = mapper.read_gtf_to_precursor(options.gtf)
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from optparse import OptionParser
from mirtop.mirna import fasta
from mirtop.mirna import mapper
from mirtop.mirna import realign
from mirtop.gff import body, header
import os
import random
import numpy
import mirtop.libs.logger as mylog
and context:
# Path: mirtop/mirna/fasta.py
# def read_precursor(precursor, sps=None):
#
# Path: mirtop/mirna/mapper.py
# def guess_database(args):
# def _guess_database_file(gff, database=None):
# def get_primary_transcript(database):
# def read_gtf_to_mirna(gtf):
# def read_gtf_chr2mirna(gtf): # read from read_gtf_to_precursor
# def read_gtf_chr2mirna2(gtf): # to remove
# def read_gtf_to_precursor(gtf):
# def _parse_db_mir_chrom(db_mir, db, id_dict):
# def _parse_db_mir(db_mir, db, id_dict):
# def _parse_db_mir_genomic(db_mir, db, id_dict):
# def read_gtf_to_precursor_mirgenedb(gtf, format="precursor"):
# def read_gtf_to_precursor_mirbase(gtf, format="precursor"):
# def liftover_genomic_precursor(read, genome, hairpin, expected=None):
#
# Path: mirtop/mirna/realign.py
# class hits:
# class isomir:
# def __init__(self):
# def set_sequence(self, seq):
# def set_precursor(self, precursor, isomir):
# def remove_precursor(self, precursor):
# def __init__(self):
# def set_pos(self, start, l, strand="+"):
# def formatGFF(self):
# def format(self, sep="\t"):
# def format_id(self, sep="\t"):
# def get_score(self, sc):
# def is_iso(self):
# def read_id(idu):
# def make_id(seq):
# def is_sequence(seq):
# def align(x, y, local=False):
# def _add_cigar_char(counter, cache):
# def make_cigar(seq, mature):
# def cigar_correction(cigarLine, query, target):
# def expand_cigar(cigar):
# def cigar2snp(cigar, reference):
# def reverse_complement(seq):
# def get_mature_sequence(precursor, mature, exact=False, nt = 5):
# def align_from_variants(sequence, mature, variants):
# def variant_to_5p(hairpin, pos, variant):
# def variant_to_3p(hairpin, pos, variant):
# def variant_to_add(read, variant):
#
# Path: mirtop/gff/body.py
# def read(fn, args):
# def write_body_on_handle(lines, out_handle):
# def create(reads, database, sample, args, quiet=False):
# def lift_to_genome(line, mapper):
# def create_line(read, name, database, args):
# def guess_format(line):
# def paste_columns(line, sep=" "):
# def read_variant(attrb, sep=" "):
# def read_attributes(gff_line, sep=" "):
# def read_gff_line(line):
# def variant_with_nt(line, precursors, matures):
#
# Path: mirtop/gff/header.py
# def create(samples, database, custom, filter=None):
# def get_gff_version():
# def make_tools(tools):
# def _get_samples(samples):
# def _get_database(database):
# def _filter(filters):
# def read_version(fn):
# def read_samples(fn):
which might include code, classes, or functions. Output only the next line. | nt = ['A', 'T', 'G', 'C'] |
Predict the next line after this snippet: <|code_start|> password = self.get_argument("p").strip()
user_id = userUtils.getID(username)
checksum = self.get_argument("c").strip()
if not user_id:
raise exceptions.loginFailedException(self.MODULE_NAME, user_id)
if not userUtils.checkLogin(user_id, password, ip):
raise exceptions.loginFailedException(self.MODULE_NAME, username)
if userUtils.check2FA(user_id, ip):
raise exceptions.need2FAException(self.MODULE_NAME, user_id, ip)
ranked = glob.db.fetch(
"SELECT ranked FROM beatmaps WHERE beatmap_md5 = %s LIMIT 1",
(checksum,)
)
if ranked is None:
output = "no exist"
return
if ranked["ranked"] < rankedStatuses.RANKED:
output = "not ranked"
return
rating = glob.db.fetch("SELECT rating FROM beatmaps WHERE beatmap_md5 = %s LIMIT 1", (checksum,))
has_voted = glob.db.fetch(
"SELECT id FROM beatmaps_rating WHERE user_id = %s AND beatmap_md5 = %s LIMIT 1",
(user_id, checksum)
)
if has_voted is not None:
output = f"alreadyvoted\n{rating['rating']:.2f}"
return
vote = self.get_argument("v", default=None)
<|code_end|>
using the current file's imports:
import tornado.gen
import tornado.web
from common.ripple import userUtils
from common.sentry import sentry
from common.web import requestsManager
from constants import exceptions, rankedStatuses
from objects import glob
and any relevant context from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: constants/rankedStatuses.py
# UNKNOWN = -2
# NOT_SUBMITTED = -1
# PENDING = 0 # No leaderboard
# NEED_UPDATE = 1
# RANKED = 2 # With leaderboard.
# APPROVED = 3 # With leaderboard. Different icon. No alert.
# QUALIFIED = 4 # With leaderboard. Different icon. Alert.
# LOVED = 5 # With leaderboard. Different icon. Alert.
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | if vote is None: |
Predict the next line after this snippet: <|code_start|>
ip = self.getRequestIP()
username = self.get_argument("u").strip()
password = self.get_argument("p").strip()
user_id = userUtils.getID(username)
checksum = self.get_argument("c").strip()
if not user_id:
raise exceptions.loginFailedException(self.MODULE_NAME, user_id)
if not userUtils.checkLogin(user_id, password, ip):
raise exceptions.loginFailedException(self.MODULE_NAME, username)
if userUtils.check2FA(user_id, ip):
raise exceptions.need2FAException(self.MODULE_NAME, user_id, ip)
ranked = glob.db.fetch(
"SELECT ranked FROM beatmaps WHERE beatmap_md5 = %s LIMIT 1",
(checksum,)
)
if ranked is None:
output = "no exist"
return
if ranked["ranked"] < rankedStatuses.RANKED:
output = "not ranked"
return
rating = glob.db.fetch("SELECT rating FROM beatmaps WHERE beatmap_md5 = %s LIMIT 1", (checksum,))
has_voted = glob.db.fetch(
"SELECT id FROM beatmaps_rating WHERE user_id = %s AND beatmap_md5 = %s LIMIT 1",
(user_id, checksum)
)
if has_voted is not None:
<|code_end|>
using the current file's imports:
import tornado.gen
import tornado.web
from common.ripple import userUtils
from common.sentry import sentry
from common.web import requestsManager
from constants import exceptions, rankedStatuses
from objects import glob
and any relevant context from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: constants/rankedStatuses.py
# UNKNOWN = -2
# NOT_SUBMITTED = -1
# PENDING = 0 # No leaderboard
# NEED_UPDATE = 1
# RANKED = 2 # With leaderboard.
# APPROVED = 3 # With leaderboard. Different icon. No alert.
# QUALIFIED = 4 # With leaderboard. Different icon. Alert.
# LOVED = 5 # With leaderboard. Different icon. Alert.
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | output = f"alreadyvoted\n{rating['rating']:.2f}" |
Given the code snippet: <|code_start|>
class cacheMiss(Exception):
pass
class personalBestCache:
<|code_end|>
, generate the next line using the imports in this file:
from common.log import logUtils as log
from common import generalUtils
from objects import glob
and context (functions, classes, or occasionally code) from other files:
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | def get(self, userID, fileMd5, country=False, friends=False, mods=-1, relax=False): |
Given the code snippet: <|code_start|>
class handler(requestsManager.asyncRequestHandler):
MODULE_NAME = "osu_download"
@tornado.web.asynchronous
@tornado.gen.engine
@sentry.captureTornado
<|code_end|>
, generate the next line using the imports in this file:
import tornado.gen
import tornado.web
from common.log import logUtils as log
from common.web import requestsManager
from constants import exceptions
from helpers import osuapiHelper
from common.sentry import sentry
and context (functions, classes, or occasionally code) from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: helpers/osuapiHelper.py
# def osuApiRequest(request, params, getFirst=True):
# def getOsuFileFromName(fileName):
# def getOsuFileFromID(beatmapID):
# URL = "{}/web/maps/{}".format(glob.conf["OSU_API_URL"], quote(fileName))
# URL = "{}/osu/{}".format(glob.conf["OSU_API_URL"], beatmapID)
. Output only the next line. | def asyncGet(self, fileName = None): |
Next line prediction: <|code_start|>"""Some console related functions"""
ASCII = """ ( (
)\\ ) * ) )\\ )
(()/( ( ` ) /((()/(
/(_)) )\\ ( )(_))/(_))
(_)) ((_) (_(_())(_))
| | | __||_ _|/ __|
| |__ | _| | | \\__ \\
|____||___| |_| |___/ \n"""
<|code_end|>
. Use current file imports:
(import logging
from common.constants import bcolors
from objects import glob)
and context including class names, function names, or small code snippets from other files:
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | def printServerStartHeader(asciiArt): |
Here is a snippet: <|code_start|> raise exceptions.invalidArgumentsException(self.MODULE_NAME)
# Add a comment, removing all illegal characters and trimming after 128 characters
comment = self.get_argument("comment").replace("\r", "").replace("\t", "").replace("\n", "")[:128]
try:
time_ = int(self.get_argument("starttime"))
except ValueError:
raise exceptions.invalidArgumentsException(self.MODULE_NAME)
# Type of comment
who = "normal"
if target == "replay" and glob.db.fetch(
"SELECT COUNT(*) AS c FROM scores WHERE id = %s AND userid = %s AND completed = 3",
(scoreID, userID)
)["c"] > 0:
# From player, on their score
who = "player"
elif userUtils.isInAnyPrivilegeGroup(userID, ("developer", "community manager", "bat")):
# From BAT/Admin
who = "admin"
elif userUtils.isInPrivilegeGroup(userID, "donor"):
# Supporter
who = "donor"
if target == "song":
# Set comment
if beatmapSetID <= 0:
return
value = beatmapSetID
column = "beatmapset_id"
<|code_end|>
. Write the next line using the current file imports:
import tornado.gen
import tornado.web
from common.log import logUtils as log
from common.ripple import userUtils
from common.sentry import sentry
from common.web import requestsManager
from constants import exceptions
from objects import glob
and context from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
, which may include functions, classes, or code. Output only the next line. | elif target == "map": |
Predict the next line after this snippet: <|code_start|> except ValueError:
raise exceptions.invalidArgumentsException(self.MODULE_NAME)
# Add a comment, removing all illegal characters and trimming after 128 characters
comment = self.get_argument("comment").replace("\r", "").replace("\t", "").replace("\n", "")[:128]
try:
time_ = int(self.get_argument("starttime"))
except ValueError:
raise exceptions.invalidArgumentsException(self.MODULE_NAME)
# Type of comment
who = "normal"
if target == "replay" and glob.db.fetch(
"SELECT COUNT(*) AS c FROM scores WHERE id = %s AND userid = %s AND completed = 3",
(scoreID, userID)
)["c"] > 0:
# From player, on their score
who = "player"
elif userUtils.isInAnyPrivilegeGroup(userID, ("developer", "community manager", "bat")):
# From BAT/Admin
who = "admin"
elif userUtils.isInPrivilegeGroup(userID, "donor"):
# Supporter
who = "donor"
if target == "song":
# Set comment
if beatmapSetID <= 0:
return
value = beatmapSetID
<|code_end|>
using the current file's imports:
import tornado.gen
import tornado.web
from common.log import logUtils as log
from common.ripple import userUtils
from common.sentry import sentry
from common.web import requestsManager
from constants import exceptions
from objects import glob
and any relevant context from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | column = "beatmapset_id" |
Given the code snippet: <|code_start|>
try:
with open("version") as f:
VERSION = f.read().strip()
except:
VERSION = "Unknown"
ACHIEVEMENTS_VERSION = 1
DATADOG_PREFIX = "lets"
db = None
redis = None
<|code_end|>
, generate the next line using the imports in this file:
from collections import defaultdict
from common.ddog import datadogClient
from common.files import fileBuffer, fileLocks
from common.web import schiavo
from helpers.aqlHelper import AqlThresholds
import prometheus_client
import personalBestCache
import userStatsCache
import helpers.s3
import helpers.threadScope
and context (functions, classes, or occasionally code) from other files:
# Path: helpers/aqlHelper.py
# class AqlThresholds:
# """
# A class representing the AQL thresholds configuration.
# """
#
# def __init__(self):
# """
# Initializes a new AQL thresholds configuration.
# """
# self._thresholds = {}
#
# def reload(self):
# """
# Reloads the AQL thresholds configuration from DB
#
# :return:
# """
# log.debug("Reloading AQL thresholds")
# self._thresholds = {}
# for x in glob.db.fetchAll(
# "SELECT `name`, value_string FROM system_settings WHERE `name` LIKE 'aql\_threshold\_%%'"
# ):
# parts = x["name"].split("aql_threshold_")
# if len(parts) < 1:
# continue
# m = gameModes.getGameModeFromDB(parts[1])
# if m is None:
# continue
# try:
# self._thresholds[m] = float(x["value_string"])
# except ValueError:
# continue
# log.debug([(gameModes.getGameModeForDB(x), self[x]) for x in self])
# if not all(x in self._thresholds for x in range(gameModes.STD, gameModes.MANIA)):
# raise RuntimeError("Invalid AQL thresholds. Please check your system_settings table.")
#
# def __getitem__(self, item):
# """
# Magic method that makes it possible to use an AqlThresholds object as a dictionary:
# ```
# >>> glob.aqlThresholds[gameModes.STD]
# <<< 1333.77
# ```
#
# :param item:
# :return:
# """
# return self._thresholds[item]
#
# def __iter__(self):
# """
# Magic method that makes it possible to use iterate over an AqlThresholds object:
# ```
# >>> tuple(gameModes.getGameModeForDB(x) for x in glob.aqlThresholds)
# <<< ('std', 'taiko', 'ctb', 'mania')
# ```
#
# :return:
# """
# return iter(self._thresholds.keys())
#
# def __contains__(self, item):
# """
# Magic method that makes it possible to use the "in" operator on an AqlThresholds object:
# ```
# >>> gameModes.STD in glob.aqlThresholds
# <<< True
# >>> "not_a_game_mode" in glob.aqlThresholds
# <<< False
# ```
#
# :param item:
# :return:
# """
# return item in self._thresholds
. Output only the next line. | conf = None |
Based on the snippet: <|code_start|>
def isBeatmap(fileName=None, content=None):
if fileName is not None:
with open(fileName, "rb") as f:
firstLine = f.readline().decode("utf-8-sig").strip()
elif content is not None:
try:
firstLine = content.decode("utf-8-sig").split("\n")[0].strip()
except IndexError:
return False
<|code_end|>
, predict the immediate next line with the help of imports:
import os
from common import generalUtils
from common.log import logUtils as log
from constants import exceptions
from helpers import osuapiHelper
from objects import glob
and context (classes, functions, sometimes code) from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: helpers/osuapiHelper.py
# def osuApiRequest(request, params, getFirst=True):
# def getOsuFileFromName(fileName):
# def getOsuFileFromID(beatmapID):
# URL = "{}/web/maps/{}".format(glob.conf["OSU_API_URL"], quote(fileName))
# URL = "{}/osu/{}".format(glob.conf["OSU_API_URL"], beatmapID)
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | else: |
Continue the code snippet: <|code_start|>
def isBeatmap(fileName=None, content=None):
if fileName is not None:
with open(fileName, "rb") as f:
firstLine = f.readline().decode("utf-8-sig").strip()
elif content is not None:
try:
firstLine = content.decode("utf-8-sig").split("\n")[0].strip()
except IndexError:
return False
else:
raise ValueError("Either `fileName` or `content` must be provided.")
return firstLine.lower().startswith("osu file format v")
def shouldDownloadMap(mapFile, _beatmap):
# Check if we have to download the .osu file
if not os.path.isfile(mapFile):
# .osu file doesn't exist. We must download it
return True
else:
# File exists, check md5
if generalUtils.fileMd5(mapFile) != _beatmap.fileMD5 or not isBeatmap(mapFile):
# MD5 don't match, redownload .osu file
<|code_end|>
. Use current file imports:
import os
from common import generalUtils
from common.log import logUtils as log
from constants import exceptions
from helpers import osuapiHelper
from objects import glob
and context (classes, functions, or code) from other files:
# Path: constants/exceptions.py
# class invalidArgumentsException(Exception):
# class loginFailedException(Exception):
# class userBannedException(Exception):
# class userLockedException(Exception):
# class noBanchoSessionException(Exception):
# class osuApiFailException(Exception):
# class fileNotFoundException(Exception):
# class invalidBeatmapException(Exception):
# class unsupportedGameModeException(Exception):
# class beatmapTooLongException(Exception):
# class need2FAException(Exception):
# class noAPIDataError(Exception):
# class scoreNotFoundError(Exception):
# class ppCalcException(Exception):
# def __init__(self, handler):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who):
# def __init__(self, handler, who, ip):
# def __init__(self, handler):
# def __init__(self, handler, f):
# def __init__(self, handler):
# def __init__(self, handler, who, ip):
# def __init__(self, exception):
#
# Path: helpers/osuapiHelper.py
# def osuApiRequest(request, params, getFirst=True):
# def getOsuFileFromName(fileName):
# def getOsuFileFromID(beatmapID):
# URL = "{}/web/maps/{}".format(glob.conf["OSU_API_URL"], quote(fileName))
# URL = "{}/osu/{}".format(glob.conf["OSU_API_URL"], beatmapID)
#
# Path: objects/glob.py
# VERSION = f.read().strip()
# VERSION = "Unknown"
# ACHIEVEMENTS_VERSION = 1
# DATADOG_PREFIX = "lets"
. Output only the next line. | return True |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.