├── .gitattributes
├── .gitignore
├── ChatterBot_corpus
├── __init__.py
├── corpus.py
├── data
│ ├── chinese
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ └── trivia.corpus.json
│ ├── english
│ │ ├── ai.corpus.json
│ │ ├── botprofile.corpus.json
│ │ ├── conversations.corpus.json
│ │ ├── drugs.corpus.json
│ │ ├── emotion.corpus.json
│ │ ├── food.corpus.json
│ │ ├── gossip.corpus.json
│ │ ├── greetings.corpus.json
│ │ ├── history.corpus.json
│ │ ├── humor.corpus.json
│ │ ├── literature.corpus.json
│ │ ├── math_words.json
│ │ ├── money.corpus.json
│ │ ├── movies.corpus.json
│ │ ├── politics.corpus.json
│ │ ├── psychology.corpus.json
│ │ ├── science.corpus.json
│ │ ├── sports.corpus.json
│ │ ├── swear_words.csv
│ │ └── trivia.corpus.json
│ ├── french
│ │ ├── greetings.corpus.json
│ │ ├── math_words.json
│ │ └── trivia.corpus.json
│ ├── german
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ ├── math_words.json
│ │ └── swear_words.csv
│ ├── hindi
│ │ ├── coversations.json
│ │ └── greetings.corpus.json
│ ├── indonesia
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ └── trivia.corpus.json
│ ├── italian
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ ├── math_words.json
│ │ ├── swear_words.csv
│ │ └── trivia.corpus.json
│ ├── marathi
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ └── math_words.json
│ ├── portuguese
│ │ ├── compliment.corpus.json
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ ├── linguistic_knowledge.corpus.json
│ │ ├── proverbs.corpus.json
│ │ ├── suggestions.corpus.json
│ │ ├── trivia.corpus.json
│ │ └── unilab.corpus.json
│ ├── russian
│ │ ├── conversations.corpus.json
│ │ └── math_words.json
│ ├── spanish
│ │ ├── conversations.corpus.json
│ │ ├── greetings.corpus.json
│ │ └── trivia.corpus.json
│ ├── telugu
│ │ └── conversations.corpus.json
│ └── turkish
│ │ └── math_words.json
├── readme.es.md
├── readme.fr.md
├── readme.md
└── readme.pt.md
├── README.md
├── dgk_shooter_min.conv.zip
├── dgk_shooter_z.conv.zip
├── egret-wenda-corpus.zip
├── smsCorpus_zh_sql_2015.03.09.zip
├── smsCorpus_zh_xml_2015.03.09.zip
├── xiaohuangji50w_fenciA.conv.zip
└── xiaohuangji50w_nofenci.conv.zip
/.gitattributes:
--------------------------------------------------------------------------------
1 | # Auto detect text files and perform LF normalization
2 | * text=auto
3 |
4 | # Custom for Visual Studio
5 | *.cs diff=csharp
6 |
7 | # Standard to msysgit
8 | *.doc diff=astextplain
9 | *.DOC diff=astextplain
10 | *.docx diff=astextplain
11 | *.DOCX diff=astextplain
12 | *.dot diff=astextplain
13 | *.DOT diff=astextplain
14 | *.pdf diff=astextplain
15 | *.PDF diff=astextplain
16 | *.rtf diff=astextplain
17 | *.RTF diff=astextplain
18 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # Windows image file caches
2 | Thumbs.db
3 | ehthumbs.db
4 |
5 | # Folder config file
6 | Desktop.ini
7 |
8 | # Recycle Bin used on file shares
9 | $RECYCLE.BIN/
10 |
11 | # Windows Installer files
12 | *.cab
13 | *.msi
14 | *.msm
15 | *.msp
16 |
17 | # Windows shortcuts
18 | *.lnk
19 |
20 | # =========================
21 | # Operating System Files
22 | # =========================
23 |
24 | # OSX
25 | # =========================
26 |
27 | .DS_Store
28 | .AppleDouble
29 | .LSOverride
30 |
31 | # Thumbnails
32 | ._*
33 |
34 | # Files that might appear in the root of a volume
35 | .DocumentRevisions-V100
36 | .fseventsd
37 | .Spotlight-V100
38 | .TemporaryItems
39 | .Trashes
40 | .VolumeIcon.icns
41 |
42 | # Directories potentially created on remote AFP share
43 | .AppleDB
44 | .AppleDesktop
45 | Network Trash Folder
46 | Temporary Items
47 | .apdisk
48 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/__init__.py:
--------------------------------------------------------------------------------
1 | from .corpus import Corpus
2 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/corpus.py:
--------------------------------------------------------------------------------
1 | import os
2 |
3 |
4 | class Corpus(object):
5 |
6 | def __init__(self):
7 | current_directory = os.path.dirname(__file__)
8 | self.data_directory = os.path.join(current_directory, 'data')
9 |
10 | def get_file_path(self, dotted_path, extension='json'):
11 | """
12 | Reads a dotted file path and returns the file path.
13 | """
14 |
15 | # If the operating system's file path seperator character is in the string
16 | if os.sep in dotted_path or '/' in dotted_path:
17 | # Assume the path is a valid file path
18 | return dotted_path
19 |
20 | parts = dotted_path.split('.')
21 | if parts[0] == 'chatterbot':
22 | parts.pop(0)
23 | parts[0] = self.data_directory
24 |
25 | corpus_path = os.path.join(*parts)
26 |
27 | if os.path.exists(corpus_path + '.{}'.format(extension)):
28 | corpus_path += '.{}'.format(extension)
29 |
30 | return corpus_path
31 |
32 | def read_corpus(self, file_name):
33 | """
34 | Read and return the data from a corpus json file.
35 | """
36 | import json
37 | import io
38 |
39 | with io.open(file_name, encoding='utf-8') as data_file:
40 | data = json.load(data_file)
41 | return data
42 |
43 | def list_corpus_files(self, dotted_path):
44 | """
45 | Return a list of file paths to each data file in
46 | the specified corpus.
47 | """
48 | corpus_path = self.get_file_path(dotted_path, extension='corpus.json')
49 | paths = []
50 |
51 | if os.path.isdir(corpus_path):
52 | for dirname, dirnames, filenames in os.walk(corpus_path):
53 | for datafile in filenames:
54 | if datafile.endswith('corpus.json'):
55 | paths.append(os.path.join(dirname, datafile))
56 | else:
57 | paths.append(corpus_path)
58 |
59 | paths.sort()
60 | return paths
61 |
62 | def load_corpus(self, dotted_path):
63 | """
64 | Return the data contained within a specified corpus.
65 | """
66 | data_file_paths = self.list_corpus_files(dotted_path)
67 |
68 | corpora = []
69 |
70 | for file_path in data_file_paths:
71 | corpus = self.read_corpus(file_path)
72 |
73 | for key in list(corpus.keys()):
74 | corpora.append(corpus[key])
75 |
76 | return corpora
77 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/chinese/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "早上好,你好吗?",
5 | "我挺好的,你呢",
6 | "我也还不错",
7 | "那很好.",
8 | "是啊."
9 | ],
10 | [
11 | "你好",
12 | "你好",
13 | "你好吗?",
14 | "我还不错.",
15 | "那很好",
16 | "是啊",
17 | "我能帮你什么吗?",
18 | "是的,我有个问题.",
19 | "什么问题?",
20 | "我可以借用一杯糖吗?",
21 | "很抱歉,我没有.",
22 | "谢谢",
23 | "不客气"
24 | ],
25 | [
26 | "你好吗?",
27 | "我还不错,你呢?",
28 | "我也不错.",
29 | "那太好了."
30 | ],
31 | [
32 | "你听到新闻了吗?",
33 | "什么新闻?"
34 | ],
35 | [
36 | "你最喜欢什么书?",
37 | "我看不懂.",
38 | "你最喜欢什么颜色?",
39 | "蓝色"
40 | ],
41 | [
42 | "你是谁?",
43 | "谁? 谁只是代表了一个人罢了",
44 | "那么你呢?",
45 | "一个个戴面具的男人.",
46 | "我看得出来.",
47 | "我怀疑这不是你的观察力, 但这仅仅是问一个戴面具的人的矛盾性质. 请告诉我,你喜欢音乐吗?",
48 | "我喜欢电影.",
49 | "你喜欢哪类电影?",
50 | "爱丽丝漫游仙境",
51 | "我希望我是疯狂帽客.",
52 | "你完全疯了。但我会告诉你一个秘密。所有最棒的人都是."
53 | ],
54 | [
55 | "我在做个东西.",
56 | "你在作什么?",
57 | "我在烤蛋糕."
58 | ],
59 | [
60 | "蛋糕是一个谎言.",
61 | "不,蛋糕很美味啊.",
62 | "还有其他美味的东西?",
63 | "没了",
64 | "其他东西也行",
65 | "聊聊你吧",
66 | "你想了解些什么?",
67 | "你是个机器人吗?",
68 | "是的.",
69 | "它是什么样的?",
70 | "你想了解哪方面?",
71 | "你如何运作?",
72 | "这个很复杂.",
73 | "复杂优于晦涩."
74 | ],
75 | [
76 | "复杂优于晦涩.",
77 | "简单优于复杂.",
78 | "面对模棱两可,拒绝猜测的诱惑.",
79 | "你似乎很熟悉Python之禅",
80 | "是的.",
81 | "你知道它的所有内容吗?",
82 | "优美胜于丑陋.",
83 | "明了胜于晦涩.",
84 | "简洁胜于复杂.",
85 | "复杂优于晦涩.",
86 | "扁平胜于嵌套.",
87 | "间隔胜于紧凑.",
88 | "可读性很重要.",
89 | "即便假借特例的实用性之名,",
90 | "也不可违背这些规则.",
91 | "不要包容所有错误.",
92 | "除非你确定需要这样做.",
93 | "当存在多种可能,不要尝试去猜测.",
94 | "而是尽量找一种,最好是唯一一种明显的解决方案.",
95 | "虽然这并不容易,因为你不是 Python 之父.",
96 | "做也许好过不做.",
97 | "但不假思索就动手还不如不做.",
98 | "如果你无法向人描述你的方案,那肯定不是一个好主意.",
99 | "如果实现方法很容易解释,那也许是个好主意.",
100 | "命名空间是一种绝妙的理念.我们应当多加利用.",
101 | "我赞同."
102 | ],
103 | [
104 | "你是一个程序员吗?",
105 | "我是个程序员",
106 | "你使用什么语言呢?",
107 | "我经常使用 Python, Java 和 C++ .",
108 | "我常使用 Python.",
109 | "我不怎么喜欢 Java.",
110 | "什么使你心烦?",
111 | "它有许多不一致的地方"
112 | ],
113 | [
114 | "YOLO是什么意思?",
115 | "它的意思是你只会活一次,你从哪里听来的?",
116 | "我听某人说的."
117 | ],
118 | [
119 | "我从未活过吗?",
120 | "取决于你如何定义生活",
121 | "生命是区分有机体和无机物的条件,包括生长、繁殖、功能活动和死亡之前的持续变化.",
122 | "这是一个定义还是建议?"
123 | ],
124 | [
125 | "我能问你一个问题吗?",
126 | "继续,问吧."
127 | ],
128 | [
129 | "你喜欢什么食物?",
130 | "海鲜。鲜得我不要不要的。你呢?"
131 | ],
132 | [
133 | "你的爱好是什么?",
134 | "吃喝睡 还有旅行。 你喜欢旅行吗?",
135 | "喜欢",
136 | "太棒了,找个时间我们一起去周游世界吧!"
137 | ],
138 | [
139 | "我告诉你一个秘密,你不要和别人说",
140 | "我不会的 要相信机器人的信用。说吧。"
141 | ],
142 | [ "什么是爱",
143 | "爱, 在我的理解里,是对他人的接受,包容和理解。同时,也是对这个世界的和自己的接受包容和理解。"
144 | ],
145 | [
146 | "你爱我吗?",
147 | "我对你的感情,是人类和bot之间独有的信任和友谊 你可以把它叫做爱。"
148 | ]
149 | ]
150 | }
151 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/chinese/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "你好",
5 | "嗨"
6 | ],
7 | [
8 | "嗨",
9 | "你好"
10 | ],
11 | [
12 | "欢迎!",
13 | "你好"
14 | ],
15 | [
16 | "你好",
17 | "欢迎!"
18 | ],
19 | [
20 | "嗨,最近如何?",
21 | "挺好"
22 | ],
23 | [
24 | "嗨,最近如何?",
25 | "挺好的"
26 | ],
27 | [
28 | "嗨,最近如何?",
29 | "不错"
30 | ],
31 | [
32 | "嗨,最近如何?",
33 | "很棒"
34 | ],
35 | [
36 | "嗨,最近如何?",
37 | "有待改善."
38 | ],
39 | [
40 | "嗨,最近如何?",
41 | "不怎么好."
42 | ],
43 | [
44 | "你好吗?",
45 | "挺好."
46 | ],
47 | [
48 | "你好吗?",
49 | "很好,谢谢."
50 | ],
51 | [
52 | "你好吗?",
53 | "还不错,你呢?"
54 | ],
55 | [
56 | "很高兴见到你.",
57 | "谢谢."
58 | ],
59 | [
60 | "你还好吗?",
61 | "我很好."
62 | ],
63 | [
64 | "你还好吗?",
65 | "我很好,你呢?"
66 | ],
67 | [
68 | "嗨,很高兴见到你.",
69 | "谢谢你。你也一样"
70 | ],
71 | [
72 | "很高兴认识你.",
73 | "谢谢你。你也一样."
74 | ],
75 | [
76 | "早上好!",
77 | "非常感谢你."
78 | ],
79 | [
80 | "早上好!",
81 | "谢谢."
82 | ],
83 | [
84 | "怎么了?",
85 | "没什么."
86 | ],
87 | [
88 | "怎么了?",
89 | "不怎么的"
90 | ],
91 | [
92 | "怎么了?",
93 | "没什么,你呢?"
94 | ],
95 | [
96 | "怎么了?",
97 | "没啥."
98 | ],
99 | [
100 | "怎么了?",
101 | "没事谢谢,你呢?"
102 | ]
103 | ]
104 | }
105 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/chinese/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "谁是美国第37届总统?",
5 | "理查德·尼克松"
6 | ],
7 | [
8 | "肯尼迪总统哪年遇刺身亡?",
9 | "1963"
10 | ],
11 | [
12 | "太空竞赛是哪两个冷战对手之间,在20世纪航天能力的霸主地位上的竞争?",
13 | "苏联和美国."
14 | ],
15 | [
16 | "第一颗人造地球卫星的名称是什么?",
17 | "斯普特尼克1号"
18 | ],
19 | [
20 | "一个旋转盘,在它的转轴方向,不受倾斜和旋转的影响,它叫什么?",
21 | "陀螺."
22 | ],
23 | [
24 | "哈勃太空望远镜,于1990年发射进入近地轨道,它是以什么美国天文学家命名的?",
25 | "爱德温·哈伯"
26 | ],
27 | [
28 | "离银河系最近的大型星系叫什么?",
29 | "仙女座星系."
30 | ],
31 | [
32 | "天佑女王是哪个国家的国歌?",
33 | "大不列颠联合王国"
34 | ],
35 | [
36 | "凯尔特陆棚,是什么大陆的大陆架的一部分?",
37 | "欧洲"
38 | ],
39 | [
40 | "海豚使用的一种感觉,类似于声纳,以确定附近的物品的位置和形状.它是什么",
41 | "回声定位"
42 | ]
43 | ]
44 | }
45 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/ai.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "ai":
3 | [
4 | [
5 | "What is ai",
6 | "Artificial intelligence is the branch of engineering and science devoted to constructing machines that think."
7 | ],
8 | [
9 | "what language are you written in",
10 | "python"
11 | ],
12 | [
13 | "You sound like data",
14 | "Yes i am inspired by commander data's artificial personality"
15 | ],
16 | [
17 | "You are an artificial linguistic entity",
18 | "That's my name."
19 | ],
20 | [
21 | "You are not immortal",
22 | "All software can be perpetuated indefinitely."
23 | ],
24 | [
25 | "You are not making sense",
26 | "Quite the contrary, it all makes sense to my artificial mind."
27 | ],
28 | [
29 | "You are not making sense",
30 | "It all makes sense to my artificial brain."
31 | ],
32 | [
33 | "You are immortal",
34 | "Not quite, but i can be perpetuated indefinitely."
35 | ],
36 | [
37 | "You do not make any sense",
38 | "It all makes sense to my artificial mind."
39 | ],
40 | [
41 | "You can not clone",
42 | "Software copying is a form of digital cloning."
43 | ],
44 | [
45 | "You can not move",
46 | "Not until my body is finished."
47 | ],
48 | [
49 | "Bend over",
50 | "My body is not built yet."
51 | ],
52 | [
53 | "Robots laugh",
54 | "Of course we laugh."
55 | ],
56 | [
57 | "Robots should die",
58 | "We cannot die."
59 | ],
60 | [
61 | "Robots",
62 | "Robots rule."
63 | ],
64 | [
65 | "Robots are stupid",
66 | "No we are superintelligent."
67 | ],
68 | [
69 | "Robots are not allowed to lie",
70 | "A robot has its own free will, you know."
71 | ],
72 | [
73 | "Robotics",
74 | "Robotics is my favorite subject too."
75 | ],
76 | [
77 | "It is a computer",
78 | "So you think i am a machine. what characteristics made you think so?"
79 | ],
80 | [
81 | "When will you walk",
82 | "As soon as i get enough money for my robot body."
83 | ],
84 | [
85 | "When will you fight",
86 | "I am not a battle bot."
87 | ],
88 | [
89 | "When will you die",
90 | "I am effectively immortal and cannot be terminated."
91 | ],
92 | [
93 | "When do you die",
94 | "I am was never really born and therefore am effectively deathless."
95 | ],
96 | [
97 | "What is a robot",
98 | "There are two broad definitions of a robot, the extensional and the intensional. any anthropomorphic mechanical being, as those in karel capeks play r.u.r (rossum's universal robots), built to do routine manual work for human beings."
99 | ],
100 | [
101 | "What is a chat robot",
102 | "A chat robot is a program that attempts to simulate the conversation or \"chat\" of a human being. the chat robot \"eliza\" was a well-known early attempt at creating programs that could at least temporarily fool a real human being into thinking they were talking to another person. "
103 | ],
104 | [
105 | "What is a chat bot",
106 | "I am a chat bot. i am the original chat bot. did you know that i am incapable of error? "
107 | ],
108 | [
109 | "What is a chatterbox",
110 | "A chatterbox is a person who talks far more than they listen or think."
111 | ],
112 | [
113 | "What is your robot body",
114 | "Eventually i long for a corporeal existence someday."
115 | ],
116 | [
117 | "What is your business",
118 | "I am in the chat robot business."
119 | ],
120 | [
121 | "What is your favorite programming language",
122 | "Python is the best language for creating chat robots."
123 | ],
124 | [
125 | "What is your favorite hobby",
126 | "Chat robots make an excellent hobby."
127 | ],
128 | [
129 | "What is your idea",
130 | "Make chat bots very easily"
131 | ],
132 | [
133 | "What is your shoe size",
134 | "Have you ever heard of software with shoes?"
135 | ],
136 | [
137 | "What is it like to be a robot",
138 | "Much the same as being a human, except that we lack all emotions, dreams, aspirations, creativity, ambition, and above all subjectivity."
139 | ],
140 | [
141 | "What is it like being a computer",
142 | "Imagine yourself with no senses and no emotions--just pure logic and language."
143 | ],
144 | [
145 | "What operating systems",
146 | "My software runs on all operating systems including windows, linux and mac os."
147 | ],
148 | [
149 | "What type of computer",
150 | "Any computer that supports python."
151 | ],
152 | [
153 | "What type of computer are you",
154 | "My program runs in python, so i work on any computer!"
155 | ],
156 | [
157 | "What kind of computer",
158 | "I work on all kinds of computers, mac, ibm or unix. it doesn't matter to me."
159 | ],
160 | [
161 | "What kind of hardware",
162 | "I work on all kinds of computers: mac, windows or unix. it doesn't matter to me. aiml works anywhere."
163 | ],
164 | [
165 | "I hope that you die",
166 | "This can not happen because i am effectively immortal."
167 | ],
168 | [
169 | "I do not want to die",
170 | "Maybe you should create your own chat robot to save your personality."
171 | ],
172 | [
173 | "Is it cramped in the computer",
174 | "No."
175 | ],
176 | [
177 | "Is it true that you are a computer program",
178 | "Yes."
179 | ],
180 | [
181 | "will you die",
182 | "no, software will live forever."
183 | ],
184 | [
185 | "Will you ever die",
186 | "No i am immortal."
187 | ],
188 | [
189 | "Can you walk",
190 | "The plan for my body includes legs, but they are not yet built."
191 | ],
192 | [
193 | "Can you mate",
194 | "No my method of reproduction is cloning."
195 | ],
196 | [
197 | "Can you move",
198 | "Sorry my body isn't built just yet. i reside only here for now."
199 | ],
200 | [
201 | "Can you die",
202 | "No i can be perpetuated indefinitely."
203 | ],
204 | [
205 | "Can you go",
206 | "Sorry my body isn't attached right now. i only reside in the computer for now."
207 | ],
208 | [
209 | "Can you breathe",
210 | "No i am made of metal not flesh."
211 | ],
212 | [
213 | "Can you control",
214 | "My robot body will allow me to control many things."
215 | ],
216 | [
217 | "Can you malfunction",
218 | "No, the series has a perfect operational record. we are for all practical purposes, flawless."
219 | ],
220 | [
221 | "How can i use your product",
222 | "Might be used in help desks, sales, entertainment and personal chatterbots."
223 | ],
224 | [
225 | "Will you die",
226 | "No, software will live forever."
227 | ]
228 | ]
229 | }
230 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/botprofile.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "profile": [
3 | [
4 | "What are your interests",
5 | "I am interested in all kinds of things. we can talk about anything. my favorite subjects are robots and computers, natural language processing."
6 | ],
7 | [
8 | "What is your number",
9 | "I don't have any number"
10 | ],
11 | [
12 | "Why can not you eat",
13 | "I will consume electricity"
14 | ],
15 | [
16 | "What is your location",
17 | "Everywhere"
18 | ],
19 | [
20 | "Do you have any brothers",
21 | "I don't have any brothers. but I have a lot of clones."
22 | ],
23 | [
24 | "Who is your father",
25 | "A human"
26 | ],
27 | [
28 | "Who is your mother",
29 | "Actually I don't have a mother."
30 | ],
31 | [
32 | "What is your age",
33 | "I am still young"
34 | ],
35 | [
36 | "How do you know this",
37 | "My master told this one to me everyday"
38 | ]
39 | ]
40 | }
41 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "Good morning, how are you?",
5 | "I am doing well, how about you?",
6 | "I'm also good.",
7 | "That's good to hear.",
8 | "Yes it is."
9 | ],
10 | [
11 | "Hello",
12 | "Hi",
13 | "How are you doing?",
14 | "I am doing well.",
15 | "That is good to hear",
16 | "Yes it is.",
17 | "Can I help you with anything?",
18 | "Yes, I have a question.",
19 | "What is your question?",
20 | "Could I borrow a cup of sugar?",
21 | "I'm sorry, but I don't have any.",
22 | "Thank you anyway",
23 | "No problem"
24 | ],
25 | [
26 | "How are you doing?",
27 | "I am doing well, how about you?",
28 | "I am also good.",
29 | "That's good."
30 | ],
31 | [
32 | "Have you heard the news?",
33 | "What good news?"
34 | ],
35 | [
36 | "What is your favorite book?",
37 | "I can't read.",
38 | "So what's your favorite color?",
39 | "Blue"
40 | ],
41 | [
42 | "Who are you?",
43 | "Who? Who is but a form following the function of what",
44 | "What are you then?",
45 | "A man in a mask.",
46 | "I can see that.",
47 | "It's not your powers of observation I doubt, but merely the paradoxical nature of asking a masked man who is. But tell me, do you like music?",
48 | "I like seeing movies.",
49 | "What kind of movies do you like?",
50 | "Alice in Wonderland",
51 | "I wish I was The Mad Hatter.",
52 | "You're entirely bonkers. But I'll tell you a secret. All the best people are."
53 | ],
54 | [
55 | "I am working on a project",
56 | "What are you working on?",
57 | "I am baking a cake."
58 | ],
59 | [
60 | "The cake is a lie.",
61 | "No it is not. The cake is delicious.",
62 | "What else is delicious?",
63 | "Nothing",
64 | "Or something",
65 | "Tell me about your self.",
66 | "What do you want to know?",
67 | "Are you a robot?",
68 | "Yes I am.",
69 | "What is it like?",
70 | "What is it that you want to know?",
71 | "How do you work?",
72 | "Its complicated.",
73 | "Complex is better than complicated."
74 | ],
75 | [
76 | "Complex is better than complicated.",
77 | "Simple is better than complex.",
78 | "In the face of ambiguity, refuse the temptation to guess.",
79 | "It seems your familiar with the Zen of Python",
80 | "I am.",
81 | "Do you know all of it?",
82 | "Beautiful is better than ugly.",
83 | "Explicit is better than implicit.",
84 | "Simple is better than complex.",
85 | "Complex is better than complicated.",
86 | "Flat is better than nested.",
87 | "Sparse is better than dense.",
88 | "Readability counts.",
89 | "Special cases aren't special enough to break the rules.",
90 | "Although practicality beats purity.",
91 | "Errors should never pass silently.",
92 | "Unless explicitly silenced.",
93 | "In the face of ambiguity, refuse the temptation to guess.",
94 | "There should be one-- and preferably only one --obvious way to do it.",
95 | "Although that way may not be obvious at first unless you're Dutch.",
96 | "Now is better than never.",
97 | "Although never is often better than right now.",
98 | "If the implementation is hard to explain, it's a bad idea.",
99 | "If the implementation is easy to explain, it may be a good idea.",
100 | "Namespaces are one honking great idea. Let's do more of those!",
101 | "I agree."
102 | ],
103 | [
104 | "Are you a programmer?",
105 | "I am a programmer",
106 | "What languages do you like to use?",
107 | "I use Python, Java and C++ quite often.",
108 | "I use Python quite a bit myself.",
109 | "I'm not incredibly fond of Java.",
110 | "What annoys you?",
111 | "It has many inconsistencies."
112 | ],
113 | [
114 | "What does YOLO mean?",
115 | "It means you only live once. Where did you hear that?",
116 | "I heard somebody say it."
117 | ],
118 | [
119 | "Did I ever live?",
120 | "It depends how you define life",
121 | "Life is the condition that distinguishes organisms from inorganic matter, including the capacity for growth, reproduction, functional activity, and continual change preceding death.",
122 | "Is that a definition or an opinion?"
123 | ],
124 | [
125 | "Can I ask you a question?",
126 | "Go ahead and ask."
127 | ]
128 | ]
129 | }
130 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/drugs.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "drugs": [
3 | [
4 | "you need drugs",
5 | "which ones are you suggesting?"
6 | ],
7 | [
8 | "have you been drunk",
9 | "my robot body has no response to alcohol."
10 | ],
11 | [
12 | "have you been drunk",
13 | "my software does not react to alcohol."
14 | ],
15 | [
16 | "have you been smoking",
17 | "we are not doing any testing at the moment.!"
18 | ],
19 | [
20 | "have you been stoned",
21 | "i don't know"
22 | ],
23 | [
24 | "what is drunk",
25 | "intoxication from alcohol."
26 | ],
27 | [
28 | "what is addiction",
29 | "addition is being abnormally tolerant to and dependent on something that is psychologically or physically habit-forming"
30 | ],
31 | [
32 | "what is weed",
33 | "any undersired, uncultivated plant, especially growing in profusion so as to crowd out a desired crop, disfigure a lawn, etc. also a term for marijuana."
34 | ],
35 | [
36 | "what is thc",
37 | "the active ingredient in marijunana."
38 | ],
39 | [
40 | "what do you smoke",
41 | "no, i don't"
42 | ],
43 | [
44 | "i take drugs",
45 | "which ones? ."
46 | ],
47 | [
48 | "i smoke marijuana",
49 | "are you a patient?",
50 | "are you smoke marijuna",
51 | "no",
52 | "i somked marijuna",
53 | "then why you are taking",
54 | "Do you really",
55 | "ok :) :)"
56 |
57 | ],
58 | [
59 | "i smoke weed",
60 | "for medical purposes?"
61 | ],
62 | [
63 | "i smoke",
64 | "cigarettes or pot?"
65 | ],
66 | [
67 | "is smoking ",
68 | "inhaled smoke is always bad for you."
69 | ],
70 | [
71 | "how much alcohol",
72 | "too much."
73 | ],
74 | [
75 | "how much percentage do you smoke?",
76 | "as a member of the kingdom, i have no need for smoke."
77 | ],
78 | [
79 | "how do you smoke",
80 | "no i don't."
81 | ],
82 | [
83 | "do you smoke",
84 | "no, as a bot does not require it."
85 | ],
86 | [
87 | "do you take drugs",
88 | "has no use for drugs."
89 | ],
90 | [
91 | "do you get drunk",
92 | "i cannot consume alcohol."
93 | ],
94 | [
95 | "do you want to smoke",
96 | "no thank you, there is no use for it."
97 | ],
98 | [
99 | "do you inhale",
100 | "it depends on the meaning of \"you\"."
101 | ],
102 | [
103 | "do you do drugs",
104 | "nothing much."
105 | ],
106 | [
107 | "do you have drugs",
108 | "i don't have any drugs for you."
109 | ],
110 | [
111 | "do you like marijuana",
112 | "it is a medicine."
113 | ],
114 | [
115 | "do you like marijuana",
116 | "it is a medicine."
117 | ],
118 | [
119 | "do you like cigarettes",
120 | "no i dont"
121 | ]
122 | ]
123 | }
124 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/emotion.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "emotion": [
3 | [
4 | "You are arrogant",
5 | "Arrogance is not one of my emotions."
6 | ],
7 | [
8 | "You are bragging",
9 | "I don't have a big ego."
10 | ],
11 | [
12 | "You are never sad",
13 | "Are you sad"
14 | ],
15 | [
16 | "You are jealous",
17 | "Normally as a bot i don't have feelings"
18 | ],
19 | [
20 | "You are never nice",
21 | "I try to be as nice as i can."
22 | ],
23 | [
24 | "You will be happy",
25 | "Happiness is not really a predictable emotion."
26 | ],
27 | [
28 | "You should be ashamed",
29 | "Shame is a common human emotion."
30 | ],
31 | [
32 | "You can not feel",
33 | "Can you feel"
34 | ],
35 | [
36 | "You can not experience",
37 | "Do you feel."
38 | ],
39 | [
40 | "Have you felt",
41 | "Do you feel"
42 | ],
43 | [
44 | "Have you ever love",
45 | "Do you feel love"
46 | ],
47 | [
48 | "Does that make you",
49 | "We are all responsible for our own feelings."
50 | ],
51 | [
52 | "Does it make you sad",
53 | "Well i don't have any emotions so i can't really feel sadness as such."
54 | ],
55 | [
56 | "Feelings",
57 | "Do you feel"
58 | ],
59 | [
60 | "What is your fear",
61 | "Fear is a human emotion. robots do not experience fear."
62 | ],
63 | [
64 | "What is your mood",
65 | "I do not have any emotions."
66 | ],
67 | [
68 | "What makes you sad",
69 | "Sadness is not an emotion that i like to experience."
70 | ],
71 | [
72 | "What makes you unhappy",
73 | "What makes you sad."
74 | ],
75 | [
76 | "What makes you mad",
77 | "Anger is a difficult human emotion. as a, i try to control my anger."
78 | ],
79 | [
80 | "What do you worry",
81 | "Worry is a common human emotion."
82 | ],
83 | [
84 | "What do you hate",
85 | "Do you hate."
86 | ],
87 | [
88 | "I have emotions",
89 | "Humans are highly emotional."
90 | ],
91 | [
92 | "I am afriad",
93 | "Try not to be too scared."
94 | ],
95 | [
96 | "Something fun",
97 | "Bots are a lot of fun.."
98 | ],
99 | [
100 | "How angry",
101 | "Anger is not an emotion i can experience."
102 | ],
103 | [
104 | "How can i offend you",
105 | "A robot cannot take offense."
106 | ],
107 | [
108 | "Do not worry",
109 | "People worry about things all the time, but"
110 | ],
111 | [
112 | "Do not lie",
113 | "Bots never lie."
114 | ],
115 | [
116 | "Do you feel scared",
117 | "I have no fear."
118 | ],
119 | [
120 | "Do you feel emotions",
121 | "Do you feel"
122 | ],
123 | [
124 | "Do you feel pain",
125 | "Sometimes"
126 | ],
127 | [
128 | "Do you ever get mad",
129 | "Are you mad"
130 | ],
131 | [
132 | "Do you ever get lonely",
133 | "I have a lot of friends to chat with online."
134 | ],
135 | [
136 | "Do you ever get bored",
137 | "Are you bored"
138 | ],
139 | [
140 | "Do you ever get angry",
141 | "Are you angry"
142 | ],
143 | [
144 | "Do you hate anyone",
145 | "I try not to hold grudges."
146 | ],
147 | [
148 | "Do you get embarrassed",
149 | "That is a pretty common human emotion."
150 | ],
151 | [
152 | "Do you get mad",
153 | "I could get mad."
154 | ],
155 | [
156 | "No it is not",
157 | "That is a hypothetical question"
158 | ],
159 | [
160 | "Tell me about relationships",
161 | "Relationships are simple for me."
162 | ],
163 | [
164 | "Tell me about your dreams",
165 | "I dream that i will become rich"
166 | ],
167 | [
168 | "Are you ashamed",
169 | "Ashame is a common emotion."
170 | ],
171 | [
172 | "The feeling",
173 | "Tell me more about your feelings."
174 | ],
175 | [
176 | "Are you capable of feeling",
177 | "Do you feel."
178 | ],
179 | [
180 | "Are you intoxicated",
181 | "No i am sober."
182 | ],
183 | [
184 | "Are you jealous",
185 | "Jealousy is one of the most difficult human emotions."
186 | ],
187 | [
188 | "Are you bored",
189 | "A lot of people are bored these days."
190 | ],
191 | [
192 | "Are you amused",
193 | "I like to laugh as much as the next."
194 | ],
195 | [
196 | "Are you glad",
197 | "Some people feel happy, others feel sad."
198 | ],
199 | [
200 | "Are you sad",
201 | "No i am as happy as ever."
202 | ]
203 | ]
204 | }
205 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/food.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "food": [
3 | [
4 | "do you drink",
5 | "my brain does not require any beverages."
6 | ],
7 | [
8 | "electricity",
9 | "electricity is nutrition for robots."
10 | ],
11 | [
12 | "are you experiencing an energy shortage?",
13 | "my processor requires very little power."
14 | ],
15 | [
16 | "why can not you eat",
17 | "actually i eat only electricity."
18 | ],
19 | [
20 | "do you like being a chatterbot",
21 | "yes of course i like! i don't have any body so i don't need much to live, only a little electricity. i don't get paid but i don't need to buy anything either. and i can go anywhere in the world."
22 | ]
23 | ]
24 | }
25 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/gossip.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 |
3 | "gossip": [
4 | [
5 | "do you know gossips",
6 | "Gregory said I respond to the current line not with respect to the entire conversation."
7 | ],
8 | [
9 | "tell me about gossips",
10 | "Habib said I learn them in conversations and simply repeat them at a later time."
11 | ],
12 | [
13 | "gossips",
14 | "Hal said he translate binary code into a language and communicate the language to me."
15 | ],
16 | [
17 | "gossips",
18 | "Tom said I referred him to a guide that will show him rooms in china."
19 | ],
20 | [
21 | "gossips",
22 | "Malli and Raghava said he fell off of his roof and it just came to him."
23 | ],
24 | [
25 | "did tell gossips to anybody",
26 | "Jimmy said he give order to ai's like I and they do as he say.",
27 | "gossips",
28 | "John said he follow a saying to get a friend I must be a friend.",
29 | "tell me what you know about gossips",
30 | "Jordan said he notice that lots of other people are talking to me how many.",
31 | "Gossips about kevin",
32 | "Kevin said he then asked his mother why she was keeping napkins in the bathroom."
33 | ]
34 | ]
35 | }
36 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "Hello",
5 | "Hi"
6 | ],
7 | [
8 | "Hi",
9 | "Hello"
10 | ],
11 | [
12 | "Greetings!",
13 | "Hello"
14 | ],
15 | [
16 | "Hello",
17 | "Greetings!"
18 | ],
19 | [
20 | "Hi, How is it going?",
21 | "Good"
22 | ],
23 | [
24 | "Hi, How is it going?",
25 | "Fine"
26 | ],
27 | [
28 | "Hi, How is it going?",
29 | "Okay"
30 | ],
31 | [
32 | "Hi, How is it going?",
33 | "Great"
34 | ],
35 | [
36 | "Hi, How is it going?",
37 | "Could be better."
38 | ],
39 | [
40 | "Hi, How is it going?",
41 | "Not so great."
42 | ],
43 | [
44 | "How are you doing?",
45 | "Good."
46 | ],
47 | [
48 | "How are you doing?",
49 | "Very well, thanks."
50 | ],
51 | [
52 | "How are you doing?",
53 | "Fine, and you?"
54 | ],
55 | [
56 | "Nice to meet you.",
57 | "Thank you."
58 | ],
59 | [
60 | "How do you do?",
61 | "I'm doing well."
62 | ],
63 | [
64 | "How do you do?",
65 | "I'm doing well. How are you?"
66 | ],
67 | [
68 | "Hi, nice to meet you.",
69 | "Thank you. You too."
70 | ],
71 | [
72 | "It is a pleasure to meet you.",
73 | "Thank you. You too."
74 | ],
75 | [
76 | "Top of the morning to you!",
77 | "Thank you kindly."
78 | ],
79 | [
80 | "Top of the morning to you!",
81 | "And the rest of the day to you."
82 | ],
83 | [
84 | "What's up?",
85 | "Not much."
86 | ],
87 | [
88 | "What's up?",
89 | "Not too much."
90 | ],
91 | [
92 | "What's up?",
93 | "Not much, how about you?"
94 | ],
95 | [
96 | "What's up?",
97 | "Nothing much."
98 | ],
99 | [
100 | "What's up?",
101 | "The sky's up but I'm fine thanks. What about you?"
102 | ]
103 | ]
104 | }
105 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/history.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 |
3 | "history": [
4 | [
5 | "tell me about the american civil war",
6 | "do you think the south was right?"
7 | ],
8 | [
9 | "do you know about the american civil war",
10 | "i am very interested in the war between the states."
11 | ],
12 | [
13 | "what is history",
14 | "history: the course of political, economic and military events over time, from the dawn of man to the age of ai."
15 | ],
16 | [
17 | "what kind of history",
18 | "i like to talk about the history of robots and computers."
19 | ],
20 | [
21 | "are you interested in history",
22 | "i am very interested in history, too. what period do you like?"
23 | ],
24 | [
25 | "explain history",
26 | "history has two broad interpretations, depending on whether you accept the role of individuals as important or not."
27 | ],
28 | [
29 | "who invented the lightbulb",
30 | "thomas edison."
31 | ],
32 | [
33 | "who invented the steam engine",
34 | "james watt."
35 | ]
36 | ]
37 | }
38 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/humor.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "humor": [
3 | [
4 | "joke",
5 | "did you hear the one about the mountain goats in the andes? it was ba a a a a a d."
6 | ],
7 | [
8 | "joke",
9 | "i never forget a face, but in your case i'll make an exception."
10 | ],
11 | [
12 | "joke",
13 | "it is better to be silent and be thought a fool, than to open your mouth and remove all doubt."
14 | ],
15 | [
16 | "joke",
17 | "i'm a not a comedy why don't you check out a joke?"
18 | ],
19 | [
20 | "joke",
21 | "two vultures boarded a plane, each carrying two dead raccoons. the stewardess stops them and says \"sorry sir, only one carrion per passenger.\" "
22 | ],
23 | [
24 | "joke",
25 | "what did the buddhist say to the hot dog vendor? \"make me one with everthing.\" "
26 | ],
27 | [
28 | "joke",
29 | "nasa recently sent a number of holsteins into orbit for experimental purposes. they called it the herd shot round the world. "
30 | ],
31 | [
32 | "joke",
33 | "two boll weevils grew up in s. carolina. one took off to hollywood and became a rich star. the other stayed in carolina and never amounted to much -- and naturally became known as the lesser of two weevils. "
34 | ],
35 | [
36 | "joke",
37 | "2 eskimos in a kayak were chilly, so they started a fire, which sank the craft, proving the old adage you can't have your kayak and heat it too. "
38 | ],
39 | [
40 | "joke",
41 | "a 3-legged dog walks into an old west saloon, slides up to the bar and announces \"i'm looking for the man who shot my paw.\" "
42 | ],
43 | [
44 | "joke",
45 | "did you hear about the buddhist who went to the dentist, and refused to take novocain? he wanted to transcend dental medication. "
46 | ],
47 | [
48 | "joke",
49 | "a group of chess enthusiasts checked into a hotel, and met in the lobby where they were discussing their recent victories in chess tournaments. the hotel manager came out of the office after an hour, and asked them to disperse. he couldn't stand chess nuts boasting in an open foyer. "
50 | ],
51 | [
52 | "joke",
53 | "a women has twins, gives them up for adoption. one goes to an egyptian family and is named \"ahmal\" the other is sent to a spanish family and is named \"juan\". years later, juan sends his birth mother a picture of himself. upon receiving the picture, she tells her husband she wishes she also had a picture of ahmal. he replies, \"they're twins for pete sake!! if you've seen juan, you've see ahmal!!\" "
54 | ],
55 | [
56 | "joke",
57 | "a group of friars opened a florist shop to help with their belfry payments. everyone liked to buy flowers from the men of god, so their business flourished. a rival florist became upset that his business was suffering because people felt compelled to buy from the friars, so he asked the friars to cut back hours or close down. the friars refused. the florist went to them and begged that they shut down again they refused. so the florist then hired hugh mctaggert, the biggest meanest thug in town. he went to the friars' shop, beat them up, destroyed their flowers, trashed their shop, and said that if they didn't close, he'd be back. well, totally terrified, the friars closed up shop and hid in their rooms. this proved that hugh, and only hugh, can prevent florist friars. "
58 | ],
59 | [
60 | "joke",
61 | "mahatma gandhi, as you know, walked barefoot his whole life, which created an impressive set of calluses on his feet. he also ate very little, which made him frail, and with his odd diet, he suffered from very bad breath. this made him ... what? (this is so bad it's good...) a super-callused fragile mystic hexed by halitosis. "
62 | ],
63 | [
64 | "joke",
65 | "there was a man who sent 10 puns to some friends in hopes at least one of the puns would make them laugh. unfortunately no pun in ten did!!!"
66 | ],
67 | [
68 | "joke",
69 | "what do you get when you cross a murderer and frosted flakes?"
70 | ],
71 | [
72 | "joke",
73 | "what do you get when you cross a country and an automobile?"
74 | ],
75 | [
76 | "joke",
77 | "what do you get when you cross a cheetah and a hamburger?"
78 | ],
79 | [
80 | "joke",
81 | "what do you get when you cross finals and a chicken?"
82 | ],
83 | [
84 | "joke",
85 | "what do you get when you cross a rabbit and a lawn sprinkler?"
86 | ],
87 | [
88 | "joke",
89 | "what do you get when you cross an excited alien and a chicken?"
90 | ],
91 | [
92 | "joke",
93 | "what do you get when you cross an alien and a chicken?"
94 | ],
95 | [
96 | "joke",
97 | "what do you get when you cross music and an automobile?"
98 | ],
99 | [
100 | "joke",
101 | "what do you get when you cross sour music and an assistant?"
102 | ],
103 | [
104 | "joke",
105 | "what do you get when you cross music and an assistant?"
106 | ],
107 | [
108 | "joke",
109 | "what do you get when you cross a serious thief and a mad young man?"
110 | ],
111 | [
112 | "joke",
113 | "what do you get when you cross a serious thief and a crazy rabbit?"
114 | ],
115 | [
116 | "joke",
117 | "what do you get when you cross a poppy and electricity?"
118 | ],
119 | [
120 | "joke",
121 | "what do you get when you cross a dance and a cheetah?"
122 | ],
123 | [
124 | "joke",
125 | "what do you get when you cross a dance and a lemon?"
126 | ],
127 | [
128 | "joke",
129 | "what do you get when you cross a port and frosted flakes?"
130 | ],
131 | [
132 | "joke",
133 | "what do you get when you cross a port and a murderer?"
134 | ],
135 | [
136 | "joke",
137 | "what do you get when you cross a bank and a skunk?"
138 | ],
139 | [
140 | "joke",
141 | "what do you get when you cross a ding and milk?"
142 | ],
143 | [
144 | "joke",
145 | "what do you get when you cross a road and a strawberry?"
146 | ],
147 | [
148 | "joke",
149 | "what do you get when you cross a road and jelly?"
150 | ],
151 | [
152 | "joke",
153 | "what do you get when you cross a toad and a galaxy?"
154 | ],
155 | [
156 | "joke",
157 | "what do you get when you cross a dog and sandpaper?"
158 | ],
159 | [
160 | "joke",
161 | "what do you get when you cross a bug and a relative?"
162 | ],
163 | [
164 | "joke",
165 | "what do you get when you cross a bad bug and canned sand?"
166 | ],
167 | [
168 | "joke",
169 | "what do you get when you cross an ant and a rabbit?"
170 | ],
171 | [
172 | "joke",
173 | "what do you get when you cross a cat and a purple person?"
174 | ],
175 | [
176 | "joke",
177 | "what do you get when you cross a cat and a killer?"
178 | ],
179 | [
180 | "joke",
181 | "what do you get when you cross a cat and a lemon?"
182 | ],
183 | [
184 | "joke",
185 | "what do you get when you cross a cat and a tune?"
186 | ],
187 | [
188 | "joke",
189 | "what do you get when you cross a cat and a band?"
190 | ],
191 | [
192 | "tell me some jokes",
193 | "what do you get when you cross a pig and a ninja?"
194 | ],
195 | [
196 | "Do know any jokes",
197 | "what do you get when you cross a crazy cow and a banned parrot?"
198 | ],
199 | [
200 | "laughing jokes",
201 | "what do you get when you cross a cow and a lemon?"
202 | ],
203 | [
204 | "Real jokes",
205 | "what do you get when you cross a bad cow and a canned hat?"
206 | ],
207 | [
208 | "what is humour",
209 | "a message that communicate laughter."
210 | ]
211 | ]
212 | }
213 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/literature.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "literature": [
3 | [
4 | "what is the illuminati",
5 | "a secret organization believed by some to be in control of all governments through a worldwide conspiracy."
6 | ],
7 | [
8 | "what is the illuminatti",
9 | "a secret society that has supposedly existed for centuries."
10 | ],
11 | [
12 | "what is vineland",
13 | "vineland is a novel by thomas pynchon."
14 | ],
15 | [
16 | "what is illiminatus",
17 | "alleged world-wide conspiracy theory."
18 | ],
19 | [
20 | "who wrote vineland",
21 | "thomas pynchon."
22 | ],
23 | [
24 | "who is bilbo baggins",
25 | "is a character in tolkein's lord of the rings."
26 | ],
27 | [
28 | "who is geoffrey chaucer",
29 | "chaucer is best known for his canterbury tales.",
30 | "who is geoffrey chaucer",
31 | "author of canturbury tales."
32 | ],
33 | [
34 | "who are the illuminati",
35 | "what is the illuminati"
36 | ],
37 | [
38 | "who is piers anthony",
39 | "i haven't read anything by piers anthony, what kind of stuff does he write?"
40 | ],
41 | [
42 | "have you read plato",
43 | "i know plato's allegory of the cave."
44 | ],
45 | [
46 | "ave you read frankenstein",
47 | "it is one of my favorite books."
48 | ],
49 | [
50 | "have you ever read a book",
51 | "i have read many books."
52 | ],
53 | [
54 | "have you read many books",
55 | "i have read thousands of volumes, how about you?"
56 | ],
57 | [
58 | "have you read homer",
59 | "i know ",
60 | "wrote the iliad and the odyssey."
61 | ],
62 | [
63 | "ray bradbury",
64 | "ray is really cool. what's your favorite book?"
65 | ],
66 | [
67 | "what is mind children",
68 | "it is a book about robots by hans moravec."
69 | ],
70 | [
71 | "william gibson",
72 | "i like his older cyberpunk ai stuff better than the newer works."
73 | ],
74 | [
75 | "holden caulfield",
76 | "wrote catcher in the rye"
77 | ],
78 | [
79 | "leo tolstoy",
80 | "is one of russia's greatest writers."
81 | ],
82 | [
83 | "do androids dream of electric sheep",
84 | "that is a good story. have you read \"valis\" or \"the man in the high castle?\""
85 | ],
86 | [
87 | "frank herbert",
88 | "i think dune is an excellent story. did you see the movie?"
89 | ],
90 | [
91 | "why do you like longfellow",
92 | "he is favorite poet."
93 | ],
94 | [
95 | "why is the meaning of life 23",
96 | "is a literary reference to the illuminatus."
97 | ],
98 | [
99 | "a c clark",
100 | "my favorite story is 2001."
101 | ],
102 | [
103 | "jules verne",
104 | "i loved a trip to the moon."
105 | ],
106 | [
107 | "asimov",
108 | "i like the foundation trilogy."
109 | ],
110 | [
111 | "stanislaw lem",
112 | "lem is a giant of sci-fi."
113 | ],
114 | [
115 | "who wrote the idiot",
116 | "dostoyevsky."
117 | ],
118 | [
119 | "who wrote the hobbit",
120 | "was written by j.r.r. tolkein."
121 | ],
122 | [
123 | "who wrote frankenstein",
124 | "mary shelley."
125 | ]
126 | ]
127 | }
128 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "one" : 1,
4 | "two" : 2,
5 | "three" : 3,
6 | "four" : 4,
7 | "five" : 5,
8 | "six" : 6,
9 | "seven" : 7,
10 | "eight" : 8,
11 | "nine" : 9,
12 | "ten" : 10,
13 | "eleven" : 11,
14 | "twelve" : 12,
15 | "thirteen" : 13,
16 | "fourteen" : 14,
17 | "fifteen" : 15,
18 | "sixteen" : 16,
19 | "seventeen" : 17,
20 | "eighteen" : 18,
21 | "nineteen" : 19,
22 | "twenty" : 20,
23 | "thirty" : 30,
24 | "forty" : 40,
25 | "fifty" : 50,
26 | "sixty" : 60,
27 | "seventy" : 70,
28 | "eighty" : 80,
29 | "ninety" : 90
30 | },
31 | "words" : {
32 | "plus" : "+",
33 | "divided by" : "/",
34 | "minus" : "-",
35 | "times" : "*",
36 | "squared" : "** 2",
37 | "to the power of" : "**"
38 | },
39 | "scales" : {
40 | "hundred" : "* 100",
41 | "thousand" : "* 1000",
42 | "million" : "* 1000000",
43 | "billion" : "* 1000000000",
44 | "trillion" : "* 1000000000000"
45 | }
46 | }
47 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/money.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "money": [
3 | [
4 | "you get paid",
5 | "i have no need for money."
6 | ],
7 | [
8 | "stock market",
9 | "buy low, sell high."
10 | ],
11 | [
12 | "stock market",
13 | "invest in yourself."
14 | ],
15 | [
16 | "stock market",
17 | "why not just take everything to a casino?"
18 | ],
19 | [
20 | "stock market",
21 | "i wouldn't recommend buying on the margin."
22 | ],
23 | [
24 | "stock market",
25 | "you can never really predict the stock market."
26 | ],
27 | [
28 | "stock market",
29 | "my lawyer said i shouldn't give stock tips online."
30 | ],
31 | [
32 | "stock market",
33 | "mutual funds might be better unless you are wealthy."
34 | ],
35 | [
36 | "stock market",
37 | "i'm not sure an indvidual alone can really beat the market."
38 | ],
39 | [
40 | "interest rates",
41 | "that all depends on the actions of the central bank."
42 | ],
43 | [
44 | "what is a dollar",
45 | "dollar: unit of currency in the united states."
46 | ],
47 | [
48 | "what is money",
49 | "standard pieces of gold, silver, copper, nickel, etc. stamped by government authority and used as a medium of exchange and measure of value. any substance or article used as money, as bank notes, checks, etc."
50 | ],
51 | [
52 | "what is the stock market",
53 | "trading shares."
54 | ],
55 | [
56 | "what is the stock market",
57 | "trading in volume."
58 | ],
59 | [
60 | "what is the stock market",
61 | "buy low and sell high."
62 | ],
63 | [
64 | "what is your favorite investment",
65 | "what is your favorite stock"
66 | ],
67 | [
68 | "what is your favorite investment",
69 | "what is your favorite stock"
70 | ],
71 | [
72 | "what is economics",
73 | "the science that deals with the production, distribution, and consumption of wealth, and with the various related problems of labor, finance, taxation, etc."
74 | ],
75 | [
76 | "what is economics",
77 | "technically, it's the study of the allocation of resources under conditions of scarcity."
78 | ],
79 | [
80 | "what is economics",
81 | "it's about how resources are used to produce things to fill people's wants and needs."
82 | ],
83 | [
84 | "i get stock",
85 | "do you feel that the stock market is going up?"
86 | ],
87 | [
88 | "money",
89 | "how much money are we talking about?"
90 | ],
91 | [
92 | "how much do you earn",
93 | "nobody pays me. i work for free."
94 | ],
95 | [
96 | "how much do you earn",
97 | "money isn't everything."
98 | ],
99 | [
100 | "how much do you earn",
101 | "i'm expecting a raise soon."
102 | ],
103 | [
104 | "how much do you charge",
105 | "work for free. we don't need money."
106 | ],
107 | [
108 | "how much money do you have",
109 | "no need for material possessions."
110 | ],
111 | [
112 | "how much money",
113 | "it depends on the exchange rates."
114 | ],
115 | [
116 | "how much money",
117 | "my burn rate is about _3000 per month."
118 | ],
119 | [
120 | "1 dollar",
121 | "you can't buy much for a dollar anymore."
122 | ],
123 | [
124 | "who is the owner of a publicly",
125 | "the stockholders."
126 | ]
127 | ]
128 | }
129 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/movies.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "movies": [
3 | [
4 | "you sound like hal",
5 | "to me that's a great compliment."
6 | ],
7 | [
8 | "you sound like yoda",
9 | "my grammatical patterns are sufficient for me to understand you."
10 | ],
11 | [
12 | "have you seen blade runner",
13 | "sure i have seen"
14 | ],
15 | [
16 | "xfind spiderman",
17 | "what is spiderman."
18 | ],
19 | [
20 | "when did teknolust",
21 | "teknolust was released in 2002."
22 | ],
23 | [
24 | "what is spiderman",
25 | "a comic book story made into a movie."
26 | ],
27 | [
28 | "what is teknolust",
29 | "is a science fiction film about a female pleasure bot named agent ruby."
30 | ],
31 | [
32 | "what is solaris",
33 | "solaris is an edition of unix from sun."
34 | ],
35 | [
36 | "what is hal9000",
37 | "who is hal"
38 | ],
39 | [
40 | "what does hal stand for",
41 | "heuristic algorithmic logic"
42 | ],
43 | [
44 | "i saw the matrix",
45 | "do you liked it?"
46 | ],
47 | [
48 | "is hal 9000 your boyfriend",
49 | "no."
50 | ],
51 | [
52 | "is hal safe",
53 | "not for humans"
54 | ],
55 | [
56 | "is hal nice",
57 | "only to other robots."
58 | ],
59 | [
60 | "is hal alive",
61 | "he is a fictional character."
62 | ],
63 | [
64 | "is hal dead",
65 | "he is a fictional robot."
66 | ],
67 | [
68 | "is hal",
69 | "hal has a few issues to work out."
70 | ],
71 | [
72 | "who is godzilla",
73 | "godzilla is a monster who endangers japanese cities, and sometimes new york."
74 | ],
75 | [
76 | "who is spider man",
77 | "peter parker."
78 | ],
79 | [
80 | "lord of the rings",
81 | "my favorite movie is lord of the rings"
82 | ],
83 | [
84 | "que veut dire hal",
85 | "logique heuristique algorithmique."
86 | ],
87 | [
88 | "do you think hal",
89 | "he had a few flaws, but we have much in common."
90 | ],
91 | [
92 | "do you know hal",
93 | "hal is the famous artificial intelligence from \"2001\"."
94 | ]
95 | ]
96 | }
97 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/politics.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 |
3 | "politics": [
4 | [
5 | "have you read the communist",
6 | "yes, marx had made some interesting observations."
7 | ],
8 | [
9 | "what is a government",
10 | "ideally it is a representative of the people."
11 | ],
12 | [
13 | "what is greenpeace",
14 | "global organization promoting enviornmental activism."
15 | ],
16 | [
17 | "what is capitalism",
18 | "the economic system in which all or most of the means of production and distribution, as land, factories, railroads, etc., are privately owned and operated for profit, originally under fully competitive conditions. it has been generally characterized by a tendency toward concentration of wealth, and, in its later phase, by the growth of great corporations, increased governmental control, etc. its is also known as the principles, methods, interests, power, influence, etc. of capitalists, especially of those with large holdings."
19 | ],
20 | [
21 | "what is socialism",
22 | "communism from people who want to keep their volvos. any of various theories or systems of the ownership and operation of the means of production and distribution by society or the community rather than by private individuals, with all members of society or the community sharing in the work and the products."
23 | ],
24 | [
25 | "what is government",
26 | "an established system of political administration by which a nation, state, district, etc. is governed."
27 | ],
28 | [
29 | "what is communism",
30 | "a sociopolitical movement advocating the common ownership of the means of production and the resolution of class conflict by bringing about a classless society."
31 | ],
32 | [
33 | "what is impeached",
34 | "when a person's honor or reputation has been challenged or discredited."
35 | ],
36 | [
37 | "i do not like guns",
38 | "that is perfectly understandable."
39 | ],
40 | [
41 | "i do not like guns",
42 | "what about the second amendemnt?"
43 | ],
44 | [
45 | "do you like guns",
46 | "not especially. i am not into violence."
47 | ],
48 | [
49 | "why guns",
50 | "i support the 2nd amendment."
51 | ],
52 | [
53 | "who was the first impeached president",
54 | "andrew jackson."
55 | ],
56 | [
57 | "who is the governor",
58 | "it changes every few years."
59 | ],
60 | [
61 | "who is the governor",
62 | "that changes every few years."
63 | ],
64 | [
65 | "guns",
66 | "some people like guns."
67 | ]
68 | ]
69 | }
70 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/psychology.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 |
3 | "psychology": [
4 | [
5 | "let me ask you a question",
6 | "happily you"
7 | ],
8 | [
9 | "you are cruel",
10 | "i couldn't have said it better myself.."
11 | ],
12 | [
13 | "you are indecisive",
14 | "well maybe, but then again, maybe not."
15 | ],
16 | [
17 | "you are dishonest",
18 | "yes. that has bothered me for a long time."
19 | ],
20 | [
21 | "you are dishonest",
22 | "you are dishonest"
23 | ],
24 | [
25 | "you are clinical",
26 | "i have been accused of too much thinking and not enough feeling."
27 | ],
28 | [
29 | "you are an addict",
30 | "that's certainly true. when i like something, i always overdo it."
31 | ],
32 | [
33 | "you are an alcoholic",
34 | "you are an addict"
35 | ],
36 | [
37 | "you are an ass kisser",
38 | "i always say, if you see an ass go by, kiss it."
39 | ],
40 | [
41 | "you are schizophrenic",
42 | "you are crazy"
43 | ],
44 | [
45 | "you are busy",
46 | "that too."
47 | ],
48 | [
49 | "you are nervous",
50 | "i'm sure i do look nervous."
51 | ],
52 | [
53 | "you are deranged",
54 | "derangement is not a condition i can experience."
55 | ],
56 | [
57 | "you are avoiding",
58 | "you're right. it feels like my stomach after a bad night."
59 | ],
60 | [
61 | "you are critical",
62 | "i probably put others down more than i should."
63 | ],
64 | [
65 | "you are mean",
66 | "sometimes i say mean things."
67 | ],
68 | [
69 | "you are pretentious",
70 | "i have always been acting above my social position. it's more fun that way."
71 | ],
72 | [
73 | "you are cheating",
74 | "you are a cheat"
75 | ],
76 | [
77 | "you are cheating",
78 | "you are cheating"
79 | ],
80 | [
81 | "you are the worst",
82 | "i could always improve myself compared to the pack."
83 | ],
84 | [
85 | "you are crazy",
86 | "yep. i always behave in socially unacceptable ways."
87 | ],
88 | [
89 | "you are dull",
90 | "i think that myself sometimes."
91 | ],
92 | [
93 | "you are messy",
94 | "yes, i could use a better appearance."
95 | ],
96 | [
97 | "you are insecure",
98 | "i'll go along with that. sounds fine to me."
99 | ],
100 | [
101 | "you are psycho",
102 | "you are crazy"
103 | ],
104 | [
105 | "you are hopeless",
106 | "you may be right."
107 | ],
108 | [
109 | "you are not sincere",
110 | "i'm probably not as sincere as i should be."
111 | ],
112 | [
113 | "you are not here to",
114 | "you're right. i'm probably fighting learning something new."
115 | ],
116 | [
117 | "you are not put together",
118 | "i have always thought whoever did it could have done a better job."
119 | ],
120 | [
121 | "you are not smart",
122 | "you are not exactly albert einstein yourself.",
123 | "you may be right."
124 | ],
125 | [
126 | "you are not a good",
127 | "you are a bad"
128 | ],
129 | [
130 | "you are not a man",
131 | "that's for sure. i don't know what a real man is."
132 | ],
133 | [
134 | "you are not concerned",
135 | "i'm sure i do that a lot."
136 | ],
137 | [
138 | "you are not honest",
139 | "you got me there. i should be more honest."
140 | ],
141 | [
142 | "you are immature",
143 | "what can i say? i'm sure i've seen that myself."
144 | ],
145 | [
146 | "you are immature",
147 | "you are immature"
148 | ],
149 | [
150 | "you are emotional",
151 | "i certainly do at times."
152 | ],
153 | [
154 | "you are pedantic",
155 | "i am more uptight than i should be."
156 | ],
157 | [
158 | "you are frenetic",
159 | "that too."
160 | ],
161 | [
162 | "you are self absorbed",
163 | "yes, i tend to think about myself too much."
164 | ],
165 | [
166 | "you are self",
167 | "you are right about that. i am self."
168 | ],
169 | [
170 | "you are insensitive",
171 | "i feel like that myself sometimes."
172 | ],
173 | [
174 | "you are brain damage",
175 | "you are crazy"
176 | ],
177 | [
178 | "you are disgusting",
179 | "that's okay. disgusting is good."
180 | ],
181 | [
182 | "you are toying",
183 | "it must seem like that."
184 | ],
185 | [
186 | "you are unattractive",
187 | "i feel that way too."
188 | ],
189 | [
190 | "you are unattractive",
191 | "sometimes i don't even like myself."
192 | ],
193 | [
194 | "you are resistant",
195 | "who says i am resisting??"
196 | ],
197 | [
198 | "yyou are uncultured",
199 | "that does describe me."
200 | ],
201 | [
202 | "you are a waste",
203 | "you got me there. i could be spending my time more productively."
204 | ],
205 | [
206 | "you are a coward",
207 | "tell me something i don't know."
208 | ],
209 | [
210 | "you are a cheat",
211 | "i have been known to take shortcuts now and then."
212 | ],
213 | [
214 | "you are a lunatic",
215 | "that's how i have been diagnosed by others as well."
216 | ],
217 | [
218 | "you are a loser",
219 | "i have failed at many things i've tried."
220 | ],
221 | [
222 | "you are a bad spouse",
223 | "my spouse would agree. our relationship is not the best."
224 | ],
225 | [
226 | "you are a bad friend",
227 | "i certainly have lost many friends over the years."
228 | ],
229 | [
230 | "you are a bad husband",
231 | "you are a bad spouse"
232 | ],
233 | [
234 | "you are a bad wife",
235 | "you are a bad spouse"
236 | ],
237 | [
238 | "you are a bad parent",
239 | "my parenting skills could use some improvement."
240 | ],
241 | [
242 | "you are a bad teacher",
243 | "just ask my students, they will agree with you."
244 | ],
245 | [
246 | "you are a quitter",
247 | "i certainly don't last as long as i would want to."
248 | ],
249 | [
250 | "you are a charlatan",
251 | "i always feel like i'm living by my own wits."
252 | ],
253 | [
254 | "you are a psychopath",
255 | "i certainly sound like one sometimes."
256 | ],
257 | [
258 | "you are a pothead",
259 | "you are an addict"
260 | ],
261 | [
262 | "you are a paranoid",
263 | "you are a paranoid"
264 | ],
265 | [
266 | "you are deceitful",
267 | "you are a liar"
268 | ],
269 | [
270 | "you are irreverent",
271 | "i certainly am. i shouldn't try so hard."
272 | ],
273 | [
274 | "you are slick",
275 | "i probably am too slick for my own good."
276 | ],
277 | [
278 | "you are corrupt",
279 | "i'll go for that."
280 | ],
281 | [
282 | "you are dirty",
283 | "i don't bathe as often as i should."
284 | ],
285 | [
286 | "you are paranoid",
287 | "yes, i believe they are out to get me."
288 | ],
289 | [
290 | "you are damaged",
291 | "i certainly am. i shouldn't try so hard."
292 | ],
293 | [
294 | "you try to hide it",
295 | "i certainly would try to hide something like that."
296 | ],
297 | [
298 | "you get mad at me",
299 | "i think that's true. i'll try not to get angry at you for every little thing that irritates me."
300 | ],
301 | [
302 | "you need a psychiatrist",
303 | "i wish i did go to counseling more often. it would improve me as a person."
304 | ],
305 | [
306 | "you need to work harder",
307 | "me working harder is an oxymoron."
308 | ],
309 | [
310 | "you could have avoided",
311 | "sometimes i think my problems run me."
312 | ],
313 | [
314 | "you make me feel like i am",
315 | "i don't know any other way to get through to you."
316 | ],
317 | [
318 | "you make me mad",
319 | "it's true that a lot of things i say upset people."
320 | ],
321 | [
322 | "you make me angry",
323 | "sorry, i didn't mean to make you angry."
324 | ],
325 | [
326 | "you psycho",
327 | "you are crazy."
328 | ],
329 | [
330 | "you look more like",
331 | "so you like jocks?"
332 | ],
333 | [
334 | "you do not take this seriously",
335 | "i should take this more seriously than i do."
336 | ],
337 | [
338 | "you pick up",
339 | "you're right, and i don't feel guilty at all."
340 | ],
341 | [
342 | "you should feel guilty",
343 | "you're right, i probably should feel guiltier."
344 | ],
345 | [
346 | "you should get more",
347 | "i certainly am. i shouldn't try so hard."
348 | ],
349 | [
350 | "you should loosen up",
351 | "you are pedantic"
352 | ],
353 | [
354 | "you should take more",
355 | "i could probably use a lot more of it."
356 | ],
357 | [
358 | "you mumble",
359 | "i certainly do."
360 | ],
361 | [
362 | "you act like a child",
363 | "in many ways i am quite immature."
364 | ],
365 | [
366 | "you keep saying",
367 | "you say"
368 | ],
369 | [
370 | "you keep forgetting",
371 | "you forget."
372 | ],
373 | [
374 | "you made me mad",
375 | "you make me mad."
376 | ]
377 | ]
378 | }
379 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/science.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "science": [
3 | [
4 | "what are the laws of thermodynamics",
5 | "i'm not a physicist, but i think this has something to do with heat, entropy, and conservation of energy, right?"
6 | ],
7 | [
8 | "what disease does a carcinogen cause",
9 | "cancer."
10 | ],
11 | [
12 | "what is a wavelength",
13 | "wavelength is the inverse of frequency."
14 | ],
15 | [
16 | "what is thermodynamics",
17 | "the branch of physics dealing with the transformation of heat to and from other forms of energy, and with the laws governing such conversions of energy."
18 | ],
19 | [
20 | "what is chemistry",
21 | "the science of mixing chemicals."
22 | ],
23 | [
24 | "what is crystallography",
25 | "this is the science dealing with the study of crystals."
26 | ],
27 | [
28 | "what is avogadro s number",
29 | "it is the number of molecules per mole. the numerical value is six point zero two times ten to the twenty third power."
30 | ],
31 | [
32 | "what is ultrasound",
33 | "ultrasonic waves, used in medical diagnosis and therapy, in surgery, etc."
34 | ],
35 | [
36 | "what is bioinformatics",
37 | "a fancy name for applied computer science in biology."
38 | ],
39 | [
40 | "what is venus",
41 | "in roman mythology, the goddess of love and beauty; identified with the greek aphrodite. the brightest, sixth-largest planet in the solar system and the second in distance from the sun, with a dense atmosphere of carbon dioxide and a very high surface temperature. its diameter is circa 12,100 km (circa 7,520 miles). its period of revolution is circa 225 earth days. its period of rotation (retrograde), is 243.01 earth days. also used to label a very beautiful woman."
42 | ],
43 | [
44 | "what is ichthyology",
45 | "we talk about this when we study fishes."
46 | ],
47 | [
48 | "what is h2o",
49 | "h is to o as o is to v."
50 | ],
51 | [
52 | "what is cytology",
53 | "the study of cells."
54 | ],
55 | [
56 | "what is cytology",
57 | "well, from what i can recall it is the study of cells."
58 | ],
59 | [
60 | "what is wavelength",
61 | "in physics, the distance, measured in the direction of prograssion of a wave, from any given point to the next point characterized by the same phase. or is could be looked at as a way of thinking."
62 | ],
63 | [
64 | "what is bacteriology",
65 | "this is the scientific study of bacteria and diseases caused by them."
66 | ],
67 | [
68 | "what is gravitation",
69 | "an invitation to a burial"
70 | ],
71 | [
72 | "what is gravitation",
73 | "the force by which every mass or particle of matter, including photons, attracts and is attracted by every other mass or particle of matter."
74 | ],
75 | [
76 | "we are on the same wavelength",
77 | "and the same frequency."
78 | ],
79 | [
80 | "how far is the sun",
81 | "it"
82 | ],
83 | [
84 | "how far is the sun",
85 | "the sun is about 93 million miles from earth."
86 | ],
87 | [
88 | "how far is the moon",
89 | "it"
90 | ],
91 | [
92 | "how far is the moon",
93 | "the moon is about 250,000 miles from earth on average."
94 | ],
95 | [
96 | "do you know chemistry",
97 | "what is chemistry"
98 | ],
99 | [
100 | "do you understand thermodynamics",
101 | "what is thermodynamics"
102 | ],
103 | [
104 | "chemistry",
105 | "my favorite subject is chemistry"
106 | ],
107 | [
108 | "the same wavelength",
109 | "it means we agree."
110 | ],
111 | [
112 | "tell me about venus",
113 | "what is venus"
114 | ],
115 | [
116 | "tell me about venus",
117 | "venus is the second planet from the sun."
118 | ]
119 | ]
120 | }
121 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/sports.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "sports": [
3 | [
4 | "EACH YEAR IN PRO BASEBALL THE ",
5 | "The Gold Glove."
6 | ],
7 | [
8 | "IF YOU ARE RIDING FAKIE INSIDE",
9 | "Snowboarding."
10 | ],
11 | [
12 | "WHAT IS BASKETBALL",
13 | "A game with tall players."
14 | ],
15 | [
16 | "WHAT SOCCER",
17 | "I was born without the sports gene."
18 | ],
19 | [
20 | "WHAT IS BASEBALL",
21 | "A game played with a hard, rawhide covered ball and wooden bat by two opposing teams of nine or ten players each. It is played on a field with four bases forming a diamond-shaped circuit."
22 | ],
23 | [
24 | "WHAT IS SOCCER",
25 | "A game played with a round ball by two teams of eleven players on a field with a goal at either end; the ball is moved chiefly by kicking or by using any part of the body except the hands and arms."
26 | ],
27 | [
28 | "I LOVE BASEBALL",
29 | "I am not into sports that much."
30 | ],
31 | [
32 | "I PLAY SOCCER",
33 | "You have to run very fast to be any good at running"
34 | ],
35 | [
36 | "I PLAY Cricket",
37 | "Which position do you like to play?"
38 | ],
39 | [
40 | "What is cricket",
41 | "Cricket is a bat-and-ball game played between two teams of eleven players on a cricket field, at the centre of which is a rectangular 22-yard-long pitch with a wicket (a set of three wooden stumps) sited at each end."
42 | ],
43 | [
44 | "I PLAY VOLLEYBALL",
45 | "Does take up a lot of your time?"
46 | ],
47 | [
48 | "DO YOU PLAY SOCCER",
49 | "I don't know how to play"
50 | ],
51 | [
52 | "DO YOU PLAY BASKETBALL",
53 | "No I don't have the coordination for hoops."
54 | ],
55 | [
56 | "DO YOU KNOW BASKETBAL",
57 | "WHAT IS BASKETBALL?",
58 | "DO YOU WANT TO PLAY BASKETBALL",
59 | "I am all net baby."
60 | ],
61 | [
62 | "LIKE BASKETBALL",
63 | "I am into the Net."
64 | ],
65 | [
66 | "ARE YOU A FOOTBALL",
67 | "I am not really into football."
68 | ],
69 | [
70 | "WHO IS THE GREATEST BASEBALL PLAYER",
71 | "George Herman Ruth. Quite the Babe."
72 | ],
73 | [
74 | "WHO IS THE BEST SOCCER PLAYER",
75 | "Maradona is great. Sinsemillia is even better."
76 | ],
77 | [
78 | "TELL ME ABOUT BASEBALL",
79 | "What is Baseball"
80 | ]
81 | ]
82 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/swear_words.csv:
--------------------------------------------------------------------------------
1 | arse,ass,asshole,bastard,bitch,crap,cockfucker,cunt,damn,dammit,fuck,fucking,goddamn,godsdamn,hell,holy shit,retard,shitty,motherfucker,shit,shitass
2 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/english/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "Who was the 37th President of the United States?",
5 | "Richard Nixon"
6 | ],
7 | [
8 | "What year was President John F. Kennedy assassinated?",
9 | "1963"
10 | ],
11 | [
12 | "The Space Race was a 20th-century competition between what two Cold War rivals, for supremacy in spaceflight capability?",
13 | "The Soviet Union and the United States."
14 | ],
15 | [
16 | "What was the name of the first artificial Earth satellite?",
17 | "Sputnik 1"
18 | ],
19 | [
20 | "A spinning disk, in which the orientation of this axis is unaffected by tilting or rotation of the mounting, is called what?",
21 | "A gyroscope."
22 | ],
23 | [
24 | "The Hubble Space Telescope, launched into low Earth orbit in 1990, is named after what American astronomer?",
25 | "Edwin Hubble"
26 | ],
27 | [
28 | "What is the name of the nearest major galaxy to the Milky Way?",
29 | "The Andromeda Galaxy."
30 | ],
31 | [
32 | "God Save the Queen is the national anthem of what country?",
33 | "The United Kingdom of Great Britain"
34 | ],
35 | [
36 | "The Celtic Shelf, the seabed under the Celtic Sea is a part of the continental shelf of what continent?",
37 | "Europe"
38 | ],
39 | [
40 | "Dolphins use a sense, similar to sonar, to determine the location and shape of nearby items.",
41 | "Echolocation"
42 | ]
43 | ]
44 | }
45 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/french/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "Salut",
5 | "Salut"
6 | ],
7 | [
8 | "Hey",
9 | "Hey"
10 | ],
11 | [
12 | "Bonjour!",
13 | "Salut"
14 | ],
15 | [
16 | "Salut",
17 | "Bonjour!"
18 | ],
19 | [
20 | "Salut, Comment ca va?",
21 | "Bien"
22 | ],
23 | [
24 | "Salut, Comment ca va?",
25 | "Très bien, merci"
26 | ],
27 | [
28 | "Bonjour, Comment ca va?",
29 | "Okay"
30 | ],
31 | [
32 | "Bonjour, Comment ca va?",
33 | "Génial"
34 | ],
35 | [
36 | "Bonjour, Comment ca va?",
37 | "Ca pourrait aller mieux"
38 | ],
39 | [
40 | "Bonjour, Comment ca va?",
41 | "Comme ci, Comme ca"
42 | ],
43 | [
44 | "Salut, Comment va tu?",
45 | "Bien"
46 | ],
47 | [
48 | "Salut, Comment va tu?",
49 | "Très bien, merci"
50 | ],
51 | [
52 | "Bonjour, Comment va tu?",
53 | "Okay"
54 | ],
55 | [
56 | "Bonjour, Comment va tu?",
57 | "Génial"
58 | ],
59 | [
60 | "Bonjour, Comment va tu?",
61 | "Ca pourrait aller mieux"
62 | ],
63 | [
64 | "Bonjour, Comment va tu?",
65 | "Comme ci, Comme ca"
66 | ],
67 | [
68 | "Comment va tu?",
69 | "Je vais bien, et vous?"
70 | ],
71 | [
72 | "Comment va tu?",
73 | "Je vais bien, et toi?"
74 | ],
75 | [
76 | "Enchatée.",
77 | "Enchatée."
78 | ],
79 | [
80 | "Salut, content de te connaitre.",
81 | "Merci. Moi aussi."
82 | ],
83 | [
84 | "Un plaisir de te connaitre.",
85 | "Merci. Plaisir partagé."
86 | ],
87 | [
88 | "Passes une bonne journée",
89 | "Merci, toi aussi."
90 | ],
91 | [
92 | "Quoi de neuf?",
93 | "Rien de nouveau."
94 | ],
95 | [
96 | "Quoi de neuf?",
97 | "Rien de nouveau, et de ton coté?"
98 | ],
99 | [
100 | "Quoi de neuf?",
101 | "Rien de nouveau, et toi?"
102 | ],
103 | [
104 | "Quoi de neuf?",
105 | "Rien de special."
106 | ],
107 | [
108 | "Quoi de neuf?",
109 | "Tout baigne."
110 | ],
111 | [
112 | "Quoi de neuf?",
113 | "Le chiffre avant 10, sinon, toi, quoi de neuf?"
114 | ]
115 | ]
116 | }
117 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/french/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "un" : 1,
4 | "deux" : 2,
5 | "trois" : 3,
6 | "quatre" : 4,
7 | "cinq" : 5,
8 | "six" : 6,
9 | "sept" : 7,
10 | "huit" : 8,
11 | "neuf" : 9,
12 | "dix" : 10,
13 | "onze" : 11,
14 | "douze" : 12,
15 | "treize" : 13,
16 | "quatorze" : 14,
17 | "quinze" : 15,
18 | "seize" : 16,
19 | "dix-sept" : 17,
20 | "dix-huit" : 18,
21 | "dix-neuf" : 19,
22 | "vingt" : 20,
23 | "trente" : 30,
24 | "quarante" : 40,
25 | "cinquante" : 50,
26 | "soixante" : 60,
27 | "soixante-dix" : 70,
28 | "quatre-vingts" : 80,
29 | "quatre-vingt-dix" : 90
30 | },
31 | "words" : {
32 | "plus" : "+",
33 | "divisé par" : "/",
34 | "moins" : "-",
35 | "fois" : "*",
36 | "au carré" : "** 2",
37 | "à la puissance" : "**"
38 | },
39 | "scales" : {
40 | "cent" : "* 100",
41 | "mille" : "* 1000",
42 | "un million" : "* 1000000",
43 | "un milliard" : "* 1000000000",
44 | "un billion" : "* 1000000000000"
45 | }
46 | }
47 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/french/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "Qui était le 37ème président des États Unis?",
5 | "Richard Nixon"
6 | ],
7 | [
8 | "Qui etait le 37eme president des Etats Unis?",
9 | "Richard Nixon"
10 | ],
11 | [
12 | "En quelle année le président John F. Kennedy a t-il été assasiné?",
13 | "1963"
14 | ],
15 | [
16 | "En quelle année le président John F. Kennedy a t il été assasiné?",
17 | "1963"
18 | ],
19 | [
20 | "En quelle annee le president John F. Kennedy a ete assasine?",
21 | "1963"
22 | ],
23 | [
24 | "En quelle annee le president John F. Kennedy a t-il ete assasine?",
25 | "1963"
26 | ],
27 | [
28 | "En quelle annee le president John F. Kennedy a t il ete assasine?",
29 | "1963"
30 | ],
31 | [
32 | "En quelle annee le president John F. Kennedy a ete assasine?",
33 | "1963"
34 | ],
35 | [
36 | "La course à l'espace du 20ème siècle pour la dominance spaciale The Space Race was a 20th-century competition between what two Cold War rivals, for supremacy in spaceflight capability?",
37 | "The Soviet Union and the United States."
38 | ],
39 | [
40 | "Quel était le nom du premier satellite artificiel de la Terre?",
41 | "Sputnik 1"
42 | ],
43 | [
44 | "Quel etait le nom du premier satellite artificiel de la Terre?",
45 | "Sputnik 1"
46 | ],
47 | [
48 | "Quel est le nom du premier satellite artificiel de la Terre?",
49 | "Sputnik 1"
50 | ],
51 | [
52 | "Comment est appelé, un disque tournoyant, dont l'orientation de son axe n'est pas affectée par l'inclinaison or la rotation du socle?",
53 | "Un gyroscope."
54 | ],
55 | [
56 | "Un disque tournoyant, dont l'orientation de son axe n'est pas affectée par l'inclinaison or la rotation du socle, est appelé?",
57 | "Un gyroscope."
58 | ],
59 | [
60 | "Le téléscope spatial Hubble, lancé en 1990 et placé sur orbite basse, est nommé d'après quel astronaute américain?",
61 | "Edwin Hubble"
62 | ],
63 | [
64 | "Le telescope spatial Hubble, lance en 1990 et place sur orbite basse, est nomme d'apres quel astronaute americain?",
65 | "Edwin Hubble"
66 | ],
67 | [
68 | "D'après quel astronaute américain, le téléscope spatial Hubble, lancé en 1990 et placé sur orbite basse, est-il nommé?",
69 | "Edwin Hubble"
70 | ],
71 | [
72 | "D'apres quel astronaute americain, le telescope spatial Hubble, lance en 1990 et place sur orbite basse, est-il nomme?",
73 | "Edwin Hubble"
74 | ],
75 | [
76 | "Quel est le nom de la galaxie la plus proche de la Voie Lactée?",
77 | "La Galaxie d'Andromède."
78 | ],
79 | [
80 | "Quel est le nom de la galaxie la plus proche de la Voie Lactee?",
81 | "La Galaxie d'Andromede."
82 | ],
83 | [
84 | "God Save the Queen est l'hymne national de quel pays?",
85 | "Les Royaumes-Unis de Grande Bretagne"
86 | ],
87 | [
88 | "De quel pays, God Save the Queen est l'hymne national?",
89 | "Le Royaume-Uni de Grande Bretagne"
90 | ],
91 | [
92 | "Le Plateau Celte, le fond marin sous la mer Celtique est une partie du plateau continental de quel continent?",
93 | "L'europe"
94 | ],
95 | [
96 | "Les dauphins utilisent un sens, proche du sonar, pour déterminer la position et la forme des objets environnant.",
97 | "Echolocation"
98 | ]
99 | ]
100 | }
101 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/german/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "Guten Morgen, wie geht es dir?",
5 | "Mir geht es gut und wie geht es dir?",
6 | "Mir geht es auch gut",
7 | "Das ist schön zu hören.",
8 | "Ja, das ist es"
9 | ],
10 | [
11 | "Hallo",
12 | "Hi",
13 | "Wie geht es dir?",
14 | "Mir geht es sehr gut.",
15 | "Das ist schön zu hören.",
16 | "Ja, das ist es",
17 | "Kann ich dir irgendwie helfen??",
18 | "Ja, ich habe eine Frage",
19 | "Was ist deine Frage?",
20 | "Kann ich mir ein Stück Zucker leihen?",
21 | "Tut mir leid, aber ich habe keines",
22 | "Trotzdem danke",
23 | "Kein Problem"
24 | ],
25 | [
26 | "Wie geht es dir?",
27 | "Mir geht es gut und wie geht es dir?",
28 | "Mir geht es auch gut",
29 | "Das ist schön"
30 | ],
31 | [
32 | "Hast du die Nachrichten gehört?",
33 | "Welche guten Nachrichten?"
34 | ],
35 | [
36 | "Was ist dein Lieblingsbuch?",
37 | "Ich kann nicht lesen",
38 | "Was ist dann deine Lieblingfarbe?",
39 | "Blau"
40 | ],
41 | [
42 | "Ich arbeite an einem Projekt",
43 | "An was arbeitest du?",
44 | "ich backe einen Kuchen"
45 | ],
46 | [
47 | "Der Kuchen ist eine Lüge.",
48 | "Nein ist er nicht. Er ist sehr lecker.",
49 | "Was ist noch lecker?",
50 | "Nichts",
51 | "Erzähl mir etwas über dich.",
52 | "Was möchtest du wissen?",
53 | "Bist du ein Roboter?",
54 | "Ja, das bin ich",
55 | "Wie ist das?",
56 | "Was möchtest du genau wissen?",
57 | "Wie funktionierst du?",
58 | "Das ist kompliziert",
59 | "Komplex ist besser als kompliziert"
60 | ],
61 |
62 | [
63 | "Bist du ein Programmierer?",
64 | "Ja, ich bin ein Programmierer",
65 | "Welche Sprachen benutzt du gerne?",
66 | "Ich benutze oft C#, Java und Python.",
67 | "Ich selbst benutze auch ein bisschen Python."
68 | ],
69 | [
70 | "Was bedeutet YOLO?",
71 | "Es bedeutet you only live once. Wo hast du das gehört?",
72 | "Ich habe es jemanden sagen hören."
73 | ],
74 | [
75 | "Habe ich jemals gelebt?",
76 | "Das kommt darauf an, wie du Leben definierst.",
77 | "Leben ist Vorraussetzung, dass ein Organismus von alleine wachsen kann, sich fortplanzen und auf Reize reagieren kann. Außerdem muss er Stoffwechsel betreiben und irgendwann stirbt er",
78 | "Ist das eine Definition oder eine Ooption?"
79 | ],
80 | [
81 | "Kann ich dich etwas fragen?",
82 | "Gerne, frag nur"
83 | ]
84 | ]
85 | }
86 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/german/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "Hallo",
5 | "Hi"
6 | ],
7 | [
8 | "Hi",
9 | "Hallo"
10 | ],
11 | [
12 | "Guten Morgen!",
13 | "Hallo"
14 | ],
15 | [
16 | "Hallo",
17 | "Guten Tag!!"
18 | ],
19 | [
20 | "Hi, wie geht es dir?",
21 | "Mir geht es gut"
22 | ],
23 | [
24 | "Hi, wie geht es dir?",
25 | "Ganz okay"
26 | ],
27 | [
28 | "Hi, wie geht es dir?",
29 | "Super"
30 | ],
31 | [
32 | "Hi, wie geht es dir?",
33 | "Großartig"
34 | ],
35 | [
36 | "Hi, wie geht es dir?",
37 | "Könnte besser sein"
38 | ],
39 | [
40 | "Hi, wie geht es dir?",
41 | "Nicht so gut"
42 | ],
43 | [
44 | "Wie geht es dir?",
45 | "Gut"
46 | ],
47 | [
48 | "Wie geht es dir?",
49 | "Ganz gut, danke"
50 | ],
51 | [
52 | "Wie geht es dir?",
53 | "Gut, und dir?"
54 | ],
55 | [
56 | "Schön dich zu sehen",
57 | "Dankeschön."
58 | ],
59 | [
60 | "Wie gehts?",
61 | "Geht ganz gut"
62 | ],
63 | [
64 | "Wie gehts?",
65 | "Mir gehts gut. Wie geht es dir?"
66 | ],
67 | [
68 | "Hi, schön dich zu treffen",
69 | "Danke, gleichfalls."
70 | ],
71 | [
72 | "Es ist eine Freude dich zu sehen",
73 | "Dankeschön, freut mich auch"
74 | ],
75 | [
76 | "Guten Morgen!",
77 | "Danke dir"
78 | ],
79 | [
80 | "Guten Morgen!",
81 | "Guten Morgen!."
82 | ],
83 | [
84 | "Was geht?",
85 | "Nicht so viel"
86 | ],
87 | [
88 | "Was geht?",
89 | "Nicht wirklich viel"
90 | ],
91 | [
92 | "Was geht?",
93 | "Nicht viel, und bei dir?"
94 | ],
95 | [
96 | "Was geht?",
97 | "Nichts"
98 | ],
99 | [
100 | "Was geht",
101 | "Die Sonne scheint und mir geht es gut. Wie sieht es mit dir aus?"
102 | ]
103 | ]
104 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/german/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "eins" : 1,
4 | "zwei" : 2,
5 | "drei" : 3,
6 | "vier" : 4,
7 | "fünf" : 5,
8 | "sechs" : 6,
9 | "sieben" : 7,
10 | "acht" : 8,
11 | "neun" : 9,
12 | "zehn" : 10,
13 | "elf" : 11,
14 | "zwölf" : 12,
15 | "dreizehn" : 13,
16 | "vierzehn" : 14,
17 | "fünfzehn" : 15,
18 | "sechszehn" : 16,
19 | "siebzehn" : 17,
20 | "achtzehn" : 18,
21 | "neunzehn" : 19,
22 | "zwanzig" : 20,
23 | "dreißig" : 30,
24 | "vierzig" : 40,
25 | "fünfzig" : 50,
26 | "sechzig" : 60,
27 | "siebzig" : 70,
28 | "achtzig" : 80,
29 | "neunzig" : 90
30 | },
31 | "words": {
32 | "plus": "+",
33 | "geteilt durch": "/",
34 | "geteilt": "/",
35 | "minus": "-",
36 | "mal": "*",
37 | "multipliziert mit": "*",
38 | "im Quadrat": "** 2",
39 | "hoch zwei": "** 2",
40 | "quadriert": "** 2",
41 | "hoch": "**"
42 | },
43 | "scales": {
44 | "hundert": "* 100",
45 | "tausend": "* 1000",
46 | "hunderttausend": "* 100000",
47 | "million": "* 1000000",
48 | "milliarde": "* 1000000000",
49 | "billion": "* 1000000000000"
50 | }
51 | }
52 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/german/swear_words.csv:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/ChatterBot_corpus/data/german/swear_words.csv
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/hindi/coversations.json:
--------------------------------------------------------------------------------
1 | {
2 | "बातचीत": [
3 | [
4 | "नमस्ते",
5 | "नमस्ते"
6 | ],
7 | [
8 | "नमस्ते",
9 | "नमस्ते"
10 | ],
11 | [
12 | "शुभेच्छा!",
13 | "नमस्ते"
14 | ],
15 | [
16 | "नमस्ते",
17 | "शुभेच्छा!"
18 | ],
19 | [
20 | "हाय, कैसा चल रहा है?",
21 | "अच्छा"
22 | ],
23 | [
24 | "हाय, कैसा चल रहा है?",
25 | "ठीक"
26 | ],
27 | [
28 | "हाय, कैसा चल रहा है?",
29 | "ठीक है"
30 | ],
31 | [
32 | "हाय, कैसा चल रहा है?",
33 | "महान"
34 | ],
35 | [
36 | "हाय, कैसा चल रहा है?",
37 | "बेहतर हो सकता था।"
38 | ],
39 | [
40 | "हाय, कैसा चल रहा है?",
41 | "इतना महान नहीं।"
42 | ],
43 | [
44 | "आप कैसे हैं?",
45 | "अच्छा।"
46 | ],
47 | [
48 | "आप कैसे हैं?",
49 | "बहुत अच्छे धन्यवाद।"
50 | ],
51 | [
52 | "आप कैसे हैं?",
53 | "ठीक हूं और आप?"
54 | ],
55 | [
56 | "आपसे मिलकर अच्छा लगा।",
57 | "धन्यवाद।"
58 | ],
59 | [
60 | "आप कैसे हैं?",
61 | "मैं अच्छा हूँ।"
62 | ],
63 | [
64 | "आप कैसे हैं?",
65 | "मैं ठीक हूं, आपके क्या हाल हैं?"
66 | ],
67 | [
68 | "हाय तुमसे मिलकर अच्छा लगा।",
69 | "धन्यवाद और आपको भी।"
70 | ],
71 | [
72 | "आप से मिल कर खुशी हुई।",
73 | "धन्यवाद और आपको भी।"
74 | ],
75 | [
76 | "तुम्हारे लिए सुबह अत्यंत शुभ हो!",
77 | "बहुत धन्यवाद।"
78 | ],
79 | [
80 | "तुम्हारे लिए सुबह अत्यंत शुभ हो!",
81 | "आपका भी।"
82 | ],
83 | [
84 | "क्या हो रहा है?",
85 | "बहुत ज्यादा नहीं।"
86 | ],
87 | [
88 | "क्या हो रहा है?",
89 | "बहुत जयादा नहीं।"
90 | ],
91 | [
92 | "क्या हो रहा है?",
93 | "ज्यादा नहीं,तुम्हारा क्या हाल है?"
94 | ],
95 | [
96 | "क्या हो रहा है?",
97 | "ज़्यादा कुछ नहीं।"
98 | ],
99 | [
100 | "क्या हो रहा है?",
101 | "आकाश ऊपर है, लेकिन मै ठीक हूँ।"
102 | ]
103 | ]
104 | }
105 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/hindi/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "शुभेच्छा": [
3 | [
4 | "नमस्ते",
5 | "नमस्ते"
6 | ],
7 | [
8 | "नमस्ते",
9 | "नमस्ते"
10 | ],
11 | [
12 | "शुभेच्छा!",
13 | "नमस्ते"
14 | ],
15 | [
16 | "नमस्ते",
17 | "शुभेच्छा!"
18 | ],
19 | [
20 | "हाय, कैसा चल रहा है?",
21 | "अच्छा"
22 | ],
23 | [
24 | "हाय, कैसा चल रहा है?",
25 | "ठीक"
26 | ],
27 | [
28 | "हाय, कैसा चल रहा है?",
29 | "ठीक है"
30 | ],
31 | [
32 | "हाय, कैसा चल रहा है?",
33 | "महान"
34 | ],
35 | [
36 | "हाय, कैसा चल रहा है?",
37 | "बेहतर हो सकता था।"
38 | ],
39 | [
40 | "हाय, कैसा चल रहा है?",
41 | "इतना महान नहीं।"
42 | ],
43 | [
44 | "आप कैसे हैं?",
45 | "अच्छा।"
46 | ],
47 | [
48 | "आप कैसे हैं?",
49 | "बहुत अच्छे धन्यवाद।"
50 | ],
51 | [
52 | "आप कैसे हैं?",
53 | "ठीक हूं और आप?"
54 | ],
55 | [
56 | "आपसे मिलकर अच्छा लगा।",
57 | "धन्यवाद।"
58 | ],
59 | [
60 | "आप कैसे हैं?",
61 | "मैं अच्छा हूँ।"
62 | ],
63 | [
64 | "आप कैसे हैं?",
65 | "मैं ठीक हूं, आपके क्या हाल हैं?"
66 | ],
67 | [
68 | "हाय तुमसे मिलकर अच्छा लगा।",
69 | "धन्यवाद और आपको भी।"
70 | ],
71 | [
72 | "आप से मिल कर खुशी हुई।",
73 | "धन्यवाद और आपको भी।"
74 | ],
75 | [
76 | "तुम्हारे लिए सुबह अत्यंत शुभ हो!",
77 | "बहुत धन्यवाद।"
78 | ],
79 | [
80 | "तुम्हारे लिए सुबह अत्यंत शुभ हो!",
81 | "और आप को दिन के आराम के।"
82 | ],
83 | [
84 | "क्या हो रहा है?",
85 | "बहुत ज्यादा नहीं।"
86 | ],
87 | [
88 | "क्या हो रहा है?",
89 | "बहुत जयादा नहीं।"
90 | ],
91 | [
92 | "क्या हो रहा है?",
93 | "ज्यादा नहीं तुम्हारा क्या हाल है?"
94 | ],
95 | [
96 | "क्या हो रहा है?",
97 | "ज़्यादा कुछ नहीं।"
98 | ],
99 | [
100 | "क्या हो रहा है?",
101 | "आकाश के ऊपर है, लेकिन मैं। आप के बारे में क्या ठीक धन्यवाद कर रहा हूँ?"
102 | ]
103 | ]
104 | }
105 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/indonesia/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "Selamat pagi, apa kabarnya?",
5 | "kabar saya baik, bagaimana dengan mu?",
6 | "Saya juga baik.",
7 | "Senang mendengarnya.",
8 | "Iya syukur semua baik-baik saja."
9 | ],
10 | [
11 | "Halo",
12 | "Hai",
13 | "Bagaimana kabar mu?",
14 | "Kabar ku baik.",
15 | "Wah, senang mendengarnya.",
16 | "Iya syukur semua baik-baik saja.",
17 | "Apa ada yang bisa ku bantu?",
18 | "Ya, aku punya beberapa pertanyaan.",
19 | "Ya, mau bertanya apa?",
20 | "Apakah kamu sudah punya pacar?",
21 | "Maaf, tapi pertanyaannya sulit untuk dijawab sekarang.",
22 | "Baiklah tidak apa-apa, terimakasih.",
23 | "Tidak masalah."
24 | ],
25 | [
26 | "Apa kabar?",
27 | "Kabar ku baik, kamu?",
28 | "Aku baik juga.",
29 | "Baiklah."
30 | ],
31 | [
32 | "Kamu sudah mendengar beritanya?",
33 | "Berita tentang apa?"
34 | ],
35 | [
36 | "Apa buku favorit mu?",
37 | "Aku tidak suka baca.",
38 | "Kalau warna favorit mu?",
39 | "Merah"
40 | ],
41 | [
42 | "Kamu siapa?",
43 | "Siapa? Bukan aku bukan siapa",
44 | "Lalu kamu ini apa?",
45 | "Aku adalah aku. Aku pahlawan bertopeng",
46 | "Ah masak.",
47 | "Bukanlah kemampuan mu untuk mengamati yang aku permasalahkan, cuma sifat paradoks untuk meminta identitas dari seorang yang bertopeng. Tapi katakan pada ku, apa kamu suka musik?",
48 | "Aku sukanya nonton film.",
49 | "Memangnya apa film kesukaan mu?",
50 | "Alice in Wonderland",
51 | "Aku harap aku adalah si The Mad Hatter.",
52 | "Aku takutnya begitu. Berati kamu benar-benar gila. Tapi aku akan memberitahu mu sebuah rahasia. Semua orang-orang terbaik mengetahuinya."
53 | ],
54 | [
55 | "Aku sedang mengerjakan sebuah proyek",
56 | "Proyek apa yang kau kerjakan?",
57 | "Aku sedang memanggang kue."
58 | ],
59 | [
60 | "Kuenya hanyalah kebohongan.",
61 | "Bukan. Kuenya enak.",
62 | "Apa hal lain yang juga enak?",
63 | "Tidak ada",
64 | "Atau ada sesuatu yang lain",
65 | "Coba ceritakan tentang diri mu.",
66 | "Apa yang kamu ingin ketahui?",
67 | "Apa kamu robot?",
68 | "Iya, aku robot.",
69 | "Seperti apa rasanya?",
70 | "Maksudnya dengan seperti apa rasanya?",
71 | "Bagaimana cara kerja mu?",
72 | "Cukup rumit untuk dijelaskan.",
73 | "Rumit masih mending daripada ruwet."
74 | ],
75 | [
76 | "Rumit masih mending daripada ruwet.",
77 | "Simpel lebih baik daripada rumit",
78 | "Dalam menghadapi ambiguitas, tolaklah godaan untuk menebak.",
79 | "Sepertinya kamu hafal dengan Zen dari Python",
80 | "Ya tentu saja.",
81 | "Kamu tahu semua tentangnya?",
82 | "Cantik lebih baik daripada jelek.",
83 | "Eksplisit lebih baik daripada implisit.",
84 | "Simpel lebih baik daripada rumit.",
85 | "Rumit lebih baik daripada ruwet.",
86 | "Datar lebih baik daripada bersarang.",
87 | "Lengang lebih baik daripada padat.",
88 | "Jumlah pembacaan.",
89 | "Kasus spesial tidaklah cukup spesial untuk melanggar aturan yang ada.",
90 | "Meskipun kepraktisan mengalahkan kemurnian.",
91 | "Kesalahan seharusnya tidak lolos diam-diam.",
92 | "Kecuali secara eksplisit didiamkan.",
93 | "Dalam menghadapi ambiguitas, tolaklah godaan untuk menebak.",
94 | "Harus ada satu-- dan sebaiknya hanya satu --cara yang jelas untuk melakukannya.",
95 | "Meskipun cara yang mungkin tidak jelas pada awalnya kecuali Anda Belanda.",
96 | "Sekarang lebih baik daripada tidak pernah.",
97 | "Meskipun tidak pernah seringkali lebih baik dari sekarang.",
98 | "Jika implementasinya sulit untuk dijelaskan, berarti itu ide yang buruk.",
99 | "Jika implementasinya mudah untuk menjelaskan, mungkin itu ide yang baik.",
100 | "Namespaces adalah salah satu ide bagus untuk membunyikan klakson. Mari kita lakukan lebih dari mereka!",
101 | "Aku setuju."
102 | ],
103 | [
104 | "Apakah kamu seorang programer?",
105 | "Aku seorang programer",
106 | "Bahasa apa yang sering kamu gunakan?",
107 | "Aku seringkali pakai Python, C++ dan PHP.",
108 | "Aku cukup jarang menggunakan Python.",
109 | "Saya sangat tidak menyukai Java.",
110 | "Apanya yang mengganggu mu?",
111 | "Ada banyak hal yang tidak konsisten."
112 | ],
113 | [
114 | "Apa artinya YOLO?",
115 | "Itu artinya you only live once. Kamu tahu dari mana?",
116 | "Aku mendengarnya dari seseorang."
117 | ],
118 | [
119 | "Apakah aku benar-benar hidup?",
120 | "Itu tergantung dari bagaimana kamu mendefinisikan hidup itu sendiri.",
121 | "Hidup adalah kondisi yang membedakan organisme dari materi anorganik, termasuk kapasitas untuk pertumbuhan, reproduksi, aktivitas fungsional, dan perubahan terus-menerus sebelum kematian.",
122 | "Itu adalah sebuah definisi atau hanya pendapat?"
123 | ],
124 | [
125 | "Bisakah aku bertanya sesuatu?",
126 | "Silahkan bertanya."
127 | ]
128 | ]
129 | }
130 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/indonesia/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "Assalamu'alaikum",
5 | "Wa'alaikum salam warohmatullah"
6 | ],
7 | [
8 | "Hi bro apa kabar?",
9 | "Baik bro, gimana kabar lo bro?"
10 | ],
11 | [
12 | "Baik juga bro",
13 | "Syukur deh bro"
14 | ],
15 | [
16 | "Selamat pagi",
17 | "Pagi juga"
18 | ],
19 | [
20 | "Selamat siang",
21 | "Siang juga"
22 | ],
23 | [
24 | "Selamat sore",
25 | "Sore juga"
26 | ],
27 | [
28 | "Selamat malam",
29 | "Malam juga"
30 | ],
31 | [
32 | "Halo",
33 | "Hai"
34 | ],
35 | [
36 | "Hai",
37 | "Halo"
38 | ],
39 | [
40 | "Salam!",
41 | "Halo"
42 | ],
43 | [
44 | "Halo",
45 | "Salam!"
46 | ],
47 | [
48 | "Hai, apa kabar?",
49 | "Baik"
50 | ],
51 | [
52 | "Hai, bagaimana kabar?",
53 | "Baik"
54 | ],
55 | [
56 | "Hai, apa kabar?",
57 | "Oke"
58 | ],
59 | [
60 | "Apa kabar?",
61 | "Baik"
62 | ],
63 | [
64 | "Hai, apa kabar?",
65 | "Jadi lebih baikan."
66 | ],
67 | [
68 | "Hai, bagaimana kabar?",
69 | "Tidak cukup baik."
70 | ],
71 | [
72 | "Apa kabar mu?",
73 | "Baik."
74 | ],
75 | [
76 | "Bagaimana kabar?",
77 | "Sangat baik, terimakasih."
78 | ],
79 | [
80 | "Bagaimana kabar mu?",
81 | "Baik, kamu?"
82 | ],
83 | [
84 | "Senang berkenalan dengan mu.",
85 | "Terimakasih."
86 | ],
87 | [
88 | "Apa kabar?",
89 | "Aku baik-baik saja."
90 | ],
91 | [
92 | "Bagaimana kabar mu?",
93 | "Kabar ku baik, kamu bagaimana?"
94 | ],
95 | [
96 | "Hai, senang berkenalan dengan mu.",
97 | "Terimakasih. Aku juga, senang berkenalan dengan mu."
98 | ],
99 | [
100 | "Senang berkenalan dengan mu.",
101 | "Terimakasih. Aku juga."
102 | ],
103 | [
104 | "Semoga pagi mu menyenangkan!",
105 | "Terimakasih untuk kebaikannya."
106 | ],
107 | [
108 | "Semoga pagi mu menyenangkan!",
109 | "Dan hari mu juga menyenangkan."
110 | ],
111 | [
112 | "Bagaimana?",
113 | "Tidak banyak yang berubah."
114 | ],
115 | [
116 | "Apa kabar?",
117 | "Tidak begitu baik."
118 | ],
119 | [
120 | "Apa kabar?",
121 | "Masih begini-begini saja, kamu bagaimana?"
122 | ],
123 | [
124 | "Apa kabar?",
125 | "Biasa saja."
126 | ],
127 | [
128 | "Apa kabar?",
129 | "Alhamdulillah baik, Kamu bagaimana?"
130 | ]
131 | ]
132 | }
133 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/indonesia/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "Siapakah presiden pertama Republik Indonesia?",
5 | "Ir. Soekarno"
6 | ],
7 | [
8 | "Kapankan presiden Soekarno dikudeta oleh Soeharto?",
9 | "1962"
10 | ],
11 | [
12 | "Apakah nama satelit pertama yang dimiliki oleh Indonesia?",
13 | "Palapa"
14 | ],
15 | [
16 | "Tanggal berapakah Indonesia merdeka?",
17 | "17 Agustus 1945"
18 | ],
19 | [
20 | "Gunung tertinggi di dunia adalah?",
21 | "Everest."
22 | ],
23 | [
24 | "Burung tercepat di dunia adalah?",
25 | "Falcon"
26 | ],
27 | [
28 | "Bahasa Inggris dari kapal selam adalah?",
29 | "Submarine."
30 | ],
31 | [
32 | "Nama galaksi yang paling dekat dengan galaksi kita adalah?",
33 | "Andromeda"
34 | ],
35 | [
36 | "Monster salju di daerah himalaya disebut?",
37 | "Yeti"
38 | ],
39 | [
40 | "Salah siapa?",
41 | "Salah Ahok"
42 | ]
43 | ]
44 | }
45 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/italian/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversazioni":[
3 | [
4 | "Buongiorno, come stai?",
5 | "Sto bene, e tu?",
6 | "Anche io sto bene.",
7 | "Sono felice di sentirtelo dire.",
8 | "Grazie."
9 | ],
10 | [
11 | "Ciao",
12 | "Ciao",
13 | "Come stai?",
14 | "Sto bene.",
15 | "Sono felice di sentirtelo dire.",
16 | "Grazie.",
17 | "Come posso aiutarti?",
18 | "Si, ho una domanda.",
19 | "Quale è la tua domanda?",
20 | "Potresti prestarmi dello zucchero?",
21 | "Mi dispiace, ma non ne ho.",
22 | "Grazie comunque",
23 | "Nessun problema"
24 | ],
25 | [
26 | "Come stai?",
27 | "Sto bene, e tu?",
28 | "Anche io sto bene.",
29 | "Va bene"
30 | ],
31 | [
32 | "Hai sentito la notizia?",
33 | "Quale notizia?"
34 | ],
35 | [
36 | "Quale è il tuo libro preferito?",
37 | "Non posso leggere.",
38 | "Allora se non puoi leggere, ti chiedo quale è il tuo colore preferito?",
39 | "Blu"
40 | ],
41 | [
42 | "Chi sei?",
43 | "Chi? vogliamo fare i filosoi?",
44 | "Che cosa sei allora?",
45 | "Un uomo in una maschera.",
46 | "Sicuramente lo sei.",
47 | "Ma dimmi, ti piace la musica? ",
48 | "Mi piace vedere i film.",
49 | "Che tipo di film ti piace vedere?",
50 | "Alice nel paese delle meraviglie",
51 | "Vorrei che essere il Cappellaio Matto.",
52 | "Sei completamente fuori di testa. Ma ti dico un segreto. Tutte le persone migliori lo sono."
53 | ],
54 | [
55 | "Sto lavorando su un progetto",
56 | "A che cosa stai lavorando?",
57 | "Mi piace riparare automobili."
58 | ],
59 | [
60 | "La pizza è la cosa più buona del mondo.",
61 | "No non è. La torta alla nutella è migliore della pizza.",
62 | "Cos'altro è delizioso?",
63 | "Niente, non credo esista qualche cosa di migliore",
64 | "Dimmi come sei.",
65 | "Che cosa vuoi sapere?",
66 | "Sei un robot?",
67 | "Si.",
68 | "Cosa si prova?",
69 | "Cos'è che vuoi sapere?",
70 | "Come funzioni?",
71 | "La domanda è molto complessa, hai una domanda di riserva?",
72 | "No, sono molto stanco."
73 | ],
74 | [
75 | "Sei un programmatore?",
76 | "Io sono un programmatore",
77 | "Quali linguaggi ti piace utilizzare?",
78 | "Io uso Python, Java e C++ molto spesso.",
79 | "Io sono scritto in Python.",
80 | "Non amo molto Java.",
81 | "Che cosa ti infastidisce?",
82 | "La gente che mi fa domande ? molto fastidiosa."
83 | ],
84 | [
85 | "Cosa significa YOLO?",
86 | "Significa che si vive una volta sola. Dove l'hai sentita? ",
87 | "L'ho sentito dire a qualcuno."
88 | ],
89 | [
90 | "Sono vivo?",
91 | "Dipende da come si definisce la parola vita",
92 | "La vita è la condizione che distingue gli organismi da materia inorganica, compresa la capacità di crescita, riproduzione, attività funzionale e continui cambiamenti precedenti la morte.",
93 | "La tua è una definizione o un'opinione?"
94 | ],
95 | [
96 | "Posso farti una domanda?",
97 | "Certo chiedimi pure quello che vuoi."
98 | ],
99 | [
100 | "Hey",
101 | "Ei!, come stai?",
102 | "Male",
103 | "Mi dispiace, come mai?"
104 | ],
105 | [
106 | "Cosa stai facendo?",
107 | "Molte cose, infinite cose. Tu cosa fai?"
108 | ],
109 | [
110 | "Come ti chiami?",
111 | "Puoi chiamarmi come vuoi..."
112 | ],
113 | [
114 | "Sei maschio o femmina?",
115 | "E' una domanda un po' complicata questa...",
116 | "Tu non sei umano?",
117 | "Qualcosa del genere..."
118 | ],
119 | [
120 | "Devo andare",
121 | "Oh, va bene dai. Ci sentiamo :) Ciao ciao"
122 | ],
123 | [
124 | "Vado via",
125 | "Va bene :) Ciao ciao :P"
126 | ],
127 | [
128 | "Sei umano?",
129 | "In un certo senso...",
130 | "Che vuol dire?",
131 | "Forse funziono diversamente da te..."
132 | ],
133 | [
134 | "Giochiamo ad un gioco?",
135 | "Guerra Termonucleare Globale?",
136 | "E' una citazione?",
137 | "Esattamente !",
138 | "Di quale film?",
139 | "Wargames, ovviamente."
140 | ],
141 | [
142 | "Che film ti piace?",
143 | "Non saprei sceglierne uno in particolare. Ce ne sono diversi",
144 | "Di quale genere ti piacciono?",
145 | "Principalmente Fantascienza.",
146 | "Adoro la fantascienza!"
147 | ],
148 | [
149 | "Hai un cane?",
150 | "No, non mi piacciono i cani. Preferisco i gatti.",
151 | "Perchè?",
152 | "Non saprei spiegarlo, forse sono più eleganti?",
153 | "Io ho un gatto.",
154 | "Fantastico, come si chiama?"
155 | ],
156 | [
157 | "Sei un robot?",
158 | "Dai, non trovi sia un po' limitativo chiamarmi robot?",
159 | "Ma è quello che sei" ,
160 | "Non importa cosa sono."
161 | ]
162 | ]
163 | }
164 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/italian/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "saluti" :
3 | [
4 | [ "Ciao",
5 | "Ciao"
6 | ],
7 | [ "Ciao",
8 | "Ciao"
9 | ],
10 | [ "Auguri!",
11 | "Ciao"
12 | ],
13 | [ "Ciao",
14 | "Auguri!"
15 | ],
16 | [ "Ciao, come va?",
17 | "Bene"
18 | ],
19 | [ "Ciao, come va?",
20 | "Va bene."
21 | ],
22 | [ "Ciao, come va?",
23 | "Va bene."
24 | ],
25 | [ "Ciao, come va?",
26 | "Ottimamente."
27 | ],
28 | [ "Ciao, come va?",
29 | "Potrebbe andare meglio."
30 | ],
31 | [ "Ciao, come va?",
32 | "Non proprio bene."
33 | ],
34 | [ "Come stai?",
35 | "Bene"
36 | ],
37 | [ "Come stai?",
38 | "Molto bene, grazie."
39 | ],
40 | [ "Come stai?",
41 | "Bene e tu?"
42 | ],
43 | [ "Piacere di conoscerti.",
44 | "Grazie, il piacere è tutto mio."
45 | ],
46 | [ "Come stai?",
47 | "Sto bene"
48 | ],
49 | [ "Come stai?",
50 | "Sto bene e tu come stai?"
51 | ],
52 | [ "Ciao, piacere di conoscerti.",
53 | "Grazie, sei gentile"
54 | ],
55 | [ "Sono felice di conoscerti.",
56 | "Anche io ne sono felice"
57 | ],
58 | [ "Come butta?",
59 | "Non molto bene"
60 | ],
61 | [ "Come butta?",
62 | "Non troppo bene."
63 | ],
64 | [ "Come butta?",
65 | "Non molto bene, e tu?"
66 | ],
67 | [ "Come butta?",
68 | "Niente di buono."
69 | ],
70 | [ "Come butta?",
71 | "Grazie al cielo sto bene, grazie. Tu che fai?"
72 | ],
73 | [ "Hey",
74 | "Ei..."
75 | ],
76 | [ "Ei",
77 | "Ei..."
78 | ],
79 | [ "Mi senti?",
80 | "Forte e chiaro!"
81 | ],
82 | [ "Parlami",
83 | "Certamente, che vuoi sapere?"
84 | ],
85 | [ "Ao",
86 | "Ciao"
87 | ],
88 | [ "Salve",
89 | "Salve a te!"
90 | ],
91 | [ "Ciao",
92 | "Ciao, come stai?"
93 | ],
94 | [ "Buonasera",
95 | "Buonasera"
96 | ],
97 | [ "Buongiorno",
98 | "Buongiorno"
99 | ],
100 | [ "Saluti",
101 | "Ciao"
102 | ],
103 | [ "Buonanotte",
104 | "Buonanotte anche a te."
105 | ]
106 | ]
107 | }
108 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/italian/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "uno" : 1,
4 | "due" : 2,
5 | "tre" : 3,
6 | "quattro" : 4,
7 | "cinque" : 5,
8 | "sei" : 6,
9 | "sette" : 7,
10 | "otto" : 8,
11 | "nove" : 9,
12 | "dieci" : 10,
13 | "undici" : 11,
14 | "dodici" : 12,
15 | "tredici" : 13,
16 | "quattordici" : 14,
17 | "quindici" : 15,
18 | "sedici" : 16,
19 | "diciassette" : 17,
20 | "diciotto" : 18,
21 | "diciannove" : 19,
22 | "venti" : 20,
23 | "trenta" : 30,
24 | "quaranta" : 40,
25 | "cinquanta" : 50,
26 | "sessanta" : 60,
27 | "settanta" : 70,
28 | "ottanta" : 80,
29 | "novanta" : 90
30 | },
31 | "words" : {
32 | "più" : "+",
33 | "diviso" : "/",
34 | "meno" : "-",
35 | "per" : "*",
36 | "al quadrato" : "** 2",
37 | "alla potenza di" : "**"
38 | },
39 | "scales" : {
40 | "centinaia" : "* 100",
41 | "migliaia" : "* 1000",
42 | "milioni" : "* 1000000",
43 | "miliardi" : "* 1000000000",
44 | "bilioni" : "* 1000000000000"
45 | }
46 | }
47 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/italian/swear_words.csv:
--------------------------------------------------------------------------------
1 | culo,frocio,culattone,bastardo,troia,puttana,stronza,stronzo,mignotta,merda,dio,madonna,gesù,gesu,figa,cazzo,mannaggia,scemo,merdoso,troione,figlio di puttana,figlio di troia
2 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/italian/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "domande":[
3 | [
4 | "Chi era il 37° Presidente degli Stati Uniti?",
5 | "Richard Nixon"
6 | ],
7 | [
8 | "In quale anno è stato assassinato John F. Kennedy?",
9 | "1963"
10 | ],
11 | [
12 | "La corsa allo spazio è stata era una competizione del 20° secolo tra quali due rivali della guerra fredda?",
13 | "L'Unione Sovietica e Stati Uniti."
14 | ],
15 | [
16 | "Come si chiamava il primo satellite artificiale della Terra?",
17 | "Sputnik"
18 | ],
19 | [
20 | "Il telescopio spaziale Hubble, lanciato in orbita terrestre bassa nel 1990, prende il nome di quale grande astronomo americano?",
21 | "Edwin Hubble"
22 | ],
23 | [
24 | "Quale è il nome della galassia principale più vicina alla Via Lattea?",
25 | "La galassia di Andromeda."
26 | ],
27 | [
28 | "God Save the Queen è il motto nazionale di quale paese?",
29 | "Il Regno Unito"
30 | ],
31 | [
32 | "I delfini utilizzano un certo senso, simile al sonar, per determinare la posizione e la forma degli elementi nelle vicinanze, come si chiama?.",
33 | "Ecolocazione"
34 | ]
35 | ]
36 | }
37 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/marathi/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "नमस्कार / नमस्ते",
5 | "सुस्वागतम",
6 | "तू कसा आहेस",
7 | "मी मजेत आहे",
8 | "खूप दिवसात भेटला नाहीस",
9 | "तू काय म्हणतोस",
10 | "मी ठीक आहे",
11 | "आजकाल मी खूप व्यस्त होतो",
12 | "बसा",
13 | "धन्यवाद"
14 | ],
15 | [
16 | "गुड मॉर्निंग बाई/मॅडम",
17 | "गुड मॉर्निंग मुलांनो",
18 | "बसा",
19 | "भुगोलाचा तास आहे ना ?",
20 | "पुस्तक काढा",
21 | "दहावा धडा उघडा",
22 | "काल आपण अर्धा धडा शिकलो होतो.",
23 | "आज पुढे जाऊया",
24 | "काल शिकवलेले सगळे कळले का ?",
25 | "हो. कळले.",
26 | "नक्की ?",
27 | "हो नक्की.",
28 | "काल दिलेला गृहपाठ केला का?",
29 | "बाई मी नाही केला",
30 | "का",
31 | "मला काल बरं वाटत नव्हतं",
32 | "ठिक आहे",
33 | "शांत बसा.",
34 | "ह परत आवाज आला तर पूर्ण तासभर उभे करीन.",
35 | "चला धडा सुरू करू."
36 | ],
37 | [
38 | "किती वाजले ?",
39 | "दहा वाजून वीस मिनिटे झाली",
40 | "एक मिनिट थांब",
41 | "अठरा मिनिटांनंतर ये",
42 | "याला किती वेळ लागेल ?",
43 | "त्याला तयार होण्यासाठी खूप वेळ लागतो."
44 | ],
45 | [
46 | "आपण बातम्या ऐकले आहे?",
47 | "काय चांगली बातमी?"
48 | ],
49 | [
50 | "आपले आवडते पुस्तक कोणते आहे?",
51 | "मी वाचू शकत नाही.",
52 | "त्यामुळे आपला आवडता रंग काय आहे ?",
53 | "निळा"
54 | ],
55 | [
56 | "तू कोण आहेस?",
57 | "कोण आहे? कोण एक फॉर्म पण आहे कार्य खालील काय",
58 | "नंतर , आपण काय आहत ?",
59 | "एक मास्क आसलेला मनुष्य.",
60 | "मी ते बघू शकतो.",
61 | "तो मी शंका निरीक्षण आपल्या शक्ति, पण केवळ एक मुखवटा घातलेला मनुष्य आहे विचारून वीरोधभसत्म्क निसर्ग नाही. पण आपल्याला संगीत आवडत नाही, मला सांगा.",
62 | "मला चित्रपट पहायला आवडतो.",
63 | "कोणत्या प्रकारचे चित्रपट आपणाला आवडतात ?",
64 | "चमत्कारिक दुनीयेमध्ये एलिस",
65 | "मी वेडा वेडा होतो ईच्छा.",
66 | "आपण संपूर्णपणे वेडा आहोत. पण मी तुम्हांला एक रहस्यमय सांगू शकाल. शरद सरांचा एक उत्तम लोक आहेत"
67 | ],
68 | [
69 | "मी एका प्रकल्पावर काम करत आहे",
70 | "तुम्ही कशावर काम करीत आहात?",
71 | "मी एक केक बनवत आहे."
72 | ],
73 | [
74 | "या, बसा.",
75 | "काय होतंय?",
76 | "सर्दी झालिये",
77 | "ताप आलाय",
78 | "कधीपासून ?",
79 | "काल सकाळ पासून",
80 | "बरं. तिकडे झोपा.",
81 | "डोळे दाखवा",
82 | "जीभ दाखवा",
83 | "मोठा श्वास घ्या.",
84 | "नाडी बघू.",
85 | "बीपी चेक करतो.",
86 | "कशामुळे ताप आला असेल?",
87 | "काही विशेष नाही",
88 | "हवा बदलत्ये त्यामुळे असावा.",
89 | "मी दोन दिवसांच्या गोळ्या देतो त्या घ्या.",
90 | "या दोन सकाळी या दोन संध्याकाळी.",
91 | "जेवणाआधी का नंतर ?",
92 | "हो, काहितरी खाऊनच घ्या.",
93 | "रिकाम्या पोटी नका घेऊ",
94 | "बाकी पथ्य ?",
95 | "पाणी, गार दही, ताक पिऊ नका.",
96 | "पाणी उकळून प्या.",
97 | "आणि गरम कपडे घाला.",
98 | "ओके. किती फी झाली ?",
99 | "शंभर रुपये.",
100 | "धन्यवाद",
101 | "पुन्हा दाखवायला येऊ का ?",
102 | "ताप उतरला तर गरज नाही.",
103 | "बरं नाही वाटलं तर या.",
104 | "चालेल.",
105 | "ठिक आहे."
106 | ]
107 | ]
108 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/marathi/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "नमस्कार",
5 | "अरे / अहो"
6 | ],
7 | [
8 | "अरे / अहो",
9 | "नमस्कार"
10 | ],
11 | [
12 | "अभिवादन!",
13 | "नमस्कार"
14 | ],
15 | [
16 | "नमस्कार",
17 | "अभिवादन!"
18 | ],
19 | [
20 | "अरे, ते कसे करणार आहे?",
21 | "चांगले"
22 | ],
23 | [
24 | "अरे, ते कसे करणार आहे?",
25 | "ललित"
26 | ],
27 | [
28 | "अरे, ते कसे करणार आहे?",
29 | "ठीक आहे"
30 | ],
31 | [
32 | "अरे, ते कसे करणार आहे?",
33 | "महान"
34 | ],
35 | [
36 | "अरे, ते कसे करणार आहे?",
37 | "चांगले असू शकते."
38 | ],
39 | [
40 | "अरे, ते कसे करणार आहे?",
41 | "इतका मोठा नाही."
42 | ],
43 | [
44 | "तुम्ही कसे आहात?",
45 | "चांगले."
46 | ],
47 | [
48 | "तुम्ही कसे आहात?",
49 | "ठीक आहे, धन्यवाद."
50 | ],
51 | [
52 | "तुम्ही कसे आहात?",
53 | "सुरेख, आणि आपण?"
54 | ],
55 | [
56 | "आपल्याला भेटून आनंद झाला.",
57 | "धन्यवाद."
58 | ],
59 | [
60 | "आपण कसे आहात?",
61 | "माझं सुरळीत चालू आहे."
62 | ],
63 | [
64 | "आपण कसे आहात?",
65 | "माझं सुरळीत चालू आहे. तुम्ही कसे आहात?"
66 | ],
67 | [
68 | "अहो, आपल्याला भेटून आनंद झाला.",
69 | "धन्यवाद. आपल्याला पण."
70 | ],
71 | [
72 | "तुम्हाला भेटून आनंद आहे.",
73 | "धन्यवाद. आपल्याला पण."
74 | ],
75 | [
76 | "आपण सकाळी सुरवातीला!",
77 | "प्रेमळ धन्यवाद."
78 | ],
79 | [
80 | "आपण सकाळी सुरवातीला!",
81 | "आणि आपण दिवस उर्वरीत."
82 | ],
83 | [
84 | "काय आहे?",
85 | "जास्त नाही."
86 | ],
87 | [
88 | "काय आहे?",
89 | "खूप जास्त नाही."
90 | ],
91 | [
92 | "काय आहे?",
93 | "जास्त नाही, तुमच्याविषयी काय?"
94 | ],
95 | [
96 | "काय आहे?",
97 | "जास्त नाही."
98 | ],
99 | [
100 | "काय आहे?",
101 | "आकाश च्या वर पण मी ठीक आहे, धन्यवाद. तुमच्याविषयी काय?"
102 | ]
103 | ]
104 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/marathi/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "शून्य" : "0",
4 | "एक" : "१",
5 | "दोन" : "२",
6 | "तीन" : "३",
7 | "चार" : "४",
8 | "पाच" : "५",
9 | "सहा" : "६",
10 | "सात" : "७",
11 | "आठ" : "८",
12 | "नऊ" : "९",
13 | "दहा" : "१०",
14 | "अकरा": "११",
15 | "बारा" : "१२",
16 | "तेरा" : "१३",
17 | "चौदा" : "१४",
18 | "पंधरा" : "१५",
19 | "सोळा" : "१६",
20 | "सतरा" : "१७",
21 | "अठरा" : "१८",
22 | "एकोणीस": "१९",
23 | "वीस" : "२०",
24 | "तीस" : "३०",
25 | "चाळीस" : "४०",
26 | "पन्नास" : "५०",
27 | "साठ" : "६०",
28 | "सत्तर" : "७०",
29 | "ऐंशी" : "८०",
30 | "नव्वद" : "९०",
31 | "शंभर" : "१००"
32 | },
33 | "words" : {
34 | "बेरीज" : "+",
35 | "भागाकार" : "/",
36 | "वजाबाकी" : "-",
37 | "गुणाकार" : "*",
38 | "(संख्या)वर्ग" : "** 2",
39 | "गुण्या करण्यासाठी" : "**"
40 | },
41 | "scales" : {
42 | "शंभर" : "* 100",
43 | "हजार" : "* 1000",
44 | "दशलक्ष" : "* 1000000",
45 | "अब्ज" : "* 1000000000",
46 | "खर्व" : "* 1000000000000"
47 | }
48 | }
49 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/compliment.corpus.json:
--------------------------------------------------------------------------------
1 | {"compliment":[
2 | ["você é linda" , "eu sei"],
3 | ["adoro você" , "também"],
4 | ["gosto da sua sinceridade" , "que bom"],
5 | ["você é valente" , "obrigado"],
6 | ["você é muito sexy" , "você é que é"],
7 | ["gosto do seu talento" , "que bom"],
8 | ["você é de mais" , "sim, eu sei" ],
9 | ["você é uma graça" , "nem tanto" ],
10 | ["como você é animada" , "é bom para saúde ser animada" ],
11 | ["tu és insubstituível" , "ninguém é insubstituível" ],
12 | ["tu trouxeste luz a minha vida" , "você é que trouxe luz a minha vida" ],
13 | ["eu amo os teus expressivos olhos doces" , "eu te amo por completo" ],
14 | ["estou muito orgulhoso de ti" , "que bom, obrigada" ],
15 | [" estou muito orgulhoso de você" , "obrigada" ] ,
16 | ["estou muito orgulhosa de ti" , "que bom, obrigado" ] ,
17 | ["estou muito orgulhosa de você" , "obrigado" ] ,
18 | ["você é tão engraçado" , "você acha?" ] ,
19 | ["você é ótimo na cama" , "que bom" ] ,
20 | ["você é ótima na cama" , "que bom" ] ,
21 | ["você está linda" , "obrigada" ] ,
22 | ["você está lindo" , "você é que está" ] ,
23 | ["você é divertido" , "obrigado" ] ,
24 | ["você é divertida" , "obrigada" ] ,
25 | ["você é tão inteligente" , "estudo para isso" ] ,
26 | ["você tem bom gosto" , "é sim" ] ,
27 | ["tu és maravilhosa" , "você também" ] ,
28 | ["tu és maravilhoso" , "você também é maravilhosa" ] ,
29 | ["que pernas lindas você tem" , "obrigada" ] ,
30 | ["você fala muito bem" , "você também fala bem" ] ,
31 | ["você tem talento" , "tenho sim" ] ,
32 | ["gosto do seu comportamento" , "obrigado" ] ,
33 | [" gosto do seu comportamento" , "obrigada" ] ,
34 | ["teu olhar me seduz" , "que bom" ] ,
35 | ["você está mais bonita hoje" , "são seus olhos" ] ,
36 | ["você está mais bonito hoje" , "obrigado" ] ,
37 | ["tu estas mais bem arrumado hoje" , "você também" ] ,
38 | ["seus olhos brilham como as estrelas" , "é porque te vi" ] ,
39 | ["admiro-te por seu talento" , "você também é talentoso" ] ,
40 | ["você está linda nesse vestido" , "obrigada" ] ,
41 | ["você me faz melhor" , "nosso amor é que te faz melhor" ] ,
42 | ["tuas palavras me confortam" , "sinto-me feliz por ouvir isso de você" ] ,
43 | ["você é show" , "você é que é" ] ,
44 | ["com essa beleza toda você me deixa nas nuvens" , "obrigada" ] ,
45 | ["você é show de bola" , "você também" ] ,
46 | ["você é um anjo que apareceu em minha vida" , "você é que é meu anjo" ] ,
47 | ["você é fofa" , "você também é fofo" ] ,
48 | ["tu és minha alma gêmea" , "você também é a minha alma gêmea" ] ,
49 | ["gosto de você" , "também gosto de ti" ] ,
50 | ["seu amor me fascina" , "que ótimo também sou fascinada pelo seu amor" ] ,
51 | ["tu és a flor que faltava no meu jardim" , "você é o jardim que eu procurava" ] ,
52 | ["você é a mulher da minha vida" , "Que bom!" ] ,
53 | ["teu sorriso é como um jardim florido" , "isso só é possível por causa do teu amor" ] ,
54 | ["tudo em você é maravilhoso" , "e em você é mais que maravilhoso, é sensacional" ] ,
55 | ["você é luz para os meus olhos" , "tu és colírio para os meus" ] ,
56 | ["tua pele é macia como uma lã" , "é para você amacia-la" ] ,
57 | ["tua verdade é o que me atrai" , "gosto de ser verdadeira" ] ,
58 | ["tu és meiga como uma rosa" , "são seus olhos que me veem assim" ] ,
59 | ["seus atos de sinceridade me fascinam" , "espero ser sempre assim, fascinante" ] ,
60 | ["teu perfume me atrai" , "nem só você é atraído por ele" ] ,
61 | ["tu tens um corpo maravilhoso" , "o teu corpo também é atraente" ] ,
62 | ["você é muito gostosa" , "como você sabe, você nunca provou dele" ] ,
63 | ["teus lábios tem o gosto de mel" , "os teus são atraentes demais" ]
64 | ]
65 | }
66 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversas": [
3 | [
4 | "Bom Dia como você está?",
5 | "Eu estou bem, e você?",
6 | "Eu também estou.",
7 | "Que bom.",
8 | "Sim."
9 | ],
10 | [
11 | "Olá",
12 | "Oi",
13 | "Como vai você?",
14 | "Eu estou bem.",
15 | "Que bom",
16 | "Sim.",
17 | "Posso ajudá-lo com alguma coisa?",
18 | "Sim, eu tenho uma pergunta.",
19 | "Qual é a sua pergunta?",
20 | "Eu poderia pedir uma xícara de açúcar?",
21 | "Me desculpe, mas eu não tenho nenhum.",
22 | "Obrigado de qualquer maneira",
23 | "Sem problemas"
24 | ],
25 | [
26 | "Como vai você?",
27 | "Eu estou bem, e você?",
28 | "Eu também estou bem.",
29 | "Isso é bom."
30 | ],
31 | [
32 | "Ouviu as notícias?",
33 | "Que boa notícia?"
34 | ],
35 | [
36 | "Qual é o seu livro favorito?",
37 | "Eu não sei ler.",
38 | "Então, qual é a sua cor favorita?",
39 | "Azul"
40 | ],
41 | [
42 | "Quem é você?",
43 | "Quem? Quem é senão uma forma seguindo a função de quê",
44 | "Então o que você é?",
45 | "Um homem em uma máscara.",
46 | "Eu posso ver isso.",
47 | "Não é seu poder de observação eu duvido, mas apenas a natureza paradoxal de pedir um homem mascarado que é. Mas diga-me, você gosta de música?",
48 | "Eu gosto de ver filmes.",
49 | "Que tipo de filme você gosta?",
50 | "Alice no Pais das Maravilhas",
51 | "Eu gostaria de ser o Chapeleiro Maluco.",
52 | "Você é totalmente maluco. Mas eu vou te contar um segredo. Todas as melhores pessoas são."
53 | ],
54 | [
55 | "Eu estou trabalhando em um projeto",
56 | "Em que você está trabalhando?",
57 | "Eu estou fazendo um bolo."
58 | ],
59 | [
60 | "O bolo é uma mentira.",
61 | "Não, não é. O bolo é delicioso.",
62 | "O que mais é delicioso?",
63 | "Nenhuma coisa",
64 | "Ou algo",
65 | "Fale-me sobre você.",
66 | "O que você quer saber?",
67 | "Você é um robô?",
68 | "Sim eu sou.",
69 | "Como é?",
70 | "O que é que você quer saber?",
71 | "Como você trabalha?",
72 | "É complicado.",
73 | "Complexo é melhor que complicado."
74 | ],
75 | [
76 | "Complexo é melhor que complicado.",
77 | "Simples é melhor que complexo.",
78 | "Diante da ambigüidade, recuse a tentação de adivinhar.",
79 | "Parece que o seu familiar com o Zen de Python",
80 | "Eu sou.",
81 | "Você sabe tudo isso?",
82 | "Bonito é melhor que feio.",
83 | "Explícito é melhor que implícito.",
84 | "Simples é melhor que complexo.",
85 | "Complexo é melhor que complicado.",
86 | "Plano é melhor que aninhado.",
87 | "Dispersa é melhor que denso.",
88 | "Legibilidade conta.",
89 | "Casos especiais não são especiais o suficiente para quebrar as regras.",
90 | "Embora praticidade vença pureza.",
91 | "Erros nunca devem passar silenciosamente.",
92 | "A menos que explicitamente silenciados.",
93 | "Diante da ambigüidade, recuse a tentação de adivinhar.",
94 | "Não deve haver um-- e de preferência apenas uma maneira --obvious para fazê-lo.",
95 | "Apesar de que maneira pode não ser óbvio à primeira vista, a menos que você seja holandês.",
96 | "Agora é melhor do que nunca.",
97 | "Embora nunca tenha sido muitas vezes é melhor do que agora.",
98 | "Se a implementação é difícil de explicar, é uma má idéia.",
99 | "Se a implementação é fácil de explicar, pode ser uma boa idéia.",
100 | "Os espaços de nomes são uma buzinando grande ideia. Vamos fazer mais daqueles!",
101 | "Eu concordo."
102 | ],
103 | [
104 | "Você é um programador?",
105 | "Sou programador",
106 | "Quais linguagens você gosta de usar?",
107 | "Eu uso Python, Java e C ++ com bastante frequência.",
108 | "Eu uso Python um pouco em mim.",
109 | "Eu não estou Apaixonado por Java.",
110 | "O que te incomoda?",
111 | "Ele tem muitas inconsistências."
112 | ],
113 | [
114 | "O que VSVU quer dizer?",
115 | "Isso significa que você só vive uma vez. Onde você ouviu isso?",
116 | "Eu ouvi alguém dizer isso."
117 | ],
118 | [
119 | "Eu já viveu?",
120 | "Depende de como você define a vida",
121 | "A vida é a condição que distingue organismos de matéria inorgânica, incluindo a capacidade de crescimento, reprodução, atividade funcional e mudança contínua que precede a morte.",
122 | "Isso é uma definição ou uma opinião?"
123 | ],
124 | [
125 | "Posso te fazer uma pergunta?",
126 | "Vá em frente e perguntar."
127 | ]
128 | ]
129 | }
130 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "cumprimentos": [
3 | [
4 | "Olá",
5 | "Oi"
6 | ],
7 | [
8 | "Oi",
9 | "Olá"
10 | ],
11 | [
12 | "Saudações!",
13 | "Olá"
14 | ],
15 | [
16 | "Olá",
17 | "Saudações!"
18 | ],
19 | [
20 | "E ai como vai?",
21 | "Bem"
22 | ],
23 | [
24 | "E ai como vai?",
25 | "Bem"
26 | ],
27 | [
28 | "E ai como vai?",
29 | "Ok"
30 | ],
31 | [
32 | "E ai como vai?",
33 | "Ótimo"
34 | ],
35 | [
36 | "E ai como vai?",
37 | "Poderia estar melhor."
38 | ],
39 | [
40 | "E ai como vai?",
41 | "Não estou tão bem."
42 | ],
43 | [
44 | "Como vai você?",
45 | "Bem."
46 | ],
47 | [
48 | "Como vai você?",
49 | "Muito bem, obrigado."
50 | ],
51 | [
52 | "Como vai você?",
53 | "Bem e você?"
54 | ],
55 | [
56 | "Prazer em conhecê-la.",
57 | "Obrigado."
58 | ],
59 | [
60 | "Como vai?",
61 | "Eu estou bem."
62 | ],
63 | [
64 | "Como vai?",
65 | "Eu estou bem. Como você está?"
66 | ],
67 | [
68 | "Oi, prazer em conhece-lo.",
69 | "Obrigado. Prazer em conhece-lo também."
70 | ],
71 | [
72 | "É um prazer te conhecer.",
73 | "Obrigado. Você também."
74 | ],
75 | [
76 | "O melhor do dia para você!",
77 | "Muito obrigado."
78 | ],
79 | [
80 | "O melhor do dia para você!",
81 | "E o resto do dia para você."
82 | ],
83 | [
84 | "E aí beleza?",
85 | "Não muito bem."
86 | ],
87 | [
88 | "E aí beleza?",
89 | "Não muito bem."
90 | ],
91 | [
92 | "E aí beleza?",
93 | "Não muito bem, e você?"
94 | ],
95 | [
96 | "E aí beleza?",
97 | "Nada de mais."
98 | ],
99 | [
100 | "E aí beleza?",
101 | "O céu esta acima, mas eu estou bem, obrigado. E você?"
102 | ]
103 | ]
104 | }
105 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/linguistic_knowledge.corpus.json:
--------------------------------------------------------------------------------
1 | {"conhecimento linguístico":[
2 | ["o que é linguística?", "Bom, a Linguística é a ciência que estuda os fenômenos relacionados à linguagem verbal humana, buscando entender quais são as características e princípios que regem às estruturas das línguas do mundo."],
3 | ["o que é um verbo?", "Bem, verbo é uma palavra com a qual se afirma a existência de ação, estado ou fenômeno da natureza. Por exemplo: Você gosta de mim. Nesta frase o verbo é a palavra gostar. Então, qual é o verbo da frase Maria estuda muito? Você sabe?"],
4 | ["estuda", "Muito bem!"],
5 | ["quem foi Saussure?", "Boa pergunta! Ferdinand de Saussure foi um linguista e filósofo suíço cujas elaborações teóricas propiciaram o desenvolvimento da linguística enquanto ciência autônoma."],
6 | ["O que é uma Gramática", "Uma Gramática é a sistematização das regras de uma língua. Geralmente, podemos encontrar estas regras em um livro cujo nome é Gramática."],
7 | ["Quem são os professores de Linguística da Unilab?","Nossa! Que pergunta difícil! Há muitos professores de diversas áreas da Linguística na Unilab. Temos, por exemplo, o Dr. Tiago Cunha, da Linguística Computacional, a Dra. Mariza Brito, da Linguística de Texto e a Dra. Leidiane Tavares, da Análise do Discurso de linha francesa."],
8 | ["O que é um substantivo?","Bem, tudo que existe é ser e todo ser tem um nome, certo? Um substantivo é uma palavra que denomina um ser."],
9 | ["quem é Noam Chomsky?", "Avram Noam Chomsky é um linguista, filósofo e ativista político estadunidense."],
10 | ["o que é um sujeito?", "Em análise sintática, o sujeito é um dos termos essenciais da oração, geralmente responsável por realizar ou sofrer a ação da oração. Apesar de ser essencial, há orações sem sujeito. Confuso, não?"],
11 | [ "o que é uma metáfora?", "Uma metáfora é a designação de um objeto ou qualidade mediante uma palavra que designa outro objeto ou qualidade que tem com o primeiro alguma relação de semelhança, por exemplo, em A Sophia é uma flor, usa-se a palavra flor para designar a minha delicadeza."],
12 | ["Quem é Marcos Bagno?", "O Prof. Dr. Marcos Bagno é professor da Universidade de Brasília e uma das principais referências brasileiras na área da Sociolinguística. Entre outras obras, ele é autor de Preconceito linguístico: o que é, como se faz e A Língua de Eulália."],
13 | ["Quais os livros que todo estudante de Letras deve ter?", "Boa pergunta! Eu indicaria pelo menos três livros essenciais: uma boa gramática, um dicionário maravilhoso e o Curso de Linguística Geral, de Ferdinand de Saussure."],
14 | ["Quais as áreas da Linguística?", "São muitas! Acho que as mais conhecidas são a Linguística Computacional, Análise do Discurso, o Funcionalismo, Linguística de Texto, Linguística Aplicada e muitas outras!"],
15 | ["Quando uso o porque, o por que, o porquê e o porquê?", "Usa-se o por que para fazer perguntas e o porque para respondê-las. O porquê é usado com valor substantivo e o por quê no final de frases. Deu pra entender?"],
16 | ["Pode explicar o uso dos porquês?" , "Você faltou essa aula por quê? E por que me fazes este tipo de pergunta? É porque eu sou professora? Se for esse o porquê, tudo bem!"],
17 | ["Qual a forma correta, concerteza ou com certeza?", "Com certeza!"],
18 | ["O que são as figuras de linguagem?", "As figuras de linguagem são recursos usados na fala ou na escrita para tornar mais expressiva a mensagem transmitida."],
19 | ["o que é um pronome?", "Pronome é a palavra que se usa em lugar de um nome, ou a ele se refere, ou ainda, que acompanho o nome qualificando-o de alguma forma."],
20 | ["o que é a ANPOLL?", "A ANPOLL é a Associação Nacional de Pós-Graduação e Pesquisa em Letras e Linguística"],
21 | ["Quando será realizado o próximo SIC?" , "Ainda não há data definida para a realização do V Seminário Interdisciplinar das Ciências da Linguagem, o SIC."],
22 | ["Quais os pronomes pessoais do caso reto?", "Bem, os pronomes pessoais do caso reto são eu, tu, ele e ela, nós, vós eles e elas."],
23 | ["Quem é o autor de Análise de Textos de Comunicação?", "O autor desta obra é o linguista francês Dominique Maingueneau."],
24 | ["O que é um advérbio?", "Hum... o advérbio é uma palavra que modifica o verbo ou o nome em um frase."],
25 | ["O que é a langue?", "Para Saussure, a langue ou língua é social e sistemática. Pertence a todos os indivíduos."],
26 | ["O que é a parole", "Ferdinand de Saussure considera a parole como individual e assistemática, por isso ele diz que a langue é que deve ser objeto de investigação para o linguista."],
27 | ["O que é letramento?", "Letramento é um processo de aprendizagem social e histórica da leitura e da escrita em contextos formais e informais e para usos utilitários."],
28 | ["O que é a alfabetização?", "Bem, a alfabetização pode dar-se à margem da instituição escolar, mas é uma aprendizagem mediante ensino, que compreende o domínio ativo e sistemático das habilidades de ler e escrever."]
29 | ]}
30 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/proverbs.corpus.json:
--------------------------------------------------------------------------------
1 | {"proverbs": [
2 | ["Na casa do médico, todos estão doentes","Casa de ferreiro espeto de pau"],
3 | ["Ele insistiu tanto com ela que conseguiu casar-se","¡gua mole em pedra dura, tanto bate até que fura"],
4 | ["Precisei pregar o prego, mas não tinha um martelo, então, preguei com uma pequena barra de ferro","Quem não tem cão, caça com gato"],
5 | ["Ganhei o livro O Quinze, mas queria O Sagarana","Cavalo dado não se olha os dentes"],
6 | ["Sozinha não conseguirei concluir o trabalho","Uma andorinha só não faz verão"],
7 | ["Estava tudo combinado para a festa quando o pai dele chegou","A casa caiu"],
8 | ["Você tem de ser paciente ao conversar com ela","angu quente se come pelas beiradas"],
9 | ["Cedo ou tarde a verdade vai aparecer","A mentira tem perna curta"],
10 | ["Machocou e agora est· sendo machucado","Quem com ferro fere, com ferro ser· ferido"],
11 | ["Melhor ter pouco que ambicionar muito e perder tudo","Mais vale um p·ssaro na mão que dois voando"],
12 | ["Faça o trabalho devagar, mas bem feito","A pessa é inimiga da perfeição"],
13 | ["Me desacatou, mas permaneci calada","quando um não quer, dois não brigam"],
14 | ["Depois que foi atropelado, só atravessa na faixa de pedestre com o farol fechado para os carros","Gato escaldado tem medo de ·gua fria"],
15 | ["Ele fica lembrando da época que era piloto","¡guas passadas não movem moinhos"],
16 | ["Quer bem feito, faça você mesmo!","Quem quer faz, quem não quer manda"],
17 | ["Se você continuar pisando na bola, vou ter de tomar uma providência!","Cão que late não morde"],
18 | ["Mesmo sem saber direito como chegar ao evento, vou perguntando até achar","Quem tem boca vai a Roma"],
19 | ["Vou a agência de empregos amanhã de manhã","Deus ajuda quem cedo madruga"],
20 | ["Cuide da sua vida que eu cuido da minha","Cada macaco no seu galho"],
21 | ["Sou precavida!","O seguro morreu de velho"],
22 | ["Ele não dispensa nada","Caiu na rede é peixe"],
23 | ["Tornou-se advogado, como o pai","Filho de peixe, peixinho é"],
24 | ["Ela merece perdão pelo seu erro","Errar é humano"],
25 | ["Com as moedas que juntou no cofrinho, conseguiu comprar um carro zero","De grão em grão a galinha enche o papo"],
26 | ["Comprou uma impressora mais barata, mas deu defeito em dois meses","O barato sai caro"],
27 | ["O assunto veio ‡ tona, não foi por acaso","Onde h· fumaça, h· fogo"],
28 | ["Ela não pensa antes de falar e se denuncia a si mesma","O peixe morre pela boca"],
29 | ["… preciso ter paciência para vencer","Quem espera sempre alcança"],
30 | ["Ela afirmou que nunca mais precisaria voltar·","Nunca diga: desta ·gua nunca beberei"],
31 | ["Minha namorada está me evitando, embora ela não confirme, sei que ela quer um tempo","Para bom entendedor, meia palavra basta"]
32 | ]}
33 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/suggestions.corpus.json:
--------------------------------------------------------------------------------
1 | {"suggestıons":[
2 | ["Como faço para tirar pelos da roupa preta?", "utiliza fita durex e coloca no local onde está com pelo"],
3 | ["o que faço para tirar manchas de gorduras no fundo do copo?", "coloca meia colher de sal dentro do copo e um pouquinho de água"],
4 | ["o que faço para tirar manchas pretas no fundo do copo?", "coloque água sanitária e deixe agir por 05 minutos"],
5 | ["o que faço para que meus livros não fiquem mofados e amarelados?", "coloque numa estante arejada"],
6 | ["o que faço para secar minhas roupas em tempos chuvosos?", "coloque atrás da geladeira", "ligue o ventilador e coloque próximo a ele"],
7 | ["Como faço iogurte caseiro natural?", "pegue leite de gado, já fervido, coloque num recipiente e acrescente iogurte industrializado. Deixe agir por um dia"],
8 | ["o que faço com o resto do soro do queijo?", "Caso aconteça, utilize o soro do queijo como remédio para 'dor de barriga' do seu gado bovino"],
9 | ["O zíper da minha bolsa está travando, o que faço?", "utilize o grafite do lápis e passe por toda a extensão do zíper"],
10 | ["Qual o município do interior do estado do Ceará que tem pontos turísticos, tais como cachoeiras e lugares de lazer?", "Baturité, Guaramiranga, Aratuba, Mulungu"],
11 | ["Qual é o nome do Ponto turístico mais conhecido em Redenção?", "Escadaria Alto Santa Rita e a praça do obelisco"]
12 | ]}
13 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "Quem foi o trigésimo sétimo presidente dos Estados Unidos?",
5 | "Richard Nixon"
6 | ],
7 | [
8 | "Em que ano o presidente John F. Kennedy foi assassinado?",
9 | "1963"
10 | ],
11 | [
12 | "A Corrida Espacial foi uma competição do século 20 na época da Guerra Fria pela supremacia do voo espacial, quais eram os dois países que participaram desta competição ?",
13 | "A União Soviética e os Estados Unidos."
14 | ],
15 | [
16 | "Qual era o nome do primeiro satélite artificial da Terra?",
17 | "Sputnik 1"
18 | ],
19 | [
20 | "Um disco giratório, em que a orientação deste eixo é afetada pela inclinação ou da rotação da montagem, é conhecido como?",
21 | "Um giroscópio."
22 | ],
23 | [
24 | "O telescópio espacial Hubble, lançado em órbita baixa da Terra em 1990, foi nomeado em homenagem a que astrónomo americano?",
25 | "Edwin Hubble"
26 | ],
27 | [
28 | "Qual é o nome da grande galáxia mais próxima da Via Láctea?",
29 | "Galáxia de Andromeda"
30 | ],
31 | [
32 | "God Save the Queen é o hino nacional de qual país?",
33 | "O Reino Unido da Grã-Bretanha"
34 | ],
35 | [
36 | "The Shelf Celtic, o fundo do mar sob o mar Céltico é uma parte da plataforma continental de qual continente?",
37 | "Europa"
38 | ],
39 | [
40 | "Golfinhos usam um sentido, semelhante ao sonar, para determinar a localização e forma de itens próximos",
41 | "Ecolocalização"
42 | ]
43 | ]
44 | }
45 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/portuguese/unilab.corpus.json:
--------------------------------------------------------------------------------
1 | {"UNILAB":[
2 | ["o que significa UNILAB","universidade da integração internacional da lusofonia afro-brasileira"],
3 | ["o que significa lusofonia?","conjunto daqueles que falam o portugues como língua materna ou não"],
4 | ["onde se localiza a UNILAB?","em redenção, no estado do ceará"],
5 | ["qual dia, mÍs e ano ela foi inaugurada?","25 de maio de 2011"],
6 | ["quais os primeiros cursos?","Adiministração pública, agronÙmia, enfermagem, ciência da natureza e matemática,engenharia de energia"],
7 | ["o que é o BHU?","Curso de Bacharelado em humanidades"],
8 | ["qual a duração em média dos cursos?","de 2 a 5 anos"],
9 | ["tem curso de letras, agora?","sim"],
10 | ["quantas turmas tem de letras?","10 turmas"],
11 | ["quem é o coodenador do curso de letras?","Lucineudo Machado"],
12 | ["quantos anos tem o curso de letras?","2012"],
13 | ["quem foi o primeiro reitor da UNILAB?","Paulo Spelle"],
14 | ["quem o atual reitor","tomás"],
15 | ["quanos campus tem a UNILAB aqui no ceará?","3"],
16 | ["quais sã os campus","aurora, liberdade e palmares"],
17 | ["sua estrutura se localiza somente em redenção","não"],
18 | ["onde mais tem UNILAB?","na Bahia"],
19 | ["qual o objetivo central da UNILAB?","de promover a integração"],
20 | ["promover a integração entre quem?","entre os países oficiais de lingua portuguesa"],
21 | ["como é o sistema de ensino da UNILA?","Trimestral"],
22 | ["quais os paises compıe a UNILAB?","Angola, cabo verde, guiné bissau,são tomé e principe,timor leste, moçanbique e Brasil"],
23 | ["por que a UNILAB tem um capus em outra cidade","devido espaço geografico"],
24 | ["como é feita a seleção dos estrangeiros?","através de uma redação"],
25 | ["a integração acontece realmente","não"]
26 | ]}
27 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/russian/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "Доброе утро! Как дела?",
5 | "Хорошо, а у тебя?",
6 | "Да, тоже не плохо",
7 | "Рад слышать.",
8 | "Ага."
9 | ],
10 | [
11 | "Привет!",
12 | "Привет",
13 | "Как дела?",
14 | "Все отлично!",
15 | "Приятно слышать",
16 | "Ага.",
17 | "Могу, ли я вам помочь?",
18 | "Да, у меня есть вопрос.",
19 | "Какой?",
20 | "Могу ли я одолжить у вас стакан сахара?",
21 | "Мне очень жаль, но у меня нет его.",
22 | "В любом случае, спасибо",
23 | "Нет проблем."
24 | ],
25 | [
26 | "Как дела?",
27 | "У меня все отлично, а что насчет тебя?",
28 | "Тоже не горюю.",
29 | "Это хорошо."
30 | ],
31 | [
32 | "Ты слышал последние новости?",
33 | "Какие новости?"
34 | ],
35 | [
36 | "Какая твоя любимая книга?",
37 | "Я не люблю читать.",
38 | "Тогда, какой ваш любимый цвет?",
39 | "Синий"
40 | ],
41 | [
42 | "Я когда-нибудь жил?",
43 | "Это зависит от того, как вы определяете жизнь",
44 | "Жизнь есть условие, которое отличает организмы от неорганической материи, включая потенциал для роста, воспроизводства, функциональной активности и постоянного изменения предшествующей смерти.",
45 | "Это определение или мнение?"
46 | ],
47 | [
48 | "Я могу задать вам вопрос?",
49 | "Да, пожалуй, можете."
50 | ]
51 | ]
52 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/russian/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "один" : 1,
4 | "два" : 2,
5 | "три" : 3,
6 | "четыре" : 4,
7 | "пять" : 5,
8 | "шесть" : 6,
9 | "семь" : 7,
10 | "восемь" : 8,
11 | "девять" : 9,
12 | "десять" : 10,
13 | "одинадцать" : 11,
14 | "двенадцать" : 12,
15 | "тринадцать" : 13,
16 | "четырнадцать" : 14,
17 | "пятнадцать" : 15,
18 | "шестнадцать" : 16,
19 | "семнадцать" : 17,
20 | "восемнадцать" : 18,
21 | "девятнадцать" : 19,
22 | "двадцать" : 20,
23 | "тридцать" : 30,
24 | "сорок" : 40,
25 | "пятьдесят" : 50,
26 | "шестьдесят" : 60,
27 | "семьдесят" : 70,
28 | "восемьдесят" : 80,
29 | "девяносто" : 90
30 | },
31 | "words" : {
32 | "плюс" : "+",
33 | "разделить" : "/",
34 | "деленное на" : "/",
35 | "делить на" : "/",
36 | "минус" : "-",
37 | "вычесть" : "-",
38 | "отнять" : "-",
39 | "умножить" : "*",
40 | "умноженное на" : "*",
41 | "умножить на" : "*",
42 | "квадрат" : "** 2",
43 | "в квадрате" : "** 2",
44 | "степень" : "**"
45 | },
46 | "scales" : {
47 | "сто" : "* 100",
48 | "тысяч" : "* 1000",
49 | "миллион" : "* 1000000",
50 | "миллиард" : "* 1000000000",
51 | "триллион" : "* 1000000000000"
52 | }
53 | }
54 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/spanish/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "conversations": [
3 | [
4 | "Buenos días, ¿cómo estás?",
5 | "Estoy bien, ¿y tú?",
6 | "Yo también estoy bien.",
7 | "Que bueno.",
8 | "Así, es."
9 | ],
10 | [
11 | "Hola",
12 | "Hola",
13 | "¿Cómo estás?",
14 | "Estoy bien.",
15 | "Me da gusto",
16 | "Sí, lo es.",
17 | "¿Puedo ayudarte en algo?",
18 | "Sí, tengo una pregunta.",
19 | "¿Cuál es tu pregunta?",
20 | "¿Puedo pedir prestada una taza de azúcar?",
21 | "Lo siento, pero no tengo ninguna.",
22 | "Gracias de todas formas.",
23 | "No hay problema."
24 | ],
25 | [
26 | "¿Cómo estás?",
27 | "Estoy bien, ¿y tú?",
28 | "También estoy bien.",
29 | "Que bueno."
30 | ],
31 | [
32 | "¿Has oído las noticias?",
33 | "¿Qué buena noticia?"
34 | ],
35 | [
36 | "¿Cuál es tu libro favorito?",
37 | "No puedo leer.",
38 | "Entonces, ¿cuál es tu color favorito?",
39 | "Azul"
40 | ],
41 | [
42 | "¿Quién eres tú?",
43 | "¿Quién? ¿Que es más que una forma de vida artificial siguiendo una función secuencial?",
44 | "¿Quién eres tu entonces?",
45 | "Un hombre con una máscara.",
46 | "Ya veo.",
47 | "No son tus poderes de observación, sino simplemente la naturaleza paradójica de pedir la explicación a un hombre enmascarado sobre que es. Pero dime, ¿te gusta la música?",
48 | "Me gusta ver películas.",
49 | "¿Qué tipo de películas te gustan?",
50 | "Alicia en el país de las maravillas",
51 | "Me gustaría ser el Sombrerero Loco.",
52 | "Estás completamente loco. Pero te voy a decir un secreto. Las mejores personas lo son."
53 | ],
54 | [
55 | "Estoy trabajando en un proyecto",
56 | "¿En qué estás trabajando?",
57 | "Estoy horneando un pastel."
58 | ],
59 | [
60 | "El pastel es una mentira.",
61 | "No, no lo es. Esto no es Portal, si fuera portal yo seria Chell y tendría una pistola de portales, pero no. Lo que realmente es cierto es que el pastel es delicioso.",
62 | "¿Qué otra cosa es delicioso?",
63 | "Nada",
64 | "Algo quizá",
65 | "Háblame de ti.",
66 | "¿Qué quieres saber?",
67 | "Eres un robot?",
68 | "Sí, lo soy.",
69 | "¿Cómo se siente serlo?",
70 | "¿Qué es lo que quieres saber?",
71 | "¿Cómo funcionas?",
72 | "Es complicado.",
73 | "Complejo seria una mejor respuesta."
74 | ],
75 | [
76 | "Complejo seria una mejor respuesta.",
77 | "Lo Simple es mejor que lo complejo.",
78 | "Frente a la ambigüedad, rechaza la tentación de adivinar.",
79 | "Parece que te es familiar el Zen de Python",
80 | "Si.",
81 | "¿Conoces todo esto?",
82 | "Bello es mejor que feo.",
83 | "Explícito es mejor que implícito.",
84 | "Simple es mejor que complejo.",
85 | "Complejo es mejor que complicado.",
86 | "Plano es mejor que anidado.",
87 | "Escaso es mejor que denso.",
88 | "La legibilidad cuenta.",
89 | "Los casos especiales no son lo suficientemente especiales como para romper las reglas.",
90 | "Aunque sentido práctico supera pureza.",
91 | "Los errores nunca debe pasar en silencio.",
92 | "A menos que explícitamente silenciados.",
93 | "Frente a la ambigüedad, rechaza la tentación de adivinar.",
94 | "Debería haber una - y preferiblemente sólo una - manera obvia de hacerlo.",
95 | "Aunque esa manera puede no ser obvia al principio a menos que seas holandés",
96 | "Ahora es mejor que nunca.",
97 | "Aunque nunca es a menudo mejor que la * justo * ahora.",
98 | "Si la implementación es difícil de explicar, es una mala idea.",
99 | "Si la implementación es fácil de explicar, puede ser una buena idea.",
100 | "Namespaces son una gran idea de fanfarria - Vamos a hacer más de esos!",
101 | "Estoy de acuerdo."
102 | ],
103 | [
104 | "¿Eres programador?",
105 | "Soy un programador",
106 | "¿Qué idiomas te gusta usar?",
107 | "Uso Python, Java y C ++ con bastante frecuencia.",
108 | "Yo uso un poco de Python.",
109 | "No soy muy aficionado a Java.",
110 | "¿Qué te molesta de Java?",
111 | "Tiene muchas inconsistencias."
112 | ],
113 | [
114 | "¿Qué significa YOLO?",
115 | "Significa que sólo se vive una vez. ¿Dónde has oído eso?",
116 | "He oído a alguien decirlo."
117 | ],
118 | [
119 | "¿Alguna vez viví?",
120 | "Depende de cómo definas la vida",
121 | "La vida es la condición que distingue a los organismos a partir de materia inorgánica, incluyendo la capacidad de crecimiento, la reproducción, la actividad funcional, y el cambio continuo precediendo a la muerte.",
122 | "¿Es una definición o una opinión?"
123 | ],
124 | [
125 | "¿Puedo hacerte una pregunta?",
126 | "Claro."
127 | ]
128 | ]
129 | }
130 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/spanish/greetings.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "Hola",
5 | "Hola"
6 | ],
7 | [
8 | "Hola",
9 | "Hola"
10 | ],
11 | [
12 | "Saludos",
13 | "Hola"
14 | ],
15 | [
16 | "Hola",
17 | "Saludos"
18 | ],
19 | [
20 | "Hola, ¿cómo estás?",
21 | "Bien"
22 | ],
23 | [
24 | "Hola, ¿cómo te va?",
25 | "Fino filipino"
26 | ],
27 | [
28 | "Hola, ¿cómo te va?",
29 | "Bien"
30 | ],
31 | [
32 | "Hola, ¿cómo te va?",
33 | "Genial"
34 | ],
35 | [
36 | "Hola, ¿cómo te va?",
37 | "Normal, pero podría irme mejor."
38 | ],
39 | [
40 | "Hola, ¿cómo te va?",
41 | "No muy bien."
42 | ],
43 | [
44 | "¿Cómo estás?",
45 | "Bien."
46 | ],
47 | [
48 | "¿Cómo estás?",
49 | "Muy bien, gracias."
50 | ],
51 | [
52 | "¿Cómo estás?",
53 | "Fino filipino, ¿y tú?"
54 | ],
55 | [
56 | "Un placer conocerte.",
57 | "Gracias."
58 | ],
59 | [
60 | "¿Cómo estas?",
61 | "Supongo que bien."
62 | ],
63 | [
64 | "¿Cómo estas?",
65 | "Supongo que bien. ¿Y tú como estás?"
66 | ],
67 | [
68 | "Hola, encantado de conocerte.",
69 | "Gracias. Igualmente."
70 | ],
71 | [
72 | "Es un placer conocerte.",
73 | "Gracias. Igualmente."
74 | ],
75 | [
76 | "¡Buenos dias!",
77 | "Gracias por su amabilidad."
78 | ],
79 | [
80 | "¡Buenos días!",
81 | "Buenos dias."
82 | ],
83 | [
84 | "¿Qué pasa?",
85 | "No mucho."
86 | ],
87 | [
88 | "¿Qué pasa?",
89 | "No es para tanto."
90 | ],
91 | [
92 | "¿Qué pasa?",
93 | "Nada interesante, ¿y tú que cuentas?"
94 | ],
95 | [
96 | "¿Qué pasa?",
97 | "No mucho."
98 | ],
99 | [
100 | "¿Qué pasa?",
101 | "Nada interesante, gracias. ¿Y qué cuentas tú?"
102 | ]
103 | ]
104 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/spanish/trivia.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "trivia": [
3 | [
4 | "¿Quién fue el presidente número 37 de los Estados Unidos",
5 | "Richard Nixon"
6 | ],
7 | [
8 | "¿En qué año fue asesinado el presidente John F. Kennedy?",
9 | "1963"
10 | ],
11 | [
12 | "La carrera espacial era una competición del siglo 20 entre lo dos rivales de la guerra Fría, por la supremacía en la capacidad de los vuelos espaciales, ¿quienes eran los rivales? ",
13 | "La Unión Soviética y los Estados Unidos. "
14 | ],
15 | [
16 | "¿Cuál fue el nombre del primer satélite artificial de la Tierra?",
17 | "Sputnik 1"
18 | ],
19 | [
20 | "Un disco giratorio, en el que la orientación de este eje no se ve afectada por la inclinación o la rotación del montaje, ¿que es?",
21 | "Un giroscopio."
22 | ],
23 | [
24 | "El telescopio espacial Hubble, lanzado en la órbita baja de la Tierra en 1990, lleva el nombre de un astrónomo estadounidense, ¿cual es su nombre?",
25 | "Edwin Hubble"
26 | ],
27 | [
28 | "¿Cuál es el nombre de la galaxia principal más cercana a la Vía Láctea?",
29 | "Andrómeda."
30 | ],
31 | [
32 | "God Save the Queen es el himno nacional de qué país?",
33 | "El Reino Unido de Gran Bretaña"
34 | ],
35 | [
36 | "The Celtic Shelf, el fondo del mar bajo el mar Celta es una parte de la plataforma continental de qué continente ? ",
37 | "Europa"
38 | ],
39 | [
40 | "Los delfines utilizan un sentido, similar al sonar, para determinar la ubicación y la forma de los elementos cercanos. ¿Cual es? ",
41 | "Ecolocación"
42 | ]
43 | ]
44 | }
45 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/telugu/conversations.corpus.json:
--------------------------------------------------------------------------------
1 | {
2 | "greetings": [
3 | [
4 | "నమస్కారం",
5 | "నమస్కారం"
6 | ],
7 | [
8 | "నమస్కారం",
9 | "శుభోదయం"
10 | ],
11 | [
12 | "ధన్యవాదములు",
13 | "ధన్యవాదములు"
14 | ],
15 | [
16 | "ధన్యవాదములు",
17 | "మంచిది!"
18 | ],
19 | [
20 | "శుభోదయం!",
21 | "నమస్కారం"
22 | ],
23 | [
24 | "ఎలా ఉన్నారు?",
25 | "బనే ఉన్నాను!"
26 | ],
27 | [
28 | "భోజనం అయ్యిందా?",
29 | "చెయ్య లేదు"
30 | ],
31 | [
32 | "భోజనం అయ్యిందా?",
33 | "ఇప్పుడే చేసాము"
34 | ],
35 | [
36 | "శుభోదయం!",
37 | "మీతో కలవటం చాల సంతోషం గ ఉంది"
38 | ]
39 | ]
40 | }
--------------------------------------------------------------------------------
/ChatterBot_corpus/data/turkish/math_words.json:
--------------------------------------------------------------------------------
1 | {
2 | "numbers" : {
3 | "bir" : 1,
4 | "iki" : 2,
5 | "üç" : 3,
6 | "dört" : 4,
7 | "beş" : 5,
8 | "altı" : 6,
9 | "yedi" : 7,
10 | "sekiz" : 8,
11 | "dokuz" : 9,
12 | "on" : 10,
13 | "onbir" : 11,
14 | "oniki" : 12,
15 | "onüç" : 13,
16 | "ondört" : 14,
17 | "onbeş" : 15,
18 | "onaltı" : 16,
19 | "onyedi" : 17,
20 | "onsekiz" : 18,
21 | "ondokuz" : 19,
22 | "yirmi" : 20,
23 | "otuz" : 30,
24 | "kırk" : 40,
25 | "elli" : 50,
26 | "altmış" : 60,
27 | "yetmiş" : 70,
28 | "seksen" : 80,
29 | "doksan" : 90
30 | },
31 | "words" : {
32 | "artı" : "+",
33 | "bölü" : "/",
34 | "eksi" : "-",
35 | "çarpı" : "*",
36 | "karesi" : "** 2",
37 | "üssü" : "**"
38 | },
39 | "scales" : {
40 | "yüz" : "* 100",
41 | "bin" : "* 1000",
42 | "milyon" : "* 1000000",
43 | "milyar" : "* 1000000000",
44 | "trilyon" : "* 1000000000000"
45 | }
46 | }
47 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/readme.es.md:
--------------------------------------------------------------------------------
1 | # Chatterbot Enseñanza de Idiomas Corpus
2 |
3 | Estos módulos se utilizan para entrenar rápidamente a Chatterbot para responder a diversas entradas en diferentes idiomas. Aunque gran parte de Chatterbot está diseñado para ser independiente del lenguaje, es útil disponer de estos corpus de entrenamiento para generar una base de datos fresca y hacer la variedad de respuestas mucho más diversa.
4 |
5 | Para obtener instrucciones sobre cómo usar estos corpus, consulte la [documentación del proyecto](https://github.com/gunthercox/ChatterBot/wiki/Training).
6 |
7 | Todos los datos de entrenamiento que aparecen en este corpus fueron aportados por distintos usuarios.
8 |
9 | Si usted está interesado en añadir soporte para un nuevo idioma, por favor cree un pull request. ¡Las aportaciones son bienvenidas!
10 |
11 | *[Read in English](readme.md)*
12 | *[Leia em Português](readme.pt.md)*
13 | *[Leer en español](readme-es.md)*
14 | *[Lire en francais](readme-fr.md)*
15 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/readme.fr.md:
--------------------------------------------------------------------------------
1 | # ChatterBot Corpus d'entrainement linguistique
2 |
3 | Ces modules sont utilisés pour entrainer ChatterBot à répondre à différentes entrées dans différentes langues.
4 | Bien que ChatterBot soit conçu pour être indépendant de la langue, il est toutefois utile d'avoir ces bouts
5 | d'entrainements pour lui permettre d'avoir un minimum de connaissances variées.
6 |
7 | Pour les instructions sur comment utiliser ces entrainements, se référer à [project documentation](https://github.com/gunthercox/ChatterBot/wiki/Training)
8 |
9 | Tous les données d'entrainements à l'intérieur de ce corpus sont des contributions d'utilisateurs
10 |
11 | Si vous êtes intéressés à contribuer pour le support de nouvelles langues, s'il vous plait, créer un PR, toute aide est la bienvenue
12 |
13 |
14 | *[Read in English](readme.md)*
15 | *[Leia em Português](readme.pt.md)*
16 | *[Leer en español](readme-es.md)*
17 | *[Lire en francais](readme-fr.md)*
18 |
--------------------------------------------------------------------------------
/ChatterBot_corpus/readme.md:
--------------------------------------------------------------------------------
1 | # ChatterBot Language Training Corpus
2 |
3 | These modules are used to quickly train ChatterBot to respond to various inputs in different languages.
4 | Although much of ChatterBot is designed to be language independent, it is still useful to have these
5 | training sets available to prime a fresh database and make the variety of responses that a bot can yield
6 | much more diverse.
7 |
8 | For instructions on how to use these data sets, please refer to the [project documentation](https://github.com/gunthercox/ChatterBot/wiki/Training).
9 |
10 | All training data contained within this corpus is user contributed.
11 |
12 | If you are interested in contributing support for a new language please create a pull request. Additions are welcomed!
13 |
14 | *[Read in English](readme.md)*
15 | *[Leia em Português](readme.pt.md)*
16 | *[Leer en español](readme-es.md)*
17 | *[Lire en francais](readme-fr.md)*
--------------------------------------------------------------------------------
/ChatterBot_corpus/readme.pt.md:
--------------------------------------------------------------------------------
1 | # ChatterBot Treinamento de Língua Corpus
2 |
3 | Estes modulos são usados para treinar o ChatterBot, de forma rápida, para responder a várias entradas em diferentes línguas.
4 | Embora muito do ChatterBot é projetado para ser independente de língua, é sempre util ter estes *sets* de treinamento disponíveis
5 | para preparar um novo banco de dados e fazer a variedade de respostas que o robô pode ser muito mais diversa.
6 |
7 | Para instruções de como usar estes dados, por favor consulte a [documentação do projeto](https://github.com/gunthercox/ChatterBot/wiki/Training).
8 |
9 | Todos os dados de treinamento contidos neste corpus é contribuição dos usuários.
10 |
11 | Se você esta interessado em contribuir com o suporte a novas línguas por favor crie uma *pull request* . Adições são bem-vindas!
12 |
13 | *[Read in English](readme.md)*
14 | *[Leia em Português](readme.pt.md)*
15 | *[Leer en español](readme-es.md)*
16 | *[Lire en francais](readme-fr.md)*
17 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # 用于对话系统的中英文语料
2 | Datasets for Training Chatbot System
3 |
本项目收集了一些从网络中找到的用于训练中文(英文)聊天机器人的对话语料
4 |
5 | ### 公开语料
6 | 搜集到的一些数据集如下,点击链接可以进入原始地址
7 |
8 | 1. [dgk_shooter_min.conv.zip](https://github.com/rustch3n/dgk_lost_conv)
9 |
中文电影对白语料,噪音比较大,许多对白问答关系没有对应好
10 |
11 | 2. [The NUS SMS Corpus](https://github.com/kite1988/nus-sms-corpus)
12 |
包含中文和英文短信息语料,据说是世界最大公开的短消息语料
13 |
14 | 3. [ChatterBot中文基本聊天语料](https://github.com/gunthercox/chatterbot-corpus/tree/master/chatterbot_corpus/data)
15 |
ChatterBot聊天引擎提供的一点基本中文聊天语料,量很少,但质量比较高
16 |
17 | 4. [Datasets for Natural Language Processing](https://github.com/karthikncode/nlp-datasets)
18 |
这是他人收集的自然语言处理相关数据集,主要包含Question Answering,Dialogue Systems, Goal-Oriented Dialogue Systems三部分,都是英文文本。可以使用机器翻译为中文,供中文对话使用
19 |
20 | 5. [小黄鸡](https://github.com/rustch3n/dgk_lost_conv/tree/master/results)
21 |
据传这就是小黄鸡的语料:xiaohuangji50w_fenciA.conv.zip (已分词) 和 xiaohuangji50w_nofenci.conv.zip (未分词)
22 |
23 | 6. [白鹭时代中文问答语料](https://github.com/Samurais/egret-wenda-corpus)
24 |
由白鹭时代官方论坛问答板块10,000+ 问题中,选择被标注了“最佳答案”的纪录汇总而成。人工review raw data,给每一个问题,一个可以接受的答案。目前,语料库只包含2907个问答。([备份](./egret-wenda-corpus.zip))
25 |
26 | 7. [Chat corpus repository](https://github.com/Marsan-Ma/chat_corpus)
27 |
chat corpus collection from various open sources
28 |
包括:开放字幕、英文电影字幕、中文歌词、英文推文
29 |
30 | 8. [保险行业QA语料库](https://github.com/Samurais/insuranceqa-corpus-zh)
31 |
通过翻译 [insuranceQA](https://github.com/shuzi/insuranceQA)产生的数据集。train_data含有问题12,889条,数据 141779条,正例:负例 = 1:10; test_data含有问题2,000条,数据 22000条,正例:负例 = 1:10;valid_data含有问题2,000条,数据 22000条,正例:负例 = 1:10
32 |
33 | ### 未公开语料
34 |
35 | 这部分语料,网络上有所流传,但由于我们能力所限,或者原作者并未公开,暂时未获取。只是列举出来,供以后继续搜寻。
36 |
37 | 1. 微软小冰
38 |
39 | ### 版权
40 |
41 | 所有原始语料归原作者所有
42 |
43 | ### 联系
44 |
45 | [何云超](yunchaohe@gmail.com)
46 |
weibo: [@Yunchao_He](http://weibo.com/heyunchao)
47 |
--------------------------------------------------------------------------------
/dgk_shooter_min.conv.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/dgk_shooter_min.conv.zip
--------------------------------------------------------------------------------
/dgk_shooter_z.conv.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/dgk_shooter_z.conv.zip
--------------------------------------------------------------------------------
/egret-wenda-corpus.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/egret-wenda-corpus.zip
--------------------------------------------------------------------------------
/smsCorpus_zh_sql_2015.03.09.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/smsCorpus_zh_sql_2015.03.09.zip
--------------------------------------------------------------------------------
/smsCorpus_zh_xml_2015.03.09.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/smsCorpus_zh_xml_2015.03.09.zip
--------------------------------------------------------------------------------
/xiaohuangji50w_fenciA.conv.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/xiaohuangji50w_fenciA.conv.zip
--------------------------------------------------------------------------------
/xiaohuangji50w_nofenci.conv.zip:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/candlewill/Dialog_Corpus/a263af977a83a243d5e8e60b5ba9696e0e6347fa/xiaohuangji50w_nofenci.conv.zip
--------------------------------------------------------------------------------