百度之星2012-2013成绩抓取python脚本

使用Selenium自动玩2048

xhSong posted @ 2014年8月20日 01:24 in python with tags Selenium 2048 自动 AI 估值 auto2048 , 4101 阅读

前几天看summer师弟玩Selenium感觉挺有意思。便拿着时间风靡一时的游戏“2048”来练手,写了个简单的 AI。甚是欢乐!

Selenium

啥是selenimu,简单的说——Selenium也是一个用于Web应用程序测试的工具。Selenium测试直接运行在浏览器中,就像真正的用户在操作一样。支持的浏览器包括IE、Mozilla Firefox、Mozilla Suite等(来自 http://www.51testing.com/zhuanti/selenium.html)。

selenimu这里就不多介绍了,细节请看 selenium 的 python api 文档

2048策略

2048这个游戏地球人都知道就不介绍了。主要介绍下我的AI。我的AI对于每一个方向的评估有三个方面

  1. 移动导致合并的得分 score:这个就是游戏本身定义的得分,如 4和4合并得8分,128和128合并的256分
  2. 移动后每一行每一列的单调性 monotone:对于每一行(每一列)如果 line[i] <= line[i+1]则mon+= line[i]+line[i+1]否则,mon-=line[i]+line[i+1],monotone=sum(abs(mon))
  3. 移动后相邻块值相同的情况 adjoin:任意两个相邻块的值相同,如cells[i][j]=cells[i+1][j],则 adjoin+=cells[i][j]

最后的估值 estimation = score + monotone * 0.3 + adjoin。对于上下左右四个方向取estimation最大的方向操作

这种方法还可以,运气好的话,可以得到2048

程序结构

程序的源代码如下:


from selenium import webdriver
from selenium.webdriver.common.keys import Keys
import os
import time

size = 4

class Estimator:
    def estimate(self, precells, postcells, action, score):
        for i in range(size):
            score += self.__estimate_line([postcells[i][j] for j in range(size)])
            score += self.__estimate_line([postcells[j][i] for j in range(size)])
        return score

    def __estimate_line(self, line):
        monotone, adjoin = 0, 0
        for i in range(size - 1):
            if line[i + 1] > line[i]:
                monotone += line[i + 1] + line[i]
            else:
                monotone -= line[i + 1] + line[i]
            if line[i + 1] == line[i]:
                adjoin += line[i]
        return abs(monotone) * .3 + adjoin

class Auto2048:
    def __init__(self, url, estimator):
        self.browser = webdriver.Firefox()
        self.browser.get(url)
        self.estimator = estimator

    def get_cells(self):
        tiles = self.browser.find_elements_by_class_name('tile')
        self.cells = [[0 for i in range(4)] for i in range(4)]

        for tile in tiles:
            attr = tile.get_attribute('class').split()
            value = int(attr[1].split('-')[1])
            x = int(attr[2].split('-')[3]) - 1
            y = int(attr[2].split('-')[2]) - 1
            self.cells[x][y] = value

    def AI(self):

        self.get_cells()
        self.Print(self.cells)

        action, actionname = '', ''
        moveable = False
        
        strategies = [    {'fun': self.try_up, 'action': Keys.UP, 'name': 'Up'}, 
                        {'fun': self.try_down, 'action': Keys.DOWN, 'name': 'Down'}, 
                        {'fun': self.try_left, 'action': Keys.LEFT, 'name': 'Left'}, 
                        {'fun': self.try_right, 'action': Keys.RIGHT, 'name': 'Right'}]
        for strategy in strategies:
            result = strategy['fun']()
            estimation = self.estimator.estimate(self.cells, result['cells'], strategy['name'], result['score'])
            if result['moveable'] and (moveable == False or max_estimation < estimation):
                action = strategy['action']
                max_estimation = estimation
                moveable = True
                actionname = strategy['name']

        if not moveable:
            return False

        self.browser.find_element_by_class_name('grid-container').send_keys(action)
        print 'Action: ', actionname
        return True

    def move_left(self, cells):
        moveable = False
        score = 0
        for x in range(size):
            pre = 0
            for y in range(size):
                if cells[x][y]:
                    cells[x][pre] = cells[x][y]
                    if y != pre:
                        moveable = True
                        cells[x][y] = 0
                    pre += 1
            for y in range(size - 1):
                if cells[x][y] and cells[x][y] == cells[x][y + 1]:
                    cells[x][y] += cells[x][y]
                    score += cells[x][y]
                    cells[x][y + 1] = 0
                    moveable = True
            pre = 0
            for y in range(size):
                if cells[x][y]:
                    cells[x][pre] = cells[x][y]
                    if y != pre:
                        moveable = True
                        cells[x][y] = 0
                    pre += 1
        return {'moveable': moveable, 'score': score, 'cells': cells}
    
    def try_left(self):
        cells = [[self.cells[i][j] for j in range(size)] for i in range(size)]
        return self.move_left(cells)

    def try_right(self):
        cells = [[self.cells[i][size - 1 - j] for j in range(size)] for i in range(size)]
        result = self.move_left(cells)
        result['cells'] = [[result['cells'][i][size - 1 - j] for j in range(size)] for i in range(size)]
        return result

    def try_up(self):
        cells = [[self.cells[j][i] for j in range(size)] for i in range(size)]
        result = self.move_left(cells)
        result['cells'] = [[result['cells'][j][i] for j in range(size)] for i in range(size)]
        return result
    
    def try_down(self):
        cells = [[self.cells[size - 1 - j][i] for j in range(size)] for i in range(size)]
        result = self.move_left(cells)
        result['cells'] = [[result['cells'][j][size - 1 - i] for j in range(size)] for i in range(size)]
        return result

    def __del__(self):
        self.browser.close()

    def Print(self, cells):
        print 
        for x in range(size):
            for y in range(size):
                print '%5d' % cells[x][y], 
            print 

if __name__ == '__main__':
    url = 'file://' + os.path.abspath('2048/index.html')
    # url = "http://gabrielecirulli.github.io/2048/"
    auto2048 = Auto2048(url, Estimator())
    while auto2048.AI():
        time.sleep(0.2)
    time.sleep(10)

源代码中有两个类

主逻辑类 Auto2048

使用 2048的url和估值类(AI逻辑)构造。测试过程中,用 wget 将 "http://gabrielecirulli.github.io/2048/" 的所有页面抓到本地分析(由于不懂js在网页中的工作原理,使用find_elements_by_class_name找当前cells的信息找了好久)

每一次操作调一次AI(),AI() 先获取当前页面的状态保存在 self.cells 中,然后对上下左右四个方向枚举,取估值最大的方向并使用send_keys进行操作。如果能操作则AI()返回True,否则返回False

估值类 Estimator

估值类只要实现 def estimate(self, precells, postcells, action, score): 估值方法即可。其中,precells为操作前状态,postcells为操作后状态,atcion为操作['Left', 'Right', 'Up', 'Down'],score为操作得分。返回值为估值estimation,值越到越好。

虽然我的估值方法运气好的话可以得到2048,但还是很粗糙的。你要有兴趣的话,可以写一个更好的Estimator得到更高的分。

源代码地址 https://github.com/xhSong/auto2048

  • 无匹配
Avatar_small
전설 서구 说:
2021年3月02日 20:00

Nice post. I was checking constantly this blog and I am impressed! Extremely helpful information specially the last part I care for such info a lot. I was seeking this particular information for a very long time. Thank you and good luck. 123 movies

Avatar_small
AP 10th Geography Qu 说:
2022年9月19日 00:11

Geography is an important subject in Class 10t. However, considerable ambiguities persist in its exact position within academia. AP 10th Geography Question Paper As an inclusive discipline, the content of geography is derived from various subjects in the sciences, social sciences and humanities. This is equally true about the geography syllabus in schools as well.Telugu Medium, English Medium & Urdu Medium Students of the State Board can download the AP 10th Geography Model Paper 2023 Pdf with answers for all exam formats conducted by BSEAP for Part-A, Part-B, Part-C, and Part-D exams of SA-1, SA-2, FA-1, FA-2, FA-3, FA-4 along with Assignments which were designed by subject experts of leading educational institutes.

Avatar_small
Alyssa 说:
2023年1月09日 13:06

With Selenium, you can automatically play 2048 by opening up the game in your browser real estate Algona and then using Selenium to control the game. This can be done by opening up the game in your browser, and then using Selenium to click on the tiles and make the moves.

Avatar_small
99-networks.com 说:
2023年4月23日 14:29

Find the relavant home / business based BSNL high speed broadband plans in UP East telecom delivering the best internet over copper / coaxial/ optical fiber network broadband services at lowest charges, Verify the low cost suitable unlimited. We 99-networks have a different Policy for its services and these are the important Policies concerns that are considered for using the website. Customers can anytime check this Privacy Policy listed on the website so 99-networks.com that they can be assured how their data is being used by the website. In the same manner.

Avatar_small
seo service london 说:
2024年7月25日 20:02

Very good written article. It will be supportive to anyone who utilizes it, including me. Keep doing what you are doing – can’r wait to read more posts

Avatar_small
casinohunter24 说:
2024年7月25日 21:03

I love them!!! Let's see if I get excited and prepare them for my son's party tomorrow! At the moment I have already practiced with your super cupcakes, they turned out amazing!!!! I linked you by the way!!! he he! Kisses and enjoy the heat, in Barcelona it is unbearable!!!!!!!!! and to think that a year ago I was giving birth! ahahahaha

Avatar_small
good information 说:
2024年7月25日 21:03

Love is indescribable and unreliable, when we fall in love with someone, we get eager to express our love feeling in front of them, which is in our heart. However, some of us can express feeling in front of their desired one, but you know all of us don't have such courage, which can easily confess their feeling, consequence of this; they live life without loved and eager. To keep this thing in mind our Specialist, Pt. Hari OM Shastri ji provides love problems solution.

Avatar_small
soccer friends 说:
2024年7月25日 21:04

There is this concept that there must be a better candidate out there, so [companies] get more interviewers involved and, sometimes, they just end up more confused,” Ho says, noting that too many interviewers can create a lack of focus in the questioning as well as unease for the candidate.

Avatar_small
good information 说:
2024年7月25日 21:04

Factoring some form of working task into the recruitment process has long been a way to assess a candidate’s suitability for a role. Along with being a chance for employers to see how their potential hire would approach aspects of the job, these ‘working interviews’ also enable the candidate to flex their skills, especially if they don’t thrive in the interview hotseat.

Avatar_small
References 说:
2024年7月25日 21:05

Thank you for sharing this post, I really enjoyed reading every single word. Data Science can be interpreted as an advanced application of Computer Science which has been specially designed to deal with the data analytics applications. By making use of advanced tools and algorithms, Data Science has the power to mine & extract valuable insights which are encrypted inside the data. Thereby, uncovering the hidden patterns & information from the data has become a lot easier. This Data Science Course Training In Hyderabad will help the students gain real-world hands-on insights for handling the real-time industry challenges in this Data Science domain.

Avatar_small
evokorea 说:
2024年7月25日 21:05

My friend mentioned to me your blog, so I thought I’d read it for myself. Very interesting insights, will be back for more!Just saying thanks will not just be sufficient, for the fantasti c lucidity in your writing. I will instantly grab your rss feed to stay informed of any updates.

Avatar_small
카공 说:
2024年7月25日 21:06

The article is straightforward, itemized and fastidious! I had a ton of gather in the wake of watching this article from you! I thought that it was intriguing, your article gave me another point of view! I have perused numerous different articles on a similar point, however your article persuaded me

Avatar_small
Learn more 说:
2024年7月25日 21:06

Make a subscription to the best website. where you will be able to place bets 24 hours a day, after that fill in your personal information Verify your identity through your mobile number. You can choose to receive free credit promotions. or maybe deposit to receive free credit

Avatar_small
good information 说:
2024年7月25日 21:07

Hey I know this is off topic but I was wondering if you knew of any widgets I could add to my blog that automatically tweet my newest twitter updates whatever point you may require it. The reason behind discussing the dua for your sweetheart back is to get your cherished one back, who has cut off an adoration friendship with you. This dua for my darling back is someone who can't confront partition with their cherish

Avatar_small
Learn more 说:
2024年7月25日 21:07

There is this concept that there must be a better candidate out there, so [companies] get more interviewers involved and, sometimes, they just end up more confused,” Ho says, noting that too many interviewers can create a lack of focus in the questioning as well as unease for the candidate.

Avatar_small
get more info 说:
2024年7月25日 21:08

There is this concept that there must be a better candidate out there, so [companies] get more interviewers involved and, sometimes, they just end up more confused,” Ho says, noting that too many interviewers can create a lack of focus in the questioning as well as unease for the candidate.

Avatar_small
View data 说:
2024年7月25日 21:08

I really thank you for the gainful data on this wonderful subject and foresee more inconceivable posts. Thankful for getting a charge out of this greatness article with me. I am esteeming everything that much! Envisioning another great article. Favorable circumstances to the maker! All the best!

Avatar_small
contents 说:
2024年7月25日 21:09

May I simply just say what a comfort to find an individual who actually understands what they're discussing on the web. You certainly realize how to bring an issue to light and make it important. More people really need to look at this and understand this side of your story. It's surprising you're not more popular given that you surely possess the gift.

Avatar_small
More details 说:
2024年7月25日 21:09

Hi I found your site by mistake when i was searching yahoo for this acne issue, I must say your site is really helpful I also love the design, its amazing!. I don’t have the time at the moment to fully read your site but I have bookmarked it and also add your RSS feeds. I will be back in a day or two. thanks for a great site

Avatar_small
click here 说:
2024年7月25日 21:20

I would like to thank you for the efforts you have made in writing this article. I am hoping the same best work from you in the future as well. In fact your creative writing abilities has inspired me to start my own BlogEngine blog now. Really the blogging is spreading its wings rapidly. Your write up is a fine example of it.

Avatar_small
website 说:
2024年7月25日 21:24

The post contains clear instructions on how to produce an outstanding essay. Your clicking speed needs to be good if you want to excel in your gaming career. I have a piece of writing regarding a tool-free mouse click test. Visit this website When I originally commented I clicked the “Notify me when new comments are added” checkbox and now each time a comment is added

Avatar_small
get more info 说:
2024年7月25日 21:26

The Training is designed as Flexible as to meet the demands of fresher's and working professionals. It offers a number of Advanced & Corporate E-Marketing, Online Marketing and Internet Marketing programs & courses to help you take advantage of and develop your own in-house or personal knowledge base in Website Promotions digital marketing course

Avatar_small
acidoacetico 说:
2024年7月25日 21:27

The "Perfect Cupcake" review is concise and highlights the cupcake's quality. It mentions taste, texture, and presentation. To improve, it could include specific flavor details or unique elements. Sharing personal experiences or ideal occasions could also be beneficial. Overall, the review is good, but more detailed descriptions and personal touches could enhance it.

Avatar_small
panavtec 说:
2024年7月25日 21:27

Easily, the article is actually the best topic on this registry related issue. I fit in with your conclusions and will eagerly look forward to your next updates. Just saying thanks will not just be sufficient, for the fantasti c lucidity in your writing. I will instantly grab your rss feed to stay informed of any updates.

Avatar_small
get more info 说:
2024年7月25日 21:28

Our web design company in Dubai is the leading provider of professional website design, web development, WordPress, Joomla, Magento, website hosting, website maintenance, Graphic Design, digital marketing, and search engine optimization in the UAE to help your business grow. In Dubai, we are the most trusted website design company and digital services agency. Using advanced coding, user-friendly designs, natural navigation, and the latest technology, we craft dynamic and stunning websites for an unparalleled digital experience that inspires and syncs with your customers on any browser and device.

Avatar_small
here 说:
2024年7月25日 21:28

Once a while, we seem that many love couples, whose relationship works optimally for a few months and years, but sudden some changes occur which is totally unimaginable, in fact, a couple also doesn't even think that about that, such a kind of moment they will ever face in their life. Because sometimes circumstance makes couple life worse and can't get that point. This is the only reason, most love story ends.

Avatar_small
Learn more 说:
2024年7月25日 21:29

Factoring some form of working task into the recruitment process has long been a way to assess a candidate’s suitability for a role. Along with being a chance for employers to see how their potential hire would approach aspects of the job, these ‘working interviews’ also enable the candidate to flex their skills, especially if they don’t thrive in the interview hotseat.

Avatar_small
good information 说:
2024年7月25日 21:29

I would like to thank you for the efforts you have made in writing this article. I am hoping the same best work from you in the future as well. In fact your creative writing abilities has inspired me to start my own BlogEngine blog now. Really the blogging is spreading its wings rapidly. Your write up is a fine example of it.

Avatar_small
메이저토토 说:
2024年7月25日 21:30

There is this concept that there must be a better candidate out there, so [companies] get more interviewers involved and, sometimes, they just end up more confused,” Ho says, noting that too many interviewers can create a lack of focus in the questioning as well as unease for the candidate.

Avatar_small
read more 说:
2024年7月25日 21:30

Hi I found your site by mistake when i was searching yahoo for this acne issue, I must say your site is really helpful I also love the design, its amazing!. I don’t have the time at the moment to fully read your site but I have bookmarked it and also add your RSS feeds. I will be back in a day or two. thanks for a great site.

Avatar_small
Research materials 说:
2024年7月25日 21:30

I would like to thank you for the efforts you have made in writing this article. I am hoping the same best work from you in the future as well. In fact your creative writing abilities has inspired me to start my own BlogEngine blog now. Really the blogging is spreading its wings rapidly. Your write up is a fine example of it.

Avatar_small
dependtotosite 说:
2024年7月25日 21:31

Factoring some form of working task into the recruitment process has long been a way to assess a candidate’s suitability for a role. Along with being a chance for employers to see how their potential hire would approach aspects of the job, these ‘working interviews’ also enable the candidate to flex their skills, especially if they don’t thrive in the interview hotseat.

Avatar_small
Learn more 说:
2024年7月25日 21:31

There is this concept that there must be a better candidate out there, so [companies] get more interviewers involved and, sometimes, they just end up more confused,” Ho says, noting that too many interviewers can create a lack of focus in the questioning as well as unease for the candidate.


登录 *


loading captcha image...
(输入验证码)
or Ctrl+Enter