input
stringlengths
0
929
output
stringlengths
0
10.3k
task
stringclasses
3 values
index
int64
0
5.38k
liscence
stringclasses
4 values
source
stringclasses
15 values
instruction
stringlengths
13
3.45k
import binascii gif = binascii.unhexlify(hex_str) gif[:6] == b'GIF89a' #Unicode文字列ではなく、バイト列を定義するためにbを使わなければならないことに注意 #バイト列をバイト列を比較することはできるが、バイト列と文字列を比較することはできない。
code_generation
1,000
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて以下の16進文字列をbytes変数に変換し、その先頭が、”GIF89a”(有名なGIFファイル)という文字列になっているか確認せよ。 #16進文字列 hex_str = '47494638396101000100800000000000ffffff21f90401000000002c000000000100010000020144003b'
outfile = open("test.txt", "wt") outfile.write(test1) outfile.close() #withを使うとclose呼び出しを避けることができる with open("test.txt", "wt") as outfile: outfile.write(test1)
code_generation
1,001
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてtest.txtというファイルにtest1の内容を書き込みなさい。 #text1 test1 = "This is a test of the emergency text system"
with open("test.txt", "rt") as infile: test2 = infile.read() test2
code_generation
1,002
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてtest.txtをtest2変数に読み出し、test1とtest2が同じになっているか確認せよ。 条件:withを使うこと
#保存 with open("books.csv", "wt") as outfile: outfile.write(text) #読み込み import csv with open("books.csv", "rt") as infile: books = csv.DictReader(infile) for book in books: print(book)
code_generation
1,003
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて次のテキストをbooks.csvというファイルに保存した後、その内容を変数booksに読み込み、booksの内容を表示しよう。 条件:csvモジュールとそのDictReaderメソッドを使うこと ##テキスト text = '''author, book J R R Tolkien, The Hobbit Lynne Truss, "Eats, Shoots & Leaves" '''
import linecache theline = linecache.getline("text.txt", 3) theline
code_generation
1,004
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてtext.txtの中から、行番号で指定した行を読み込みなさい。
count = len(open("text.txt", "rU").readlines()) count
code_generation
1,005
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてtext.txtの行数を計算しなさい。
#データベースの作成 import sqlite3 db = sqlite3.connect("books.db")# connect():データベースへの接続を開設する(ユーザー名、パスワード、サーバーアドレス、その他引数が指定可能) curs = db.cursor()#クエリーを管理するカーソルオブジェクトを作る curs.execute('''create table book (title text, author text, year int)''')# データベースに対してSQLコマンドを実行する db.commit()
code_generation
1,006
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてmany_books.dbというSQLiteデータベースを作り、その中にtitle(文字列)、"author"(文字列)、"year"(整数)というフィールドをもつbookというテーブルを作りなさい。 条件:sqlite3モジュールを使うこと
# csvファイルの作成 with open("many_books.csv", "wt") as outfile: outfile.write(text) # 読み取り、挿入 import csv import sqlite3 ins_str = "insert into book values(?, ?, ?)" with open("many_books.csv", "rt") as infile: books = csv.DictReader(infile) for book in books: curs.execute(ins_str, (book["title"], book["author"], book["year"])) db.commit()
code_generation
1,007
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて次のテキストをmany_books.csvというファイルに保存し、そのデータをbookテーブルに挿入せよ。 # テキスト text = '''title,author,year The Weirdstone of Brisingamen, Alan Garner, 1960 Perdido Street Station, ChinaMiéville,2000 Thud!, Terry Pratchett,2005 The Spellman Files, Lisa Lutz,2007 Small Gods, Terry Pratchett, 1992 '''
from datetime import date now = date.today() now_str = now.isoformat() #文字列の形にする with open("today.txt", "wt") as outfile: outfile.write(now_str) now_str
code_generation
1,008
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて現在の日付をtoday.txtというテキストファイルに文字列の形で書き込みなさい。
import time fmt = '%Y-%m-%d' time.strptime(today_string, fmt)
code_generation
1,009
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてtoday.textから日付を解析し取り出しなさい。
# カレントディレクトリのファイルのリストを作ろう import os os.listdir('.') # 親ディレクトリのファイルのリストを作ろう os.listdir('..')
code_generation
1,010
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてカレントディレクトリと親ディレクトリのファイルのリストをそれぞれ表示せよ。
from datetime import date yyyymmdd.weekday() #月曜が0、日曜が6
code_generation
1,011
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて指定の日付が何曜日だったか確認 yyyymmdd = date(1998, 5, 11)
from datetime import timedelta yyyymmdd_future = yyyymmdd + timedelta(days=10000) yyyymmdd
code_generation
1,012
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて指定の日付から10,000日後はいつかを確認しなさい。 yyyymmdd = date(1998, 5, 11)
df = pd.DataFrame( {'名前': ['朝倉', '鈴木', '山中', '田中', '山本'], '年齢': [17, 43, 40, 12, 62], '性別':['男', '男', '女', '男', '女']}) df
code_generation
1,013
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて以下のデータフレームを作成せよ。 |名前|年齢|性別| |:----|:----|:----| |朝倉| 20|男| |鈴木 34|男| |山中 50|女| |田中 12|男| |山下 62|女|
df_1 = df[df['年齢'] < 35] df_1
code_generation
1,014
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてデータフレームから年齢が35歳よりも下の人だけを表から取り出しなさい。 df = pd.DataFrame( {'名前': ['朝倉', '鈴木', '山中', '田中', '山本'], '年齢': [17, 43, 40, 12, 62], '性別':['男', '男', '女', '男', '女']})
# 行の追加 row = pd.DataFrame({'名前': ['池田'], '年齢': [1989], '性別': '男'}) # 行の追加(行: axis=0, 列: axis=1) df_2 = pd.concat([df,row], axis=0) df_2 # indexを変更 # np.agrangeで0〜6の数字が並んだ配列を生成 df_2.index = np.arange(len(df_2)) df_2 # 列の追加 # 新たな列を代入 df_2['居住地'] = ['東京', '大阪', '北海道', '宮城', '富山', '大分'] df_2
code_generation
1,015
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてデータフレームに任意の新しい行と新しい列を追加しなさい。 df = pd.DataFrame( {'名前': ['朝倉', '鈴木', '山中', '田中', '山本'], '年齢': [17, 43, 40, 12, 62], '性別':['男', '男', '女', '男', '女']})
# 列を削除(行: axis=0, 列: axis=1) df_3 = df_2.drop('性別', axis=1) df_3
code_generation
1,016
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてデータフレームから「性別」の列を削除しなさい。 df = pd.DataFrame( {'名前': ['朝倉', '鈴木', '山中', '田中', '山本'], '年齢': [17, 43, 40, 12, 62], '性別':['男', '男', '女', '男', '女']})
df_4.columns = ['name', 'age', 'residence'] df_4
code_generation
1,017
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてデータフレームの「名前」を「name」、「年齢」を「age」、「居住地」を「residence」に変更せよ。 df = pd.DataFrame( {'名前': ['朝倉', '鈴木', '山中', '田中', '山本'], '年齢': [17, 43, 40, 12, 62], '性別':['男', '男', '女', '男', '女']})
def good_number(n): n = str(n) if n[0] == n[1] == n[2] or n[1] == n[2] == n[3]: print("Yes, it is a good number") else: print("No, it isn't good nomber") good_number(1116)
code_generation
1,018
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて1118 のような、3 つ以上の同じ数字が連続して並んだ 4 桁の整数を 良い整数 とします。4 桁の整数 N が与えられるので、Nが良い整数かどうかを答えてください。
def lucas(n): n = int(n) if n == 0: return 2 elif n == 1: return 1 else: return lucas(n - 1) + lucas(n - 2) lucas(4)
code_generation
1,019
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて整数 N が与えられるので、N 番目のリュカ数を求めてください。 ただし、リュカ数は i 番目のリュカ数を Li とすると、 L0=2 L1=1 Li=Li−1+Li−2(i≧2) と定義される数とします。なお、リュカ数とはフィボナッチ数列の1番目が2,2番目が1と決められている数列です。
def put_formula(n): a,b,c,d = list(str(n)) sign = "+-" aws_list = [] for i in range(2): # 1つ目の記号 for j in range(2): # 2つ目の記号 for k in range(2): # 3つ目の記号 if eval(a+sign[i]+b+sign[j]+c+sign[k]+d) == 7: aws = (str(a+sign[i]+b+sign[j]+c+sign[k]+d)+"=7") aws_list.append(aws) print(aws) if len(aws_list) == 0: print("impossible") put_formula(1161)
code_generation
1,020
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、4 つの 0 以上 9 以下の整数 A,B,C,D を順に受けとります。 A op1 B op2 C op3 D = 7 となるように、op1,op2,op3 に + か - を入れて式を自動で作り表示しなさい。 なお、答えが存在しない場合は"impossible"と表示し、また答えが複数存在する場合は全て表示させなさい。
import requests from bs4 import BeautifulSoup r = requests.get('https://hikkoshi.suumo.jp/sankaku/') soup = BeautifulSoup(r.text, 'html.parser') titleTags = soup.select('a') names = [] for titleTag in titleTags: name = titleTag.text.strip() names.append(name) #distinct_names = list(set(names)) names_uniq = [] for d_name in names: if d_name not in names_uniq: names_uniq.append(d_name) print(names_uniq)
code_generation
1,021
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いてWikipediaにある車種をすベてスクレイピングせよ。
def first_word(text: str) -> str: if text.find(",")>= 0: text2= text.replace(',', ' ') if text.find(".")>=0: text2=text.replace('.', ' ') texts = text2.split() return texts[0]
code_generation
1,022
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、与えられた文章の内、最初の文字を表示する関数を作りなさい。 条件:'.'や','や空白は文字としてカウントしない。 例:  first_word("Hello world") == "Hello" first_word(" a word ") == "a" first_word("greetings, friends") == "greetings" first_word("... and so on ...") == "and" first_word("Hello.World") == "Hello"
def second_index(text, symbol): count = 0 for i in range(len(text)): if text[i] == symbol: count += 1 if count == 2: return i return None
code_generation
1,023
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、テキスト文と文字がそれぞれ与えられたときに与えられたテキスト文の中で、指定した文字が2回目に出てくるのはテキスト文のうち何番目かを表示する関数を作りなさい。
#1番高いストックを表示する関数 def best_stock(data): max = 0 code = "" for stock in data: print(stock) if data[stock] > max: max = data[stock] code = stock return code best_stock(stock_dict)
code_generation
1,024
AmenokakuCode Liscence
jisaku_python_100_knocks
株名と株価が辞書型で与えられたときに1番高いストックをpythonを用いて表示せよ。 #株名と株価の辞書 stock_dict = { 'CAC': 10.0, 'ATX': 390.2, 'WIG': 1.2 }
def popular_words(text: str, words: list) -> dict: text = text.lower().split() count_list = [] for word in words: count = text.count(word) count_list.append(count) aws = dict(zip(words, count_list)) return aws
code_generation
1,025
AmenokakuCode Liscence
jisaku_python_100_knocks
文章と、いくつかの単語が与えられる。 文章のうち、それぞれの単語が何回含まれているかを表示する関するをpythonを用いて作成しなさい。 例:popular_words('''When I was OneI had just begunWhen I was TwoI was nearly new ''', ['i', 'was', 'three', 'near']) == {'i': 4, 'near': 0, 'three': 0, 'was': 3}
def check_osxs(result): judge = "D" for i in range(3): if result[i][0] == result[i][1] == result[i][2] != ".": judge = result[i][0] elif result[0][i] == result[1][i] == result[2][i] != ".": judge = result[0][i] if result[0][0] == result[1][1] == result[2][2] != ".": judge = result[0][0] elif result[0][2] == result[1][1] == result[2][0] != ".": judge = result[0][2] return judge check_osxs([ "X.O", "XX.", "XOO"])
code_generation
1,026
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、下の例のように、"O"と"X"が並べられた三目並べの結果を自動で表示させる関数を作りなさい。勝った方を結果として表示し、引き分けの場合は"D"と表示させなさい。 例: checkio([ "X.O", "XX.", "XOO"]) == "X" checkio([ "OO.", "XOX", "XOX"]) == "O" checkio([ "OOX", "XXO", "OXX"]) == "D"
def safe_pawns(pawns): pwans = list(pawns) cols = {"a":0,"b":1,"c":2,"d":3,"e":4,"f":5,"g":6,"h":7} s_pwans = [] for i in pawns: target = [] for j in pwans: if int(i[1])+1 == int(j[1]): target.append(j) for k in target: if abs(cols.get(k[0]) - cols.get(i[0])) == 1: s_pwans.append(k) if s_pwans.count(k) > 1: s_pwans.pop() return len(s_pwans) aws = {"b4","c4","d4","e4","f4","g4","e3"} safe_pawns(aws)
code_generation
1,027
AmenokakuCode Liscence
jisaku_python_100_knocks
チェスのボーンが置かれているマスがいくつか与えられる。そのうち、守られているボーンの個数をpythonを用いて表示しなさい。 # ボーンが置かれているマス aws = {"b4","c4","d4","e4","f4","g4","e3"}
from itertools import combinations def twosums(x, target): for item in combinations(x, 2): if sum(item) == target: return item twosums(nums, target)
code_generation
1,028
AmenokakuCode Liscence
jisaku_python_100_knocks
整数配列とターゲットが渡された時、整数配列の内足したら答えがターゲットになる2つの数字をpythonを用いて表示して下さい。 nums = [2, 7, 11, 15] target = 9 例: twosums([2, 7, 11, 15],9) ==> 2,7
def reverse_integer(x): return int(str(x)[::-1])
code_generation
1,029
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、整数を渡したときに順番を逆にして表示する関数を作りなさい。
def roman_to_int(roman): values={'M': 1000, 'D': 500, 'C': 100, 'L': 50, 'X': 10, 'V': 5, 'I': 1} """Convert from Roman numerals to an integer.""" numbers = [] for char in roman: numbers.append(values[char]) total = 0 for num1, num2 in zip(numbers, numbers[1:]): if num1 >= num2: total += num1 else: total -= num1 return total + num2 roman_to_int("XI")
code_generation
1,030
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて(0~4999)までのローマ字を数字に変換しなさい。ちなみにローマ数字と整数は以下。 let romanValues = [“M”, “CM”, “D”, “CD”, “C”, “XC”, “L”, “XL”, “X”, “IX”, “V”, “IV”, “I”] let arabicValues = [1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1]
def isvalid(x): table = {'(': ')', '{': '}', '[': ']'} stack = [] for elm in x: if elm in table.keys(): stack.append(table[elm]) elif elm in table.values() and elm != stack.pop(): return False return False if len(stack) else True isvalid('[aaa]'), isvalid('('), isvalid('()[]{}'), isvalid('(]'), isvalid('([)]'), isvalid('{()}')
code_generation
1,031
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、(), {}, []など,括弧が有効であるかチェックをしてBoolを返しない。
stre = 'パタトクカシーー' print(stre[0::2]) #str[::2]でも同様
code_generation
1,032
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、「パタトクカシーー」という文字列の1,3,5,7文字目を取り出して連結した文字列を取得しなさい。
str1 = 'パトカー' str2 = 'タクシー' print(''.join([a + b for a, b in zip(str1, str2)]))
code_generation
1,033
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて「パトカー」+「タクシー」の文字を先頭から交互に連結して文字列「パタトクカシーー」を取得しなさい。
strr = strr.replace('.', "") strr = strr.replace(',', "") strr = strr.split() a_list = [] for word in strr: a_list.append(len(word)) print(list)
code_generation
1,034
AmenokakuCode Liscence
jisaku_python_100_knocks
pythonを用いて、次に示すテキストの単語の文字数を表示しなさい。 strr = "Now I need a drink, alcoholic of course, after the heavy lectures involving quantum mechanics."
import random text = "I couldn't believe that I could actually understand what I was reading : the phenomenal power of the human mind ." words = text.split() shuffled_list = [] for word in words: if len(word) < 4: pass else: char_list = list(word) mid_list = char_list[1:-1] random.shuffle(mid_list) word = word[0] + "".join(mid_list) + word[-1] shuffled_list.append(word) shuffled_str = " ".join(shuffled_list) print(shuffled_str)
code_generation
1,035
AmenokakuCode Liscence
jisaku_python_100_knocks
スペースで区切られた単語列に対して,各単語の先頭と末尾の文字は残し,それ以外の文字の順序をランダムに並び替えるコードをpythonを用いて作成せよ。 条件:長さが4以下の単語は並び替えない。 (例えば"I couldn't believe that I could actually understand what I was reading : the phenomenal power of the human mind .")を与え,その実行結果を確認せよ.
def count_n(n_list): counts = [] for n in n_list: count = 0 while n % 2 == 0: count += 1 n = n / 2 else: counts.append(count) aws = min(counts) print(aws) count_n([16,16,4])
code_generation
1,036
AmenokakuCode Liscence
jisaku_python_100_knocks
渡辺君は,黒板に書かれている整数がすべて偶数であるとき,次の操作を行います。 黒板に書かれている整数すべてを,2で割ったものに置き換える。 渡辺君は最大で何回操作を行うことができるかをpythonを用いて求めてください。 条件: 数字はリスト型で与えられる。 例:  count_odd([16,12,24) ==> 2 1 回操作を行うと (8, 6, 12) になります。2 回操作を行うと (4, 3, 6) になります。2 個目の 3 が奇数なため 3 回目の操作は行えません。
from numpy import random def num_fight(card_number): cards = list(range(card_number)) count = 0 alice_cards = [] bob_cards = [] while len(cards) != 0: taken_card = max(cards) cards.remove(taken_card) count += 1 if count % 2 == 1: alice_cards.append(taken_card) else: bob_cards.append(taken_card) alice_score = sum(alice_cards) bob_score = sum(bob_cards) aws = alice_score - bob_score print(aws) num_fight(10)
code_generation
1,037
AmenokakuCode Liscence
jisaku_python_100_knocks
N 枚のカードがあり、0 〜 N までの整数が被らないように書かれています。 Alice と Bob はこれらのカードを使ってゲームを行います。ゲームでは 2 人が交互に 1 枚ずつカードを取っていきます。Alice が先にカードを取ります。 2 人がすべてのカードを取ったときゲームは終了し、取ったカードの数の合計がその人の得点になります。 2 人とも自分の得点を最大化するように最適戦略をとったとき、Alice は Bob より何点多くの得点を獲得できるかをpythonを用いて求めてください。
def count_one(n): counts = 0 for i in range(1,n+1): str_i = str(i) count = str_i.count("1") counts += count return counts count_one(100)
code_generation
1,038
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 高橋君は 1 以上 100以下のすべての整数を10進表記で1回ずつ紙に書きました。 この作業で、高橋君は 1 という数字を何個書いたでしょうか。
def remocon(a,b): target = b - a min_count = 100 for o in range(100): for f in range(100): for t in range(100): if o + 5 * f + 10 * t == target or -1 * o + -5 * f + -10 * t == target: count = o + f + t if min_count > count: min_count = count a_o = o a_f = f a_t = t print(a_o, a_f, a_t) remocon(10,5)
code_generation
1,039
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 高橋君は、エアコンの設定温度を変更しようとしています。 現在の設定温度は A 度ですが、これを B 度に設定したいと思っています。 エアコンのリモコンは 1 回ボタンを押すことで、 1 度設定温度を下げる、もしくは上げる 5 度設定温度を下げる、もしくは上げる 10 度設定温度を下げる、もしくは上げる の、6 種類の操作のいずれか 1 つを実行することが出来ます。 高橋君が設定温度を A 度から B 度に変更するために押すボタンの最小回数を求めなさい。
ans = set([]) for i in l: while i % 2 == 0: i = i // 2   ans.add(i) print(len(ans))
code_generation
1,040
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 高橋くんは魔法の箱を持っています。 この箱に整数を入れるとそれに対応した整数が出てきます。 出てくる整数は入れた整数だけによって決まり、同じ整数を入れると毎回同じ結果が得られます。 高橋くんは任意の整数 x について、x を入れた時と 2x を入れた時に出てくる整数が同じであることに気づきました。 高橋くんが入れた整数が N 個与えられるので、最大で何種類の整数が出てくるか答えてください。
def substract_game(n, ng_words): count = 0 flag = 0 a = ng_words[0] b = ng_words[1] c = ng_words[2] while count < 100 and n != (a or b or c) and n >=4: if not (n-3 in ng_words): count += 1 n = n-3 elif not (n-2 in ng_words): count += 1 n = n-2 elif not (n-1 in ng_words): count += 1 n = n-1 else: flag = 0 break if (n == 1 or n == 2 or n ==3) and count<=99: n = 0 flag = 1 if n > 0: flag = 0 if flag == 1: print('YES') else: print('NO') substract_game(100, [29,54,43])
code_generation
1,041
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 最初に、数字 n が与えられます。 1 , 2 , 3 の中から好きな数字を選び、 与えられた数字に対し、引き算を行う、という処理を行うことできます。 この処理は 100 回まで行うことが可能であり、最終的に数字を 0 にすることが目標のゲームです。 しかし、計算途中でなってはいけないNG数字が 3 つ(リスト型で)与えられており、 この数字に一時的にでもなってしまった瞬間、このゲームは失敗となります。 NG数字が n と同じ場合も失敗となります。 あなたは、このゲームが、目標達成可能なゲームとなっているか調べたいです。 目標達成可能な場合はYES、そうでない場合はNOと出力してください。
from datetime import date, timedelta def check_date(today): Y, M, D = [int(n) for n in today.split('/')] dt = date(Y, M, D) while True: if Y % M == 0 and (Y / M) % D == 0: break dt += timedelta(days=1) Y = dt.year M = dt.month D = dt.day print(dt.strftime('%Y/%m/%d')) check_date("2017/05/11")
code_generation
1,042
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 高橋君は割り切れる日付が好きです。    割り切れる日付とは、年÷月÷日の計算結果が整数になる日付のことです。    例えば今日の日付は 2012 年 5 月 2 日ですが、 2012÷5÷2=201.2 となり整数ではないので、今日の日付は割り切れる日付ではありません。    高橋君は割り切れる日付が好きでたまらないので、次の割り切れる日付を心待ちにして、毎日今日が割り切れる日付かどうかをチェックしてしまいます。    彼に少しでも多くの仕事をしてもらうために、入力として与えられた日付以降で最初に来る割り切れる日付を求めなさい。    ただし、入力として与えられた日付が割り切れる日付だった場合は、与えられた日付が答えになります。    例: check_date("2012/05/02")  ==> "2013/01/01"
def perfect_number(n): y_num = [] for i in range(2, n): if n % i == 0: y_num.append(i) m = n // i y_num.append(m) y_num.append(1) y_num = set(y_num) sum_y = sum(y_num) if sum_y == n: print("完全数です") else: print("完全数ではありません") perfect_number(6)
code_generation
1,043
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 高橋君は完全なものが大好きです。 自然数には、完全数というものがあります。 完全数というのは、自分以外の約数の総和が自分と等しくなる自然数のことです。 例えば 6 の場合 1+2+3=6となるので完全数です。 それに対して、自分以外の約数の総和が自分より小さくなる場合は不足数と言い、大きくなる場合は過剰数と言います。 高橋君には今気になっている自然数があります。高橋君のために、それが完全数なのか不足数なのか過剰数なのか判定してください。
def hamming_distance(n, m): return format(n ^ m, 'b').count('1') hamming_distance(17, 117)
code_generation
1,044
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 2つの整数が与えられます。 これらを2進法に直した時の「ハミング距離」を測りなさい。
def checkio(number): ret = [] for i in range(9, 1, -1): while not number % i: number /= i ret.append(i) if number == 1: return int(''.join(map(str, sorted(ret)))) return 0
code_generation
1,045
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 2桁の整数が与えられる。 その整数の約数を出力しなさい。 条件: 約数は全て1桁であること。答えが複数存在する場合は、約数の個数が1番少なくなる方を出力すること。
def convert_10(str_number, radix): try: return int(str_number, radix) except ValueError: return -1 convert_10(3C5,16)
code_generation
1,046
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 ある進数(radix)で記された数字(str_number)が与えられます。 この数字を10進法に直して表示しなさい。 条件 そもそも与えられた数字が、与えられた進法で表すことができないもの出会った場合は"-1"と表示 例: convert_10("AF", 16) == 175 convert_10("101", 2) == 5 convert_10("Z", 36) == 35 convert_10("AB", 10) == -1
def double_substring(line): s = [] for i in range(len(line)-1) : for j in range(i+1,len(line)+1) : if line[i:j] in line[j:] : s.append(len(line[i:j])) if len(s)>0 : return max(s) else : return 0
code_generation
1,047
AmenokakuCode Liscence
jisaku_python_100_knocks
以下の問題にpythonを用いて答えなさい。 あるテキストが与えられます。 そのテキストの内、ある文字列が2回登場した場合、その文字列の文字数を表示してください。 例: double_substring('aaaa') ==> 2 double_substring('abc') ==> 0 double_substring('aghtfghkofgh') ==> 3 # fgh
def max1(m,n): if m>n: return m else: return n
code_generation
1,048
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、引数として2つの数値を取り、その中で最大の数値を返す関数max()を定義してなさい。なお、Pythonで利用可能なif-then-else構文を使用すること。
def max_of_three(a,b,c): if a>b and a>c: print a elif b>c: print b else: print c
code_generation
1,049
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、引数として3つの数値を取り、その中で最大の値を返す関数max_of_three()を定義しなさい。
def length(x): c=0 for _ in a: c = c +1 return c
code_generation
1,050
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、与えられたリスト、もしくは文字列の長さを計算する関数を定義しなさい。
def vowel(x): if x in ('aeiou'): return True else: return False
code_generation
1,051
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、長さ1の文字列(すなわち文字)を受け取り、それが母音であればTrueを、そうでなければFalseを返す関数を書きなさい。
def translate(x): s = '' for i in x: if i not in ('aeiou'): s += i + "o" + i else: s += i print s
code_generation
1,052
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、テキストを "rövarspråket"(スウェーデン語で "強盗語")に翻訳する関数translate()を書いてください。このとき、すべての子音を二重にして、その間に "o "を入れるようにして下さい。例えば、translate("this is fun")は "totohisos isos fofunon "という文字列を返すはずです。
def sum1(x): c=0 for i in x: c += i return c print sum1([1, 2, 3, 4]) def multiply(x): c=1 for i in x: c *= i return c
code_generation
1,053
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、関数sum()と関数multiply()を定義して下さい。例えば、sum([1, 2, 3, 4]) は10を返し、multiply([1, 2, 3, 4]) は24を返します。
def reverse(x): new =[] for i in range(len(x))[::-1]: new.append(x[i]) print ''.join(new)
code_generation
1,054
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、文字列の反転を計算する関数reverse()を定義しなさい。例えば、reverse("I am testing")は "gnitset ma I "という文字列を返します。
def is_palindrome(x): if x == x[::-1]: print True else: print False
code_generation
1,055
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、回文を認識する関数 is_palindrome()を定義する。例えば、is_palindrome("radar") は真を返す。
def is_member(x, a): if x in a: print True else: print False
code_generation
1,056
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、値(数値、文字列など)xと値のリストaを受け取り、xがaのメンバであれば真を、そうでなければ偽を返す関数is_member()を書きなさい。
def overlapping(m,n): l1 =len(m) l2 = len(n) for i in range(l1): for j in range(l2): if m[i]==n[j]: status =1 break else: status =0 if status ==1: print True else: print False
code_generation
1,057
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、2つのリストを受け取り、少なくとも1つのメンバが共通していればTrueを、そうでなければFalseを返す関数overlapping()を定義しなさい。is_member()関数やin演算子を使ってもかまいませんが、練習のために、2つの入れ子になったforループを使って書いてください。
def generate_n_chars(n,x): k=[] for i in range(n): k.append(x) print ''.join(k)
code_generation
1,058
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、整数 n と文字 c を受け取り、c:s からなる n 文字の文字列を返す関数 generate_n_chars() を定義しなさい。例えば、generate_n_chars(5, "x")の場合、文字列 "xxxxx "を返す。
def histogram(x): for i in x: print i * '*'
code_generation
1,059
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、整数のリストを受け取り、スクリーンにヒストグラムを表示する関数histogram() を定義してください。例えば、histogram([4, 9, 7])は以下のように表示します: **** ********* *******
def max1(l): max =0 for i in range(len(l)-1): if l[i] > l[i+1] and l[i]>max: max = l[i] elif l[i+1]>max: max = l[i+1] print max
code_generation
1,060
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、数のリストを受け取り、最大の数を返す関数max_in_list()を書きましょう。
def maps(x): k=[] for i in x: k.append(len(i)) print k
code_generation
1,061
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単語のリストを、対応する単語の長さを表す整数のリストにマップするプログラムを書きなさい。例えば、maps(['apple','orange','cat'])とすると[5, 6, 3]が出力として返ってくる。
def maps(x): k=[] for i in x: k.append(len(i)) print max(k)
code_generation
1,062
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単語のリストを受け取り、最も長い単語の長さを返す関数 find_longest_word() を書きなさい。
def tanslate(x): new=[] d = {"merry":"god", "christmas":"jul", "and":"och", "happy":"gott", "new":"nytt", "year":"ar"} l = x.split(' ') for i in l: new.append(d[i]) print new print ' '.join(new)
code_generation
1,063
MIT
python_for_begginers_solve_50_exercises
{merry": "god", "christmas": "jul", "and": "och", "happy": "gott", "new": "nytt", "year": "ar"} のように、小さな対訳辞書をPython辞書として表現し、それを使ってクリスマスカードを英語からスウェーデン語に翻訳してみましょう。すなわち、英語の単語のリストを受け取り、スウェーデン語の単語のリストを返す関数translate()を書いて下さい。
def filter_long_words(x,n): k=[] for i in x: if len(i)>n: k.append(i) print k
code_generation
1,064
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単語のリストと整数nを受け取り、nより長い単語のリストを返す関数filter_long_words()を書きなさい。
def song(): print '99 bottles of beer on the wall, 99 bottles of beer' for i in range(99)[::-1]: print 'Take one down, pass it around,' + str(i) + ' bottles of beer on the wall.'
code_generation
1,065
MIT
python_for_begginers_solve_50_exercises
"99 Bottles of Beer"は、アメリカとカナダの伝統的な歌です。覚えやすく、長い時間をかけて歌うことができるため、長旅の際によく歌われます。簡単な歌詞は以下の通りです。 "99 bottles of beer on the wall, 99 bottles of beer. Take one down, pass it around, 98 bottles of beer on the wall." 同じ歌詞が繰り返され、そのたびに瓶が1本ずつ減っていく。歌い手または歌い手たちがゼロになったとき、歌は完成します。この歌のすべての節を生成できるPythonプログラムを書きなさい。
def palindrome(x): l=[] for i in x: if i.isalpha(): l.append(i.lower()) print ''.join(l) if l==l[::-1]: print 'palindrome' else: print 'Not a palindrome'
code_generation
1,066
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、次のようなフレーズの回文も受け付ける回文認識器を書いてください。 "Go hang a salami I'm a lasagna hog.", "Was it a rat I saw?", "Step on no pets", "Sit on a potato pan, Otis", "Lisa Bonet ate no basil", "Satan, oscillate my metallic sonatas", "I roamed under it as a tired nude Maori", "Rise to vote sir", or the exclamation "Dammit, I'm mad!" なお、句読点、大文字、スペースは通常無視すること。
def pangram(x): for i in string.letters[:26]: if i in x.lower(): status =1 else: print 'not a pangram' status =0 break if status==1: print 'pangram'
code_generation
1,067
MIT
python_for_begginers_solve_50_exercises
パングラムとは、例えば、"The quick brown fox jumps over the lazy dog. "のように英語のアルファベットのすべての文字を少なくとも一度は含む文のことである。 pythonを用いて、文がパングラムかどうかをチェックする関数を書きなさい。
def char_freq(x): d ={} for i in x: d[i] = d.get(i,0) +1 print d
code_generation
1,068
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、文字列を受け取り、その中に含まれる文字の頻度リストを作成する関数 char_freq() を書きなさい。頻度リストはPython辞書として表現します。char_freq("abbabcbdbabdbababcbcbab")のようにしてみてください。
def rot_decoder(x): new =[] d = {'a':'n', 'b':'o', 'c':'p', 'd':'q', 'e':'r', 'f':'s', 'g':'t', 'h':'u', 'i':'v', 'j':'w', 'k':'x', 'l':'y', 'm':'z', 'n':'a', 'o':'b', 'p':'c', 'q':'d', 'r':'e', 's':'f', 't':'g', 'u':'h', 'v':'i', 'w':'j', 'x':'k', 'y':'l', 'z':'m', 'A':'N', 'B':'O', 'C':'P', 'D':'Q', 'E':'R', 'F':'S', 'G':'T', 'H':'U', 'I':'V', 'J':'W', 'K':'X', 'L':'Y', 'M':'Z', 'N':'A', 'O':'B', 'P':'C', 'Q':'D', 'R':'E', 'S':'F', 'T':'G', 'U':'H', 'V':'I', 'W':'J', 'X':'K', 'Y':'L', 'Z':'M'} for i in x: new.append(d.get(i,i)) print ''.join(new) rot_decoder('Pnrfne pvcure? V zhpu cersre Pnrfne fnynq!') # Our decoder function can also encode the message since we have 26 characters. But in case if isn't you can use below strategy. def rot_encoder(x): key_inverse = { v:k for k,v in d.items()} for i in x: new.append(d.get(i,i)) print ''.join(new)
code_generation
1,069
MIT
python_for_begginers_solve_50_exercises
暗号学においてシーザー暗号とは、平文の各文字をアルファベットのある一定数下の文字に置き換えるという、非常に単純な暗号化技術であす。例えば、3をシフトすると、AはDに、BはEに、といった具合である。この方法はジュリアス・シーザーにちなんで命名されました。 ROT-13("rotate by 13 places")は、シフトが13のシーザー暗号の例として広く使われています。Pythonでは、ROT-13のキーは以下の辞書で表すことができます。 key = {'a':'n', 'b':'o', 'c':'p', 'd':'q', 'e':'r', 'f': s', 'g':'t', 'h':'u', 'i':'v', 'j':'w', 'k':'x', 'l':'y', 'm':'z', 'n':'a', 'o':'b', 'p':'c', 'q':'d', 'r':'e', 's':'f', 't':'g', 'u': H', 'V':'I', 'W':'J', 'X':'K', 'Y':'L', 'Z':'M', 'A':'N', 'B':'O', 'C':'P', 'D':'Q', 'E':'R', 'F':'S', 'G':'T', 'H':'U', 'I':'V', 'J':'W', 'K': x', 'l':'y', 'm':'z', 'n':'a', 'o':'b', 'p':'c', 'q':'d', 'r':'e', 's':'f', 't':'g', 'u':'h', 'v':'i', 'w':'j', 'x':'k', 'y':'l', 'z':'m' }. pythonを用いて、ROT-13のエンコーダ/デコーダを実装して下さい。それができたら、次の秘密メッセージを読むことができるようになります: Pnrfne pvcure? V zhpu cersre Pnrfne fnynq! 英語には26の文字があるので、ROT-13プログラムは英語で書かれたテキストのエンコードとデコードの両方ができることに注意してください。
import re def correct(x): x =x.replace('.', '. ') x = re.sub(' +', ' ', x) print x correct ("This is very funny and cool.Indeed!")
code_generation
1,070
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単純なスペル修正をする関数correct()を定義し、文字列を受け取って以下を確認しなさい。 1) 2回以上出現するスペース文字を1回に圧縮する。 2) ピリオドの後に直接文字が続く場合、ピリオドの後に余分なスペースを挿入する。 例えば correct("This is very funny and cool.Indeed!") は、"This is very funny and cool. Indeed!"を返します。
def make_3sg_form(x): if x.endswith('y'): x = x[:-1] + 'ies' elif x.endswith( ('o', 'ch', 's', 'sh', 'x', 'z')): x += 'es' else: x += 's' print x
code_generation
1,071
MIT
python_for_begginers_solve_50_exercises
英語の三人称単数動詞の形は、不定詞の語幹に付加される接尾辞-sによって区別される。 簡単なルールを以下に示す: 動詞の末尾がyの場合、それを削除してiesを加える 動詞の末尾が o、ch、s、sh、x、z の場合、esを加える デフォルトではsを加えるだけである。ここでは不定詞形の動詞を与えるとその三人称単数形を返す関数 make_3sg_form()をpythonを用いて定義して下さい。try、brush、run、fixといった単語を使って関数をテストして下さい。ただし、ルールは発見的なものであり、すべてのケースで機能するとは思わないで下さい。ヒント 文字列メソッド endswith() をチェックして下さい。
def make_ing_form(x): if x.endswith('e') and not x.endswith('ie') and not x.endswith('ee') and not len(x)==2: x = x[:-1] + 'ing' elif x.endswith('ie'): x = x[:-2] + 'ying' elif len(x)==3 and x[-2] in ('aeiou') and x[-1] not in ('aeiou') and x[-3] not in ('aeiou'): x += x[-1] + 'ing' else: x += 'ing' print x make_ing_form('flee')
code_generation
1,072
MIT
python_for_begginers_solve_50_exercises
英語では、現在分詞は無限の形に接尾辞-ingをつけることで形成されます(go -> going)。 簡単な発見的規則は以下の通りです(動詞が e で終わる場合、e を捨てて ing を加える(例外でない場合:be, see, flee, knee など)。動詞が ie で終わる場合、ie を y に変えて ing を加える 子音-母音-子音で構成される。単語の場合、最後の文字を二重にしてから ing を加える デフォルトでは ing を加える)。ここでは、不定詞形の動詞が与えられたときにその現在分詞形を返す関数 make_ing_form() をpythonを用いて定義しなさい。また、lie、see、move、hugなどの単語を使って関数をテストしてください。 ただし、このような単純なルールがすべてのケースで機能わけではありません。
def max_in_list(l): largest = reduce( lambda x,y: max(x,y) , l) return largest l = [1,2,3,78,34,90,36,9] print max_in_list(l)
code_generation
1,073
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、関数 reduce() を使って、数値のリストを受け取り、最大のものを返す関数 max_in_list() を書きなさい。
#1 def maps(x): k=[] for i in x: k.append(len(i)) print k #2 l = ['apple', 'orange', 'cat'] print map( lambda x : len(x), l) #3 print [ len(i) for i in l]
code_generation
1,074
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単語のリストを、対応する単語の長さを表す整数のリストにマップするプログラムを書きなさい。なお、これを3通りの方法で書きなさい。 1) forループを使う 2) 高階関数 map() を使う 3) リスト内包を使う
def find_longest_word(words): return max(map(len, words)) # 使用例 words = ["apple", "banana", "date"] print(find_longest_word(words)) # 6 と表示される (banana の長さ)
code_generation
1,075
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、単語のリストを受け取り、最も長い単語の長さを返す関数 find_longest_word() を書きなさい。高階の関数だけを使いなさい。
n=2 x = ['abc','b','adfadfasd'] print filter(lambda x: len(x)>n, x)
code_generation
1,076
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、高階関数filter()を使って、関数filter_long_words()を書きなさい。 この関数は、単語のリストと整数nを受け取り、nより長い単語のリストを返します。
def translate(x): d ={"merry":"god", "christmas":"jul", "and":"och", "happy":"gott", "new":"nytt", "year":"ar"} l = x.split() print map ( lambda x: d[x], l)
code_generation
1,077
MIT
python_for_begginers_solve_50_exercises
{merry": "god", "christmas": "jul", "and": "och", "happy": "gott", "new": "nytt", "year": "ar"} のように小さな対訳辞書をPython辞書として表現し、それを使ってクリスマスカードを英語からスウェーデン語に翻訳してみましょう。高次関数 map() を使って、英語の単語のリストを受け取り、スウェーデン語の単語のリストを返す関数 translate() をpythonを用いて書いてください。
def map1(f, l): new=[] for i in l: new.append(f(i)) return new def filter1(f, l): new =[] for i in l: if f(i) == True: new.append(i) return new def reduce1(f, l): new = l[0] for i in l[1:]: new = f(new, i) return new
code_generation
1,078
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、高階関数 map()、filter()、reduce() を実装しなさい。
def palindrome1(x): for i in open(x).read().split('\n'): if i==i[::-1]: print i + " is palindrome" def palindrome2(x): for i in open(x).readlines(): i = i.rstrip() if i==i[::-1]: print i + " is palindrome"
code_generation
1,079
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、ユーザーからファイル名を受け取り、各行を読み、回文であればその行をスクリーンに表示する回文認識器を書きなさい。
def semordnilap(x): f = open(x).read() words = f.split('\n') while words: a = words[0] words.remove(a) if a[::-1] in words: print a + ' and ' + a[::-1] + ' are semordnilap'
code_generation
1,080
MIT
python_for_begginers_solve_50_exercises
ウィキペディアによると、セモルトニラップとは、異なる単語やフレーズを逆に綴った単語やフレーズのことである(「セモルトニラップ」はそれ自体、「回文」を逆に綴ったものである)。 ここではpythonを用いて、ユーザーからファイル名(単語のリストを指す)を受け取り、セモルドニラップである単語のペアをすべて見つけて画面に表示するセモルドニラップ判定関数を書いてください。たとえば、"stressed "と "desserts "が単語リストの一部であれば、出力には "stressed desserts "というペアが含まれるはずである。ちなみに、それぞれのペアはそれ自体で回文を形成します。
example = __import__('21') def char_freq_table(): n = raw_input('Please enter a file name: ') example.char_freq(open(n).read())
code_generation
1,081
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、char_freq_table()関数を書き、実行して、ユーザーからファイル名を受け取り、そのファイルに含まれる文字の頻度表を作成し、ソートされ、きれいにフォーマットされた文字頻度表をスクリーンに表示しなさい。
import pyttsx def speak_ICAO(x): d = {'a':'alfa', 'b':'bravo', 'c':'charlie', 'd':'delta', 'e':'echo', 'f':'foxtrot', 'g':'golf', 'h':'hotel', 'i':'india', 'j':'juliett', 'k':'kilo', 'l':'lima', 'm':'mike', 'n':'november', 'o':'oscar', 'p':'papa', 'q':'quebec', 'r':'romeo', 's':'sierra', 't':'tango', 'u':'uniform', 'v':'victor', 'w':'whiskey', 'x':'x-ray', 'y':'yankee', 'z':'zulu'} engine = pyttsx.init() for i in x.lower(): engine.say(d.get(i,i)) engine.runAndWait()
code_generation
1,082
MIT
python_for_begginers_solve_50_exercises
国際民間航空機関(ICAO)のアルファベットは、英語のアルファベットに発音記号を割り当てている(アルファはA、ブラボーはBなど)。これは、特に航行や人の安全が重要な場合に、母国語に関係なく無線や電話で音声メッセージを送受信する人が、重要な文字(と数字)の組み合わせを発音して理解できるようにするためである。以下は、ICAOアルファベットの1つのバージョンをカバーするPython辞書です: d = {'a':'alfa', 'b':'bravo', 'c':'charlie', 'd':'delta', 'e':'echo', 'f':'foxtrot', 'g':'golf', 'h':'hotel', 'i':'india', 'j':'juliett', 'k':'kilo', 'l':'lima', 'm':'mike', 'n': 'november', 'o':'oscar', 'p':'papa', 'q':'quebec', 'r':'romeo', 's':'sierra', 't':'tango', 'u':'uniform', 'v':'victor', 'w':'whiskey', 'x':'x-ray', 'y':'yankee', 'z':'zulu'}. ここでは、任意のテキスト(すなわち任意の文字列)をICAOの話し言葉に翻訳できる手続きspeak_ICAO()をpythonを用いて書きなさい。少なくとも2つのライブラリをインポートする必要があります(osとtimeです)。 os.system('say'+msg)においてmsgは発話される文字列です(UNIX/LinuxやWindowsでは、似たようなものがあるかもしれません)。発話されるテキストとは別に、関数はさらに2つのパラメータを受け取る必要があります(発話されるICAO単語の間のポーズの長さを示すfloatと、発話されるICAO単語の間のポーズの長さを示すfloatです)。
def hapax(x): d={} f = open(x) for word in re.findall('\w+', f.read().lower()): d[word] = d.get(word,0) + 1 f.close() print [ k for k, v in d.items() if v==1]
code_generation
1,083
MIT
python_for_begginers_solve_50_exercises
ハパックス・レゴメノン(しばしばハパックスと略される)とは、ある言語の文字記録、ある著者の作品、または1つのテキストのいずれかに一度だけ出現する単語のことである。テキストのファイル名を与えると、そのすべてのハパックスを返す関数をpythonを用いて書いててください。
f = open('sample.txt') f_out = open('sample_out.txt', 'w') count =1 for i in f: print i f_out.write(str(count) + '. ' + i) count +=1 f.close() f_out.close()
code_generation
1,084
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、テキストファイルが与えられたら、元のファイルのすべての行に1からnまでの番号を付けた新しいテキストファイルを作成するコードを書きなさい。
import re def avg_length(x): count = 0.0 f = open(x) words = re.findall('\w+', f.read()) for word in words: count += len(word) return count/len(words)
code_generation
1,085
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、ファイルに格納されたテキストの平均単語長を計算するプログラムを書きなさい(すなわち、テキスト中の単語トークンの長さの合計を単語トークンの数で割ったもの)。
# Method 1 - using while loop import random name = raw_input("Hello! What is your name?\n") print "Well, " + name + ", I am thinking of a number between 1 and 20" no = random.randint(1,20) guess = int(raw_input("Take a guess\n")) count =1 while guess != no: if guess < no: print "Your guess is too low." if guess > no: print "Your guess is too high" count +=1 guess = int(raw_input("Take a guess\n")) print "Good job, %s! You guessed my number in %d guesses!" % (name ,count) #Method 2 using recursion. Here global makes count available to local scope of your function. import random def check(): global count guess = int(raw_input("Take a guess\n")) if guess == no: print "Good job, %s! You guessed my number in %d guesses!" %(name,count) if guess < no: print "Your guess is too low." count +=1 check() if guess > no: print "Your guess is too high" count +=1 check() name = raw_input("Hello! What is your name?\n") print "Well, " + name + ", I am thinking of a number between 1 and 20" no = random.randint(1,20) print no global count count =1 check()
code_generation
1,086
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、1から20までの数字がランダムに選ばれる「数字当てゲーム」をプレイできるプログラムを書きなさい。
import random import itertools def anagram(x): l=[] word = random.choice(x) anagrams = itertools.permutations(word) for i in anagrams: l.append(''.join(i)) anagram = random.choice(l) #again randomly choose the anagram otherwise it would always contain the last permutation print 'Colour word anagram: %s' %anagram guess = raw_input('Guess the colour word!\n') while guess!=word: guess = raw_input('Guess the colour word!\n') print 'Correct!'
code_generation
1,087
MIT
python_for_begginers_solve_50_exercises
アナグラムとは言葉遊びの一種で、単語やフレーズの文字を並べ替えて、元の文字をすべて一度だけ使って新しい単語やフレーズを作ることである。次のようなPythonプログラムを書きなさい。 1) 与えられた単語リストから単語wをランダムに選ぶ、 2) w をランダムに並べ替える(つまり w のアナグラムを作る)、 3) アナグラムをユーザーに提示する。 4) ユーザーに元の単語を推測させる対話型ループに入る。 プログラムの実行例は次のようになる: >>> import anagram Colour word anagram: onwbr Guess the colour word! black Guess the colour word! brown Correct!
def lingo(x): n = raw_input('Please input your five letter guess!\n') while n != x: output ='' for index, i in enumerate(n): if i in x: if n[index]==x[index]: output += '[' + i + ']' else: output += '(' + i + ')' else: output += i print 'Clue:' + output n = raw_input('Please input your five letter guess!\n') print 'Success' lingo('snake')
code_generation
1,088
MIT
python_for_begginers_solve_50_exercises
lingoのゲームでは、5文字の隠された単語があります。ゲームの目的は 推測によってこの単語を見つけ、2種類のヒントを受け取ることです。 1) 正体も位置も完全に正しい文字 2) 単語の中に確かに存在するが、間違った位置に置かれた文字 pythonを用いて、lingoで遊べるプログラムを書きなさい。1)の意味で正しい文字をマークするには角括弧を使い、2)の意味で正しい文字をマークするには普通の括弧を使う。 例えば、プログラムが「虎」という単語を隠していると仮定すると次のように対話できるはずである。 >>> import lingo snake Clue: snak(e) fiest Clue: f[i](e)s(t) times Clue: [t][i]m[e]s tiger Clue: [t][i][g][e][r]
import re text = "Mr. Smith bought cheapsite.com for 1.5 million dollars, i.e. he paid a lot for it. \ Did he mind? Adam Jones Jr. thinks he didn't. In any case, \ this isn't true... Well, with a probability of .9 it isn't." # Method 1 for i in re.findall(r'[A-Z][a-z]+\.?.*?[.?!](?= [A-Z]|$)', text): print i print '*'*80 #Method 2 - using verbose mode. for i in re.findall(r''' [A-Z][a-z]+\.? # Starts with Capital includes (Mr., Mrs.) .*? # followed by anything [.?!] # ends with a (.)(?)(!) (?=\s[A-Z]|$) # is followed by whitespace and a capital letter ''', text, re.X): print i print '*'*80 #Method 3 for i in re.split(r'(?<=[^Mr|Mrs|Dr][.?!])\s(?=[A-Z])', text): print i
code_generation
1,089
MIT
python_for_begginers_solve_50_exercises
文分割関数は、テキストを文に分割することができるプログラムである。 文分割のための標準的なヒューリスティック・セットには、以下のルールが含まれる(ただし、これらに限定されるものではない)。文の区切りは"."(ピリオド)、"?"、"!"のいずれかで行われる。 1. ピリオドに続く空白と小文字は文の境界ではない。 2. ピリオドの後に空白がなく数字が続くものは文の境界ではない。 3. ピリオドの後に空白があり、その後に大文字が続くが、その前に短いタイトルのリストがあるものは文の区切りではない。 タイトルの例としては、Mr.、Mrs.、Dr.などがある。 4. 空白が隣接していない文字のシーケンスに含まれるピリオドは、文の境界ではありません(例えば、www.aptex.com や e.g)。 5. ピリオドに続くある種の句読点(特にカンマとそれ以上のピリオド)は、おそらく文の境界ではない。 ここでテキストファイルの名前を与えると、その内容を各文章を別々の行に書くことができるプログラムを書きなさい。 以下の短い文章でプログラムをテストしてください: Mr. Smith bought cheapsite.com for 1.5 million dollars, i.e. he paid a lot for it. Did he mind? Adam Jones Jr. thinks he didn't. In any case, this isn't true... Well, with a probability of .9 it isn't. 結果は以下のようになるはずです。 Mr. Smith bought cheapsite.com for 1.5 million dollars, i.e. he paid a lot for it. Did he mind? Adam Jones Jr. thinks he didn't. In any case, this isn't true... Well, with a probability of .9 it isn't.
import urllib import time def anagram(): start = time.clock() f = urllib.urlopen('http://www.puzzlers.org/pub/wordlists/unixdict.txt') words = set(f.read().split('\n')) d = { ''.join(sorted(i)):[] for i in words} for i in words: d[''.join(sorted(i))].append(i) max_len = max( len(v) for v in d.values()) for v in d.values(): if len(v)==max_len: print v end = time.clock() print end - start
code_generation
1,090
MIT
python_for_begginers_solve_50_exercises
アナグラムとは言葉遊びの一種で、単語や語句の文字を並べ替えた結果、元の文字をすべて正確に一度だけ使って、新しい単語や語句を作り出すものである。 http://www.puzzlers.org/pub/wordlists/unixdict.txt の単語リストを使って、同じ文字を共有し、その中に最も多くの単語を含む単語の集合を見つけるpythonプログラムを書きなさい。
def find_balanced(n): count_left, count_right = 0,0 s = [random.choice(['[',']']) for i in range(int(n))] for i in s: if count_left == count_right: if i ==']': return ''.join(s) + ' not balanced' if i =='[': count_left +=1 else: count_right +=1 if count_left == count_right: return ''.join(s) + ' balanced' else: return ''.join(s) + ' not balanced'
code_generation
1,091
MIT
python_for_begginers_solve_50_exercises
N個の開始括弧("[")とN個の終了括弧("]")を持つ文字列を、任意の順序で生成しなさい。 生成された文字列が整合しているかどうか、つまり、開括弧と閉括弧のペア(その順序で)だけで構成されているかどうかをpythonを用いて判定しなさい。 例: [] OK ][ NOT OK [][] OK ][][ NOT OK [[][]] OK []][[] NOT OK
# Method 1 def find(chain): last_character = chain[-1][-1] options = d[last_character] - set(chain) if not options: return chain else: return max( (find(chain+[i]) for i in options), key=len) start = time.clock() d = defaultdict(set) for word in pokemon: d[word[0]].add(word) print max( (find([word]) for word in pokemon), key=len) end = time.clock() print end - start # Method 2 try bottom down approach def find2(chain): first_character = chain[0][0] options = d[first_character] -set(chain) if not options: return chain else: return max( (find2([i]+ chain) for i in options), key=len) start = time.clock() d = defaultdict(set) for word in pokemon: d[word[-1]].add(word) print max( (find2([word]) for word in pokemon), key=len) end = time.clock() print end - start # Method 3 - Using loop instead of generator expression def find(chain): l=[] last_character = chain[-1][-1] options = d[last_character] - set(chain) if not options: return chain else: for i in options: l.append(find(chain+[i])) return max(l, key=len) #return [ find(chain+[i]) f=or i in options] pokemon = set(pokemon) d = defaultdict(set) for word in pokemon: d[word[0]].add(word) print max( [find([word]) for word in pokemon], key=len) # Just try it out to have a better understanding how return plays an important role in recursion def find(chain): last_character = chain[-1][-1] options = d[last_character] - set(chain) if not options: return chain else: for i in options: find(chain+[i]) #to understand importance of return, here once we are in else block nothing is returned pokemon = set(pokemon) d = defaultdict(set) for word in pokemon: d[word[0]].add(word) print [find([word]) for word in pokemon]
code_generation
1,092
MIT
python_for_begginers_solve_50_exercises
ある子供向けゲームでは、特定のカテゴリーの単語から始める。参加者は順番に単語を言うが、その単語は前の単語の最後の文字で始まらなければならない。 一度言った単語を繰り返すことはできない。相手がそのカテゴリーの単語を出せなかった場合は、ゲームから脱落する。例えば、「動物」をカテゴリーとすると以下となる。 Child 1: dog Child 2: goldfish Child 1: hippopotamus Child 2: snake pythonを用いて、ウィキペディアのポケモン一覧から抜粋した70の英語のポケモン名から、後続の名前が先行する名前の最後の文字で始まる、可能な限り数の多いポケモン名の並びを生成しなさい。ポケモンではない名前は繰り返さないです。 audino bagon baltoy banette bidoof braviary bronzor carracosta charmeleon cresselia croagunk darmanitan deino emboar emolga exeggcute gabite girafarig gulpin haxorus heatmor heatran ivysaur jellicent jumpluff kangaskhan kricketune landorus ledyba loudred lumineon lunatone machamp magnezone mamoswine nosepass petilil pidgeotto pikachu pinsir poliwrath poochyena porygon2 porygonz registeel relicanth remoraid rufflet sableye scolipede scrafty seaking sealeo silcoon simisear snivy snorlax spoink starly tirtouga trapinch treecko tyrogue vigoroth vulpix wailord wartortle whismur wingull yamask
import urllib2 import time data = urllib2.urlopen('http://www.puzzlers.org/pub/wordlists/unixdict.txt').read() words_list = set(data.split('\n')) #Try chaging set to list "list(data.split('\n'))" and notice the difference in timings. start = time.clock() for line in words_list: total =[] alternate, alternate2 = '','' for i in range(0,len(line),2): alternate = alternate + line[i] if alternate in words_list and len(alternate)>2: total.append(alternate) for i in range(1,len(line),2): alternate2 = alternate + line[i] if alternate2 in words_list and len(alternate2)>2: total.append(alternate2) if len(total)==2: print "%s: makes %s and %s" %(line,alternate, alternate2) end = time.clock() print end-start
code_generation
1,093
MIT
python_for_begginers_solve_50_exercises
オルタネート(alternate)とは、アルファベットを厳密な順序で交互に並べ、元の単語と同じ順序で使用することで、少なくとも他の2つの単語を構成する単語のことである。すべての文字が使われなければならないが、小さい単語は必ずしも同じ長さである必要ではありません。 例えば、7文字の単語で、2文字目以降がすべて使われると、4文字の単語と3文字の単語ができます。以下に2つの例を挙げます: "board": makes "bad" and "or". "waists": makes "wit" and "ass". http://www.puzzlers.org/pub/wordlists/unixdict.txt にある単語リストを使って、リスト内の各単語を調べ、2文字目以降の文字を使って2つのより小さい単語を作ろうとするpythonプログラムを書きなさい。小さい単語もリストのメンバーでなければなりません。 上記の方法で単語を画面に表示して下さい。
import smtplib def send_email(): # Enter your login credentials below username = 'sendanonymous90' password = '*******' FROM = '[email protected]' TO = '[email protected] ' SUBJECT = 'TEST' TEXT = 'Hi there, you have received a lottery of 1000$.' message = """From: %s\nTo: %s\nSubject: %s\n\n%s""" %(FROM, TO, SUBJECT, TEXT) server = smtplib.SMTP("smtp.gmail.com", 587) server.starttls() server.login(username, password) count =0 for i in range(500): server.sendmail(FROM, TO, message) print 'Success' count +=1 print count server.close() send_email()
code_generation
1,094
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、Gmailユーザーにメールを送信するスクリプトを作りなさい。最後にそれを爆弾に変換しなさい。このスクリプトは、ユーザーに50通のメールを送ることができれば爆弾と認定されます。
import requests import json #replace with your access token, to be found at https://developers.facebook.com/tools/explorer accesstoken = 'CAACEdEose0cBAEP7zZCdStYw0TYVpnviOFbZB6XuZAEZCdbZBWjAqZAE2s8QVJW646QZB7u3nAxipKIjKhtZAmsmRSUAZCSV731ZAhrIBvTKxpFRsW4yUoSt1R7TnUnmcb83TYBcY2u3KDbSVZB2gtBdZBQ0E4zPw22vAk1ms9gjwvl3yIjCTYQ4tuh30WARyuhBXiSJH20CbrZBUUwZDZD' query = 'SELECT post_id , created_time FROM stream where source_id = me()' d = { 'access_token': accesstoken, 'q':query} base_url = 'https://graph.facebook.com' r = requests.get(base_url + "/fql", params=d) result = json.loads(r.text) posts = result['data'] post1 = posts[0] comments_url = base_url + '/{}/comments'.format(post1['post_id']) count =1 for i in range(50): msg = {'access_token': accesstoken, 'message': 'Bomb' + str(count)} requests.post(comments_url, data = msg) count+=1 print count
code_generation
1,095
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、タイムライン上の投稿にコメントをつけるスクリプトを作りなさい。このスクリプトは、1つの投稿に50回コメントすることができれば爆弾と認定します。
from urllib2 import urlopen from urlparse import unquote import re url ='https://www.youtube.com/watch?v=Wt1wFf53e2o' response = urlopen(url) content = response.read() direct_urls = re.findall(r'"url_encoded_fmt_stream_map":.*?url=(https.*?)(,|\\u0026)', content) direct_url = unquote(direct_urls[0][0]) d = urlopen(direct_url) f = open('Test_video.avi', 'wb') #This will save the video to your default path. To change path use os.chdir(path) #Also note this will read the whole file into the memory and than write. We did this to make it words shortest script. #Instead read a chunk and write till complete. f.write(d.read()) d.close() f.close()
code_generation
1,096
MIT
python_for_begginers_solve_50_exercises
pythonを用いて、YouTubeのビデオをダウンロードするスクリプトを作ってください。ビデオは将来の使用のために保存しておきます。
df = read.csv('input/data1.csv' ,fileEncoding = "cp932" ,na.strings=c("", NULL,"NA") ,stringsAsFactors=F) # [Tips]read.csvの主な引数 # fileEncoding:文字化けを防ぐためfileEncodinをする # na.strings=c("", NULL,"NA") #指定した文字を欠損値として読み込む # stringsAsFactors=F #文字列はfactor型に自動変換されるが、それを防ぐ # [Tips]ファイル選択ダイアログから選択する場合はread.csv(file.choose()) # [Tips] 現在のworking directoryを確認するには getwd() # [Tips] 現在のworking directoryを変更するには Sessionタブ> Set Working Directory > Choose Directory # [Tips] git上で公開されているcsvの読み込み # git上でcsvのディレクトリを開く > Rawをクリック > 遷移先のURLをread.csv('https://....csv') の形で読み込み # [Tips] csvの出力 # write.csv(summary_data, "summary_iris.csv", fileEncoding = "CP932")
code_generation
1,097
AmenokakuCode Liscence
tidyverse_100_knocks
Rを用いて、inputフォルダ内のdata1.csvを相対パスで読み込み、変数dfとして保存してください。
library(readxl) df2 = read_xlsx('input/data2.xlsx', sheet = "table", col_names = TRUE) # [Tips]read_xlsxの主な引数 # col_names=TRUE 最初の行をdata.frameのカラム名として設定する # range = "A1:D5" 指定した範囲のデータを読み込む場合に設定する
code_generation
1,098
AmenokakuCode Liscence
tidyverse_100_knocks
Rを用いて、library(readxl)を使ってinputフォルダ内のdata2.xlsxの「table」という名前のシートを相対パスで読み込み、変数df2として保存してください。
df_copy = df # [Tips]pythonの場合、dfが変更されるとdf_copyの値も連動して更新されるが、Rの場合は更新されない。
code_generation
1,099
AmenokakuCode Liscence
tidyverse_100_knocks
Rを用いて、df_copyにdfをコピーしてください。