| prompt
				 large_stringlengths 72 9.34k | completion
				 large_stringlengths 0 7.61k | 
|---|---|
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
            <|fim_middle|>
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value) | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
                        <|fim_middle|>
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	            starting_stock_value = stock_price | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
                        <|fim_middle|>
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	            starting_sp500_value = sp500_value | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
                        <|fim_middle|>
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	            status = "outperform" | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
                        <|fim_middle|>
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	            status = "underperform" | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
                <|fim_middle|>
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	        color = 'r' | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
                <|fim_middle|>
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	        color = 'g' | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time<|fim▁hole|>from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()<|fim▁end|> | 
	from datetime import datetime
import re | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def <|fim_middle|>(gather="Total Debt/Equity (mrq)"):
  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save)
    
Key_Stats()
<|fim▁end|> | 
	Key_Stats | 
| 
	<|file_name|>p10.py<|end_file_name|><|fim▁begin|>import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
  <|fim_middle|>
    
Key_Stats()
<|fim▁end|> | 
	  statspath = path+'/_KeyStats'
  stock_list = [x[0] for x in os.walk(statspath)]
  df = pd.DataFrame(
    columns = [
      'Date',
      'Unix',
      'Ticker',
      'DE Ratio',
      'Price',
      'stock_p_change',
      'SP500',
      'sp500_p_change',
      'Difference',
      'Status'
    ]
  )
  sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
  ticker_list = []
  for each_dir in stock_list[1:25]:
    each_file = os.listdir(each_dir)
    # ticker = each_dir.split("\\")[1] # Windows only
    # ticker = each_dir.split("/")[1] # this didn't work so do this:
    ticker = os.path.basename(os.path.normpath(each_dir))
    # print(ticker) # uncomment to verify
    ticker_list.append(ticker)
    starting_stock_value = False
    starting_sp500_value = False
    
    if len(each_file) > 0:
      for file in each_file:
        date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
        unix_time = time.mktime(date_stamp.timetuple())
        full_file_path = each_dir + '/' + file
        source = open(full_file_path,'r').read()
        try:
          try:
            value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
          except:
            value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
              
          try:
            sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          except:
            sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
            row = sp500_df[(sp500_df.index == sp500_date)]
            sp500_value = float(row['Adjusted Close'])
          try:
            stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
          except:
            try:
              stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
              #print(stock_price)
              stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
              stock_price = float(stock_price.group(1))
              #print(stock_price)
            except:
              try:
                stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
                #print(stock_price)
                stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
                stock_price = float(stock_price.group(1))
                #print(stock_price)
              except:
                print('wtf stock price lol',ticker,file, value)
                time.sleep(5)
                      
          if not starting_stock_value:
            starting_stock_value = stock_price
          if not starting_sp500_value:
            starting_sp500_value = sp500_value
          stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100
          sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100
          location = len(df['Date'])
          difference = stock_p_change-sp500_p_change
          if difference > 0:
            status = "outperform"
          else:
            status = "underperform"
          df = df.append({'Date':date_stamp,
                          'Unix':unix_time,
                          'Ticker':ticker,
                          'DE Ratio':value,
                          'Price':stock_price,
                          'stock_p_change':stock_p_change,
                          'SP500':sp500_value,
                          'sp500_p_change':sp500_p_change,
                          ############################
                          'Difference':difference,
                          'Status':status},
                         ignore_index=True)
        except Exception as e:
          pass
          #print(ticker,e,file, value)
  #print(ticker_list)   
  #print(df)
  for each_ticker in ticker_list:
    try:
      plot_df = df[(df['Ticker'] == each_ticker)]
      plot_df = plot_df.set_index(['Date'])
      if plot_df['Status'][-1] == 'underperform':
        color = 'r'
      else:
        color = 'g'
      plot_df['Difference'].plot(label=each_ticker, color=color)
      plt.legend()
    except Exception as e:
      print(str(e))
  plt.show()
  save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
  print(save)
  df.to_csv(save) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
                        <|fim_middle|>
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	            self.set_address(host, port) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
                        <|fim_middle|>
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	            return | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
                        <|fim_middle|>
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	            stats = [stats] | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
                        <|fim_middle|>
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                                <|fim_middle|>
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
                        <|fim_middle|>
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	            sampled_data = data | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
        <|fim_middle|>
<|fim▁end|> | 
	    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test') | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    <|fim_middle|>
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        <|fim_middle|>
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        <|fim_middle|>
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        <|fim_middle|>
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        <|fim_middle|>
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        <|fim_middle|>
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        <|fim_middle|>
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        <|fim_middle|>
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        <|fim_middle|>
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e) | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):<|fim▁hole|>        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')<|fim▁end|> | 
	        """
        Updates one or more stats counters by arbitrary amounts
        """ | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def <|fim_middle|>(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	__init__ | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def <|fim_middle|>(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	set_address | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def <|fim_middle|>(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	timed | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def <|fim_middle|>(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	timing | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def <|fim_middle|>(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	increment | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def <|fim_middle|>(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	decrement | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def <|fim_middle|>(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def send(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	update_stats | 
| 
	<|file_name|>statsd.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
    def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
        self.addr = None
        self.enabled = enabled
        if enabled:
            self.set_address(host, port)
        self.prefix = prefix
        self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
    def set_address(self, host, port=8125):
        try:
            self.addr = (socket.gethostbyname(host), port)
        except socket.gaierror:
            self.addr = None
            self.enabled = False
    @contextmanager
    def timed(self, stat, sample_rate=1):
        log.debug('Entering timed context for %r' % (stat,))
        start = time.time()
        yield
        duration = int((time.time() - start) * 1000)
        log.debug('Exiting timed context for %r' % (stat,))
        self.timing(stat, duration, sample_rate)
    def timing(self, stats, time, sample_rate=1):
        """
        Log timing information
        """
        unit = 'ms'
        log.debug('%r took %s %s' % (stats, time, unit))
        self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
    def increment(self, stats, sample_rate=1):
        """
        Increments one or more stats counters
        """
        self.update_stats(stats, 1, sample_rate)
    def decrement(self, stats, sample_rate=1):
        """
        Decrements one or more stats counters
        """
        self.update_stats(stats, -1, sample_rate)
    def update_stats(self, stats, delta=1, sampleRate=1):
        """
        Updates one or more stats counters by arbitrary amounts
        """
        if not self.enabled or self.addr is None:
            return
        if type(stats) is not list:
            stats = [stats]
        data = {}
        for stat in stats:
            data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
        self.send(data, sampleRate)
    def <|fim_middle|>(self, data, sample_rate):
        sampled_data = {}
        if sample_rate < 1:
            if random.random() <= sample_rate:
                for stat, value in data.items():
                    sampled_data[stat] = "%s|@%s" % (value, sample_rate)
        else:
            sampled_data = data
        try:
            for stat, value in sampled_data.items():
                self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
        except Exception as e:
            log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
    sd = StatsD()
    for i in range(1, 100):
        sd.increment('test')
<|fim▁end|> | 
	send | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def <|fim_middle|>(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	init | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def <|fim_middle|>(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	loadPlugin | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def <|fim_middle|>(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	unLoadPlugin | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def <|fim_middle|>(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	registerPlugin | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def <|fim_middle|>(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	getPlugins | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def <|fim_middle|>(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	getPluginsWithStatus | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def <|fim_middle|>(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	getLoadedPlugins | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def <|fim_middle|>(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	findPlugin | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def <|fim_middle|>(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	saveConfig | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """<|fim▁hole|># Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()<|fim▁end|> | 
	    pass
# registerPlugin(plugin_instance) | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): <|fim_middle|>
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	            pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    <|fim_middle|>
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	    """
    @type plugin_name: str
    """
    pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    <|fim_middle|>
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	    """
    @type plugin_name: str
    """
    pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    <|fim_middle|>
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): <|fim_middle|>
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	                  pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): <|fim_middle|>
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	                            pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): <|fim_middle|>
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	                        pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    <|fim_middle|>
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    """
    @type plugin_name: str
    @type data: object
    """
    pass
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	    """
    @type plugin_name: str
    """
    pass | 
| 
	<|file_name|>core.py<|end_file_name|><|fim▁begin|># plugins module for amsn2
"""
Plugins with amsn2 will be a subclass of the aMSNPlugin() class.
When this module is initially imported it should load the plugins from the last session. Done in the init() proc.
Then the GUI should call plugins.loadPlugin(name) or plugins.unLoadPlugin(name) in order to deal with plugins.
"""
# init()
# Called when the plugins module is imported (only for the first time).
# Should find plugins and populate a list ready for getPlugins().
# Should also auto-update all plugins.
def init(): pass
# loadPlugin(plugin_name)
# Called (by the GUI or from init()) to load a plugin. plugin_name as set in plugin's XML (or from getPlugins()).
# This loads the module for the plugin. The module is then responsible for calling plugins.registerPlugin(instance).
def loadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# unLoadPlugin(plugin_name)
# Called to unload a plugin. Name is name as set in plugin's XML.
def unLoadPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# registerPlugin(plugin_instance)
# Saves the instance of the plugin, and registers it in the loaded list.
def registerPlugin(plugin_instance): 
    """
    @type plugin_instance: L{amsn2.plugins.developers.aMSNPlugin}
    """
    pass
# getPlugins()
# Returns a list of all available plugins, as in ['Plugin 1', 'Plugin 2']
def getPlugins(): pass
# getPluginsWithStatus()
# Returns a list with a list item for each plugin with the plugin's name, and Loaded or NotLoaded either way.
# IE: [['Plugin 1', 'Loaded'], ['Plugin 2', 'NotLoaded']]
def getPluginsWithStatus(): pass
# getLoadedPlugins()
# Returns a list of loaded plugins. as in ['Plugin 1', 'Plugin N']
def getLoadedPlugins(): pass
# findPlugin(plugin_name)
# Retruns the running instance of the plugin with name plugin_name, or None if not found.
def findPlugin(plugin_name): 
    """
    @type plugin_name: str
    """
    pass
# saveConfig(plugin_name, data)
def saveConfig(plugin_name, data): 
    <|fim_middle|>
# Calls the init procedure.
# Will only be called on the first import (thanks to python).
init()
<|fim▁end|> | 
	    """
    @type plugin_name: str
    @type data: object
    """
    pass | 
| 
	<|file_name|>0014_auto_20171203_1316.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Generated by Django 1.11.4 on 2017-12-03 13:16
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
    dependencies = [
        ('busshaming', '0013_auto_20170917_0502'),
    ]
    operations = [
        migrations.CreateModel(
            name='StopSequence',
            fields=[
                ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
                ('sequence_hash', models.CharField(max_length=64)),
                ('stop_sequence', models.TextField()),<|fim▁hole|>                ('created_at', models.DateTimeField(auto_now_add=True)),
                ('route', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='busshaming.Route')),
            ],
        ),
        migrations.AddField(
            model_name='trip',
            name='stop_sequence',
            field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.CASCADE, to='busshaming.StopSequence'),
        ),
        migrations.AlterUniqueTogether(
            name='stopsequence',
            unique_together=set([('sequence_hash', 'route')]),
        ),
    ]<|fim▁end|> | 
	                ('length', models.SmallIntegerField()),
                ('trip_headsign', models.CharField(blank=True, max_length=200, null=True)),
                ('trip_short_name', models.CharField(blank=True, max_length=200, null=True)),
                ('direction', models.SmallIntegerField()), | 
| 
	<|file_name|>0014_auto_20171203_1316.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Generated by Django 1.11.4 on 2017-12-03 13:16
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
    <|fim_middle|>
<|fim▁end|> | 
	    dependencies = [
        ('busshaming', '0013_auto_20170917_0502'),
    ]
    operations = [
        migrations.CreateModel(
            name='StopSequence',
            fields=[
                ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
                ('sequence_hash', models.CharField(max_length=64)),
                ('stop_sequence', models.TextField()),
                ('length', models.SmallIntegerField()),
                ('trip_headsign', models.CharField(blank=True, max_length=200, null=True)),
                ('trip_short_name', models.CharField(blank=True, max_length=200, null=True)),
                ('direction', models.SmallIntegerField()),
                ('created_at', models.DateTimeField(auto_now_add=True)),
                ('route', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='busshaming.Route')),
            ],
        ),
        migrations.AddField(
            model_name='trip',
            name='stop_sequence',
            field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.CASCADE, to='busshaming.StopSequence'),
        ),
        migrations.AlterUniqueTogether(
            name='stopsequence',
            unique_together=set([('sequence_hash', 'route')]),
        ),
    ] | 
| 
	<|file_name|>0005_news_image.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Generated by Django 1.11.5 on 2017-10-23 15:47
from __future__ import unicode_literals
<|fim▁hole|>class Migration(migrations.Migration):
    dependencies = [
        ('oktansite', '0004_news_attachment'),
    ]
    operations = [
        migrations.AddField(
            model_name='news',
            name='image',
            field=models.ImageField(null=True, upload_to=oktansite.models.get_upload_path_news_attachment),
        ),
    ]<|fim▁end|> | 
	from django.db import migrations, models
import oktansite.models
 | 
| 
	<|file_name|>0005_news_image.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Generated by Django 1.11.5 on 2017-10-23 15:47
from __future__ import unicode_literals
from django.db import migrations, models
import oktansite.models
class Migration(migrations.Migration):
    <|fim_middle|>
<|fim▁end|> | 
	    dependencies = [
        ('oktansite', '0004_news_attachment'),
    ]
    operations = [
        migrations.AddField(
            model_name='news',
            name='image',
            field=models.ImageField(null=True, upload_to=oktansite.models.get_upload_path_news_attachment),
        ),
    ] | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
<|fim▁hole|>
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)<|fim▁end|> | 
	class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp() | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    <|fim_middle|>
<|fim▁end|> | 
	    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        <|fim_middle|>
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	        self.tmpdir = tempfile.mkdtemp() | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        <|fim_middle|>
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	        shutil.rmtree(self.tmpdir) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        <|fim_middle|>
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        <|fim_middle|>
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            <|fim_middle|>
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	            pass | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        <|fim_middle|>
<|fim▁end|> | 
	        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            <|fim_middle|>
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	            raise Exception("Oooh nooo!") | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                                <|fim_middle|>
<|fim▁end|> | 
	                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt) | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def <|fim_middle|>(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	setup | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def <|fim_middle|>(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	teardown | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def <|fim_middle|>(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	test_snapshot_fsm | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def <|fim_middle|>(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	test_snapshot_fsm_with_callbacks | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def <|fim_middle|>(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	handle_event | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def <|fim_middle|>(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def bad_callback(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	test_snapshot_fsm_with_failures | 
| 
	<|file_name|>test_snapshot.py<|end_file_name|><|fim▁begin|>import shutil
from nose.tools import *
from holland.lib.lvm import LogicalVolume
from holland.lib.lvm.snapshot import *
from tests.constants import *
class TestSnapshot(object):
    def setup(self):
        self.tmpdir = tempfile.mkdtemp()
    def teardown(self):
        shutil.rmtree(self.tmpdir)
 
    def test_snapshot_fsm(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        snapshot.start(lv)
    def test_snapshot_fsm_with_callbacks(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def handle_event(event, *args, **kwargs):
            pass
        snapshot.register('pre-mount', handle_event)
        snapshot.register('post-mount', handle_event)
        snapshot.start(lv)
    def test_snapshot_fsm_with_failures(self):
        lv = LogicalVolume.lookup('%s/%s' % (TEST_VG, TEST_LV))
        name = lv.lv_name + '_snapshot'
        size = 1 # extent
        snapshot = Snapshot(name, size, self.tmpdir)
        def <|fim_middle|>(event, *args, **kwargs):
            raise Exception("Oooh nooo!")
        for evt in ('initialize', 'pre-snapshot', 'post-snapshot', 
                    'pre-mount', 'post-mount', 'pre-unmount', 'post-unmount',
                    'pre-remove', 'post-remove', 'finish'):
            snapshot.register(evt, bad_callback)
            assert_raises(CallbackFailuresError, snapshot.start, lv)
            snapshot.unregister(evt, bad_callback)
            if snapshot.sigmgr._handlers:
                raise Exception("WTF. sigmgr handlers still exist when checking event => %r", evt)
<|fim▁end|> | 
	bad_callback | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)<|fim▁hole|>        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	
    def init(self):
        env = os.getenv('VIRTUAL_ENV') | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    <|fim_middle|>
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~') | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        <|fim_middle|>
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~') | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    <|fim_middle|>
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        <|fim_middle|>
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    <|fim_middle|>
<|fim▁end|> | 
	    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        <|fim_middle|>
<|fim▁end|> | 
	        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
                        <|fim_middle|>
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	            self.active = False | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
                        <|fim_middle|>
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	            self.active = False
            return | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def <|fim_middle|>(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	init | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def <|fim_middle|>(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def init(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	init | 
| 
	<|file_name|>filesystem.py<|end_file_name|><|fim▁begin|>import os
from segments import Segment, theme
from utils import colors, glyphs
class CurrentDir(Segment):
    bg = colors.background(theme.CURRENTDIR_BG)
    fg = colors.foreground(theme.CURRENTDIR_FG)
    def init(self, cwd):
        home = os.path.expanduser('~')
        self.text = cwd.replace(home, '~')
class ReadOnly(Segment):
    bg = colors.background(theme.READONLY_BG)
    fg = colors.foreground(theme.READONLY_FG)
    def init(self, cwd):
        self.text = ' ' + glyphs.WRITE_ONLY + ' '
        if os.access(cwd, os.W_OK):
            self.active = False
class Venv(Segment):
    bg = colors.background(theme.VENV_BG)
    fg = colors.foreground(theme.VENV_FG)
    def <|fim_middle|>(self):
        env = os.getenv('VIRTUAL_ENV')
        if env is None:
            self.active = False
            return
        env_name = os.path.basename(env)
        self.text = glyphs.VIRTUAL_ENV + ' ' + env_name<|fim▁end|> | 
	init | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {<|fim▁hole|>        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character<|fim▁end|> | |
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    <|fim_middle|>
<|fim▁end|> | 
	    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
                        <|fim_middle|>
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text) | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                                <|fim_middle|>
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text) | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                                                <|fim_middle|>
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                        value = row[1][0].text | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                                                <|fim_middle|>
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag}) | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                                                <|fim_middle|>
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                                tag = 'minor spoiler' | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                                                <|fim_middle|>
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                                tag = 'spoiler' | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                                                <|fim_middle|>
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                                tag = 'sexual trait' | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                                                <|fim_middle|>
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                                tag = None | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                                        <|fim_middle|>
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text) | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def key_char_parse(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                                                        <|fim_middle|>
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	                            value.append(span.text + span[0].text) | 
| 
	<|file_name|>vn_char.py<|end_file_name|><|fim▁begin|>import lxml.html as l
import requests
def <|fim_middle|>(char_id):
    url = 'https://vndb.org/c' + str(char_id)
    page = requests.get(url)
    root = l.fromstring(page.text)
    name = root.cssselect('.mainbox h1')[0].text
    kanji_name = root.cssselect('.mainbox h2.alttitle')[0].text
    img = 'https:' + root.cssselect('.mainbox .charimg img')[0].attrib['src']
    gender = root.cssselect('.chardetails table thead tr td abbr')[0].attrib['title']
    try:
        bloodtype = root.cssselect('.chardetails table thead tr td span')[0].text
    except IndexError:
        bloodtype = None
    table = root.cssselect('.chardetails table')[0]
    for row in table:
        if row.tag == 'tr':
            if len(row) == 2:
                try:
                    key = row[0][0].text
                except IndexError:
                    key = row[0].text
                value = None
                try:
                    if row[1][0].tag == 'a':
                        value = row[1][0].text
                    else:
                        value = []
                        for span in row[1]:
                            if 'charspoil_1' in span.classes:
                                tag = 'minor spoiler'
                            elif 'charspoil_2' in span.classes:
                                tag = 'spoiler'
                            elif 'sexual' in span.classes:
                                tag = 'sexual trait'
                            else:
                                tag = None
                            value.append({'value': span[1].text, 'tag': tag})
                except IndexError:
                    value = row[1].text
                if key == 'Visual novels':
                    value = []
                    for span in row[1]:
                        if span.tag == 'span':
                            value.append(span.text + span[0].text)
    desc = root.cssselect('.chardetails table td.chardesc')[0][1].text
    character = {
        'URL': url,
        'Name': name,
        'Name_J': kanji_name,
        'Image': img,
        'Gender': gender,
        'Blood_Type': bloodtype,
        'Description': desc
    }
    return character
<|fim▁end|> | 
	key_char_parse | 
			Subsets and Splits
				
	
				
			
				
No community queries yet
The top public SQL queries from the community will appear here once available.