为爬虫框架构建Selenium模块DSL模块(Kotlin实现)

Posted Java与Android技术栈

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了为爬虫框架构建Selenium模块DSL模块(Kotlin实现)相关的知识,希望对你有一定的参考价值。


NetDiscover(https://github.com/fengzhizi715/NetDiscovery)是一款基于Vert.x、RxJava2实现的爬虫框架。我最近添加了两个模块:Selenium模块、DSL模块。

一. Selenium模块

添加这个模块的目的是为了让它能够模拟人的行为去操作浏览器,完成爬虫抓取的目的。

Selenium是一个用于Web应用程序测试的工具。Selenium测试直接运行在浏览器中,就像真正的用户在操作一样。支持的浏览器包括IE(7, 8, 9, 10, 11),Mozilla Firefox,Safari,Google Chrome,Opera等。这个工具的主要功能包括:测试与浏览器的兼容性——测试你的应用程序看是否能够很好得工作在不同浏览器和操作系统之上。测试系统功能——创建回归测试检验软件功能和用户需求。支持自动录制动作和自动生成 .Net、Java、Perl等不同语言的测试脚本。

Selenium包括了一组工具和API:Selenium IDE,Selenium RC,Selenium WebDriver,和Selenium Grid。

其中,Selenium WebDriver 是一个支持浏览器自动化的工具。它包括一组为不同语言提供的类库和“驱动”(drivers)可以使浏览器上的动作自动化。

1.1 适配多个浏览器

正是得益于Selenium WebDriver ,Selenium模块可以适配多款浏览器。目前在该模块中支持Chrome、Firefox、IE以及PhantomJS(PhantomJS是一个无界面的,可脚本编程的WebKit浏览器引擎)。

 
   
   
 
  1. package com.cv4j.netdiscovery.selenium;

  2. import org.openqa.selenium.WebDriver;

  3. import org.openqa.selenium.chrome.ChromeDriver;

  4. import org.openqa.selenium.firefox.FirefoxDriver;

  5. import org.openqa.selenium.ie.InternetExplorerDriver;

  6. import org.openqa.selenium.phantomjs.PhantomJSDriver;

  7. import org.openqa.selenium.remote.CapabilityType;

  8. import org.openqa.selenium.remote.DesiredCapabilities;

  9. /**

  10. * Created by tony on 2018/1/28.

  11. */

  12. public enum Browser implements WebDriverInitializer {

  13.    CHROME {

  14.        @Override

  15.        public WebDriver init(String path) {

  16.            System.setProperty("webdriver.chrome.driver", path);

  17.            return new ChromeDriver();

  18.        }

  19.    },

  20.    FIREFOX {

  21.        @Override

  22.        public WebDriver init(String path) {

  23.            System.setProperty("webdriver.gecko.driver", path);

  24.            return new FirefoxDriver();

  25.        }

  26.    },

  27.    IE {

  28.        @Override

  29.        public WebDriver init(String path) {

  30.            System.setProperty("webdriver.ie.driver", path);

  31.            return new InternetExplorerDriver();

  32.        }

  33.    },

  34.    PHANTOMJS {

  35.        @Override

  36.        public WebDriver init(String path) {

  37.            DesiredCapabilities capabilities = new DesiredCapabilities();

  38.            capabilities.setCapability("phantomjs.binary.path", path);

  39.            capabilities.setCapability(CapabilityType.ACCEPT_SSL_CERTS, true);

  40.            capabilities.setjavascriptEnabled(true);

  41.            capabilities.setCapability("takesScreenshot", true);

  42.            capabilities.setCapability("cssSelectorsEnabled", true);

  43.            return new PhantomJSDriver(capabilities);

  44.        }

  45.    }

  46. }

1.2 WebDriverPool

之所以使用WebDriverPool,是因为每次打开一个WebDriver进程都比较耗费资源,所以创建一个对象池。我使用Apache的Commons Pool组件来实现对象池化。

 
   
   
 
  1. package com.cv4j.netdiscovery.selenium.pool;

  2. import org.apache.commons.pool2.impl.GenericObjectPool;

  3. import org.openqa.selenium.WebDriver;

  4. /**

  5. * Created by tony on 2018/3/9.

  6. */

  7. public class WebDriverPool {

  8.    private static GenericObjectPool<WebDriver> webDriverPool = null;

  9.    /**

  10.     * 如果需要使用WebDriverPool,则必须先调用这个init()方法

  11.     *

  12.     * @param config

  13.     */

  14.    public static void init(WebDriverPoolConfig config) {

  15.        webDriverPool = new GenericObjectPool<>(new WebDriverPooledFactory(config));

  16.        webDriverPool.setMaxTotal(Integer.parseInt(System.getProperty(

  17.                "webdriver.pool.max.total", "20"))); // 最多能放多少个对象

  18.        webDriverPool.setMinIdle(Integer.parseInt(System.getProperty(

  19.                "webdriver.pool.min.idle", "1")));   // 最少有几个闲置对象

  20.        webDriverPool.setMaxIdle(Integer.parseInt(System.getProperty(

  21.                "webdriver.pool.max.idle", "20"))); // 最多允许多少个闲置对象

  22.        try {

  23.            webDriverPool.preparePool();

  24.        } catch (Exception e) {

  25.            throw new RuntimeException(e);

  26.        }

  27.    }

  28.    public static WebDriver borrowOne() {

  29.        if (webDriverPool!=null) {

  30.            try {

  31.                return webDriverPool.borrowObject();

  32.            } catch (Exception e) {

  33.                throw new RuntimeException(e);

  34.            }

  35.        }

  36.        return null;

  37.    }

  38.    public static void returnOne(WebDriver driver) {

  39.        if (webDriverPool!=null) {

  40.            webDriverPool.returnObject(driver);

  41.        }

  42.    }

  43.    public static void destory() {

  44.        if (webDriverPool!=null) {

  45.            webDriverPool.clear();

  46.            webDriverPool.close();

  47.        }

  48.    }

  49.    public static boolean hasWebDriverPool() {

  50.        return webDriverPool!=null;

  51.    }

  52. }

1.3 SeleniumAction

Selenium 可以模拟浏览器的行为,例如点击、滑动、返回等等。这里抽象出一个SeleniumAction类,用于表示模拟的事件。

 
   
   
 
  1. package com.cv4j.netdiscovery.selenium.action;

  2. import org.openqa.selenium.By;

  3. import org.openqa.selenium.WebDriver;

  4. /**

  5. * Created by tony on 2018/3/3.

  6. */

  7. public abstract class SeleniumAction {

  8.    public abstract SeleniumAction perform(WebDriver driver);

  9.    public SeleniumAction doIt(WebDriver driver) {

  10.        return perform(driver);

  11.    }

  12.    public static SeleniumAction clickOn(By by) {

  13.        return new ClickOn(by);

  14.    }

  15.    public static SeleniumAction getUrl(String url) {

  16.        return new GetURL(url);

  17.    }

  18.    public static SeleniumAction goBack() {

  19.        return new GoBack();

  20.    }

  21.    public static SeleniumAction closeTabs() {

  22.        return new CloseTab();

  23.    }

  24. }

1.4 SeleniumDownloader

Downloader是爬虫框架的下载器组件,例如可以使用vert.x的webclient、okhttp3等实现网络请求的功能。如果需要使用Selenium,必须要使用SeleniumDownloader来完成网络请求。

SeleniumDownloader类可以添加一个或者多个SeleniumAction。如果是多个SeleniumAction会按照顺序执行。

尤为重要的是,SeleniumDownloader类中webDriver是从WebDriverPool中获取,每次使用完了会将webDriver返回到连接池。

 
   
   
 
  1. package com.cv4j.netdiscovery.selenium.downloader;

  2. import com.cv4j.netdiscovery.core.config.Constant;

  3. import com.cv4j.netdiscovery.core.domain.Request;

  4. import com.cv4j.netdiscovery.core.domain.Response;

  5. import com.cv4j.netdiscovery.core.downloader.Downloader;

  6. import com.cv4j.netdiscovery.selenium.action.SeleniumAction;

  7. import com.cv4j.netdiscovery.selenium.pool.WebDriverPool;

  8. import com.safframework.tony.common.utils.Preconditions;

  9. import io.reactivex.Maybe;

  10. import io.reactivex.MaybeEmitter;

  11. import io.reactivex.MaybeOnSubscribe;

  12. import io.reactivex.functions.Function;

  13. import org.openqa.selenium.JavascriptExecutor;

  14. import org.openqa.selenium.WebDriver;

  15. import java.util.LinkedList;

  16. import java.util.List;

  17. /**

  18. * Created by tony on 2018/1/28.

  19. */

  20. public class SeleniumDownloader implements Downloader {

  21.    private WebDriver webDriver;

  22.    private List<SeleniumAction> actions = new LinkedList<>();

  23.    public SeleniumDownloader() {

  24.        this.webDriver = WebDriverPool.borrowOne(); // 从连接池中获取webDriver

  25.    }

  26.    public SeleniumDownloader(SeleniumAction action) {

  27.        this.webDriver = WebDriverPool.borrowOne(); // 从连接池中获取webDriver

  28.        this.actions.add(action);

  29.    }

  30.    public SeleniumDownloader(List<SeleniumAction> actions) {

  31.        this.webDriver = WebDriverPool.borrowOne(); // 从连接池中获取webDriver

  32.        this.actions.addAll(actions);

  33.    }

  34.    @Override

  35.    public Maybe<Response> download(Request request) {

  36.        return Maybe.create(new MaybeOnSubscribe<String>(){

  37.            @Override

  38.            public void subscribe(MaybeEmitter emitter) throws Exception {

  39.                if (webDriver!=null) {

  40.                    webDriver.get(request.getUrl());

  41.                    if (Preconditions.isNotBlank(actions)) {

  42.                        actions.forEach(

  43.                                action-> action.perform(webDriver)

  44.                        );

  45.                    }

  46.                    emitter.onSuccess(webDriver.getPageSource());

  47.                }

  48.            }

  49.        }).map(new Function<String, Response>() {

  50.            @Override

  51.            public Response apply(String html) throws Exception {

  52.                Response response = new Response();

  53.                response.setContent(html.getBytes());

  54.                response.setStatusCode(Constant.OK_STATUS_CODE);

  55.                response.setContentType(getContentType(webDriver));

  56.                return response;

  57.            }

  58.        });

  59.    }

  60.    /**

  61.     * @param webDriver

  62.     * @return

  63.     */

  64.    private String getContentType(final WebDriver webDriver) {

  65.        if (webDriver instanceof JavascriptExecutor) {

  66.            final JavascriptExecutor jsExecutor = (JavascriptExecutor) webDriver;

  67.            // TODO document.contentType does not exist.

  68.            final Object ret = jsExecutor

  69.                    .executeScript("return document.contentType;");

  70.            if (ret != null) {

  71.                return ret.toString();

  72.            }

  73.        }

  74.        return "text/html";

  75.    }

  76.    @Override

  77.    public void close() {

  78.        if (webDriver!=null) {

  79.            WebDriverPool.returnOne(webDriver); // 将webDriver返回到连接池

  80.        }

  81.    }

  82. }

1.5 一些有用的工具类

此外,Selenium模块还有一个工具类。它包含了一些scrollTo、scrollBy、clickElement等浏览器的操作。

还有一些有特色的功能是对当前网页进行截幕,或者是截取某个区域。

 
   
   
 
  1.    public static void taskScreenShot(WebDriver driver,String pathName){

  2.        //指定了OutputType.FILE做为参数传递给getScreenshotAs()方法,其含义是将截取的屏幕以文件形式返回。

  3.        File srcFile = ((TakesScreenshot)driver).getScreenshotAs(OutputType.FILE);

  4.        //利用IOUtils工具类的copyFile()方法保存getScreenshotAs()返回的文件对象。

  5.        try {

  6.            IOUtils.copyFile(srcFile, new File(pathName));

  7.        } catch (IOException e) {

  8.            e.printStackTrace();

  9.        }

  10.    }

  11.    public static void taskScreenShot(WebDriver driver,WebElement element,String pathName) {

  12.        //指定了OutputType.FILE做为参数传递给getScreenshotAs()方法,其含义是将截取的屏幕以文件形式返回。

  13.        File srcFile = ((TakesScreenshot) driver).getScreenshotAs(OutputType.FILE);

  14.        //利用IOUtils工具类的copyFile()方法保存getScreenshotAs()返回的文件对象。

  15.        try {

  16.            //获取元素在所处frame中位置对象

  17.            Point p = element.getLocation();

  18.            //获取元素的宽与高

  19.            int width = element.getSize().getWidth();

  20.            int height = element.getSize().getHeight();

  21.            //矩形图像对象

  22.            Rectangle rect = new Rectangle(width, height);

  23.            BufferedImage img = ImageIO.read(srcFile);

  24.            BufferedImage dest = img.getSubimage(p.getX(), p.getY(), rect.width, rect.height);

  25.            ImageIO.write(dest, "png", srcFile);

  26.            IOUtils.copyFile(srcFile, new File(pathName));

  27.        } catch (IOException e) {

  28.            e.printStackTrace();

  29.        }

  30.    }

  31.    /**

  32.     * 截取某个区域的截图

  33.     * @param driver

  34.     * @param x

  35.     * @param y

  36.     * @param width

  37.     * @param height

  38.     * @param pathName

  39.     */

  40.    public static void taskScreenShot(WebDriver driver,int x,int y,int width,int height,String pathName) {

  41.        //指定了OutputType.FILE做为参数传递给getScreenshotAs()方法,其含义是将截取的屏幕以文件形式返回。

  42.        File srcFile = ((TakesScreenshot) driver).getScreenshotAs(OutputType.FILE);

  43.        //利用IOUtils工具类的copyFile()方法保存getScreenshotAs()返回的文件对象。

  44.        try {

  45.            //矩形图像对象

  46.            Rectangle rect = new Rectangle(width, height);

  47.            BufferedImage img = ImageIO.read(srcFile);

  48.            BufferedImage dest = img.getSubimage(x, y, rect.width, rect.height);

  49.            ImageIO.write(dest, "png", srcFile);

  50.            IOUtils.copyFile(srcFile, new File(pathName));

  51.        } catch (IOException e) {

  52.            e.printStackTrace();

  53.        }

  54.    }

1.6 使用Selenium模块的实例

在京东上搜索我的新书《RxJava 2.x 实战》,并按照销量进行排序,然后获取前十个商品的信息。

1.6.1 创建多个Actions,并按照顺序执行。

第一步,打开浏览器输入关键字

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.selenium.Utils;

  3. import com.cv4j.netdiscovery.selenium.action.SeleniumAction;

  4. import org.openqa.selenium.WebDriver;

  5. import org.openqa.selenium.WebElement;

  6. /**

  7. * Created by tony on 2018/6/12.

  8. */

  9. public class BrowserAction extends SeleniumAction{

  10.    @Override

  11.    public SeleniumAction perform(WebDriver driver) {

  12.        try {

  13.            String searchText = "RxJava 2.x 实战";

  14.            String searchInput = "//*[@id="keyword"]";

  15.            WebElement userInput = Utils.getWebElementByXpath(driver, searchInput);

  16.            userInput.sendKeys(searchText);

  17.            Thread.sleep(3000);

  18.        } catch (InterruptedException e) {

  19.            e.printStackTrace();

  20.        }

  21.        return null;

  22.    }

  23. }

第二步,点击搜索按钮进行搜索

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.selenium.Utils;

  3. import com.cv4j.netdiscovery.selenium.action.SeleniumAction;

  4. import org.openqa.selenium.By;

  5. import org.openqa.selenium.WebDriver;

  6. /**

  7. * Created by tony on 2018/6/12.

  8. */

  9. public class SearchAction extends SeleniumAction {

  10.    @Override

  11.    public SeleniumAction perform(WebDriver driver) {

  12.        try {

  13.            String searchBtn = "/html/body/div[2]/form/input[4]";

  14.            Utils.clickElement(driver, By.xpath(searchBtn));

  15.            Thread.sleep(3000);

  16.        } catch (InterruptedException e) {

  17.            e.printStackTrace();

  18.        }

  19.        return null;

  20.    }

  21. }

第三步,对搜索的结果点击“销量”进行排序

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.selenium.Utils;

  3. import com.cv4j.netdiscovery.selenium.action.SeleniumAction;

  4. import org.openqa.selenium.By;

  5. import org.openqa.selenium.WebDriver;

  6. /**

  7. * 按照销量进行排序

  8. * Created by tony on 2018/6/12.

  9. */

  10. public class SortAction extends SeleniumAction{

  11.    @Override

  12.    public SeleniumAction perform(WebDriver driver) {

  13.        try {

  14.            String saleSortBtn = "//*[@id="J_filter"]/div[1]/div[1]/a[2]";

  15.            Utils.clickElement(driver, By.xpath(saleSortBtn));

  16.            Thread.sleep(3000);

  17.        } catch (InterruptedException e) {

  18.            e.printStackTrace();

  19.        }

  20.        return null;

  21.    }

  22. }

1.6.2 创建解析类PriceParser

执行上述actions之后,并对返回的html进行解析。将解析后的商品信息传给后面的Pipeline。

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.core.domain.Page;

  3. import com.cv4j.netdiscovery.core.parser.Parser;

  4. import org.jsoup.Jsoup;

  5. import org.jsoup.nodes.Document;

  6. import org.jsoup.select.Elements;

  7. /**

  8. * Created by tony on 2018/6/12.

  9. */

  10. public class PriceParser implements Parser{

  11.    @Override

  12.    public void process(Page page) {

  13.        String pageHtml = page.getHtml().toString();

  14.        Document document = Jsoup.parse(pageHtml);

  15.        Elements elements = document.select("div[id=J_goodsList] li[class=gl-item]");

  16.        page.getResultItems().put("goods_elements",elements);

  17.    }

  18. }

1.6.3 创建Pileline类PricePipeline

用于打印销量最高的前十个商品的信息。

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.core.domain.ResultItems;

  3. import com.cv4j.netdiscovery.core.pipeline.Pipeline;

  4. import lombok.extern.slf4j.Slf4j;

  5. import org.jsoup.nodes.Element;

  6. import org.jsoup.select.Elements;

  7. /**

  8. * Created by tony on 2018/6/12.

  9. */

  10. @Slf4j

  11. public class PricePipeline implements Pipeline {

  12.    @Override

  13.    public void process(ResultItems resultItems) {

  14.        Elements elements = resultItems.get("goods_elements");

  15.        if (elements != null && elements.size() >= 10) {

  16.            for (int i = 0; i < 10; i++) {

  17.                Element element = elements.get(i);

  18.                String storeName = element.select("div[class=p-shop] a").first().text();

  19.                String goodsName = element.select("div[class=p-name p-name-type-2] a em").first().text();

  20.                String goodsPrice = element.select("div[class=p-price] i").first().text();

  21.                log.info(storeName + "  " + goodsName + "  ¥" + goodsPrice);

  22.            }

  23.        }

  24.    }

  25. }

1.6.4 完成JDSpider

此时,多个action会按照顺序执行,downloader采用SeleniumDownloader。

 
   
   
 
  1. package com.cv4j.netdiscovery.example.jd;

  2. import com.cv4j.netdiscovery.core.Spider;

  3. import com.cv4j.netdiscovery.selenium.Browser;

  4. import com.cv4j.netdiscovery.selenium.action.SeleniumAction;

  5. import com.cv4j.netdiscovery.selenium.downloader.SeleniumDownloader;

  6. import com.cv4j.netdiscovery.selenium.pool.WebDriverPool;

  7. import com.cv4j.netdiscovery.selenium.pool.WebDriverPoolConfig;

  8. import java.util.ArrayList;

  9. import java.util.List;

  10. /**

  11. * Created by tony on 2018/6/12.

  12. */

  13. public class JDSpider {

  14.    public static void main(String[] args) {

  15.        WebDriverPoolConfig config = new WebDriverPoolConfig("example/chromedriver",Browser.CHROME); //设置浏览器的驱动程序和浏览器的类型,浏览器的驱动程序要跟操作系统匹配。

  16.        WebDriverPool.init(config); // 需要先使用init,才能使用WebDriverPool

  17.        List<SeleniumAction> actions = new ArrayList<>();

  18.        actions.add(new BrowserAction());

  19.        actions.add(new SearchAction());

  20.        actions.add(new SortAction());

  21.        SeleniumDownloader seleniumDownloader = new SeleniumDownloader(actions);

  22.        String url = "https://search.jd.com/";

  23.        Spider.create()

  24.                .name("jd")

  25.                .url(url)

  26.                .downloader(seleniumDownloader)

  27.                .parser(new PriceParser())

  28.                .pipeline(new PricePipeline())

  29.                .run();

  30.    }

  31. }




为爬虫框架构建Selenium模块、DSL模块(Kotlin实现)



二. DSL模块

该模块是由 Kotlin编写的,使用它的特性进行DSL的封装。

 
   
   
 
  1. package com.cv4j.netdiscovery.dsl

  2. import com.cv4j.netdiscovery.core.Spider

  3. import com.cv4j.netdiscovery.core.downloader.Downloader

  4. import com.cv4j.netdiscovery.core.parser.Parser

  5. import com.cv4j.netdiscovery.core.pipeline.Pipeline

  6. import com.cv4j.netdiscovery.core.queue.Queue

  7. /**

  8. * Created by tony on 2018/5/27.

  9. */

  10. class SpiderWrapper {

  11.    var name: String? = null

  12.    var parser: Parser? = null

  13.    var queue: Queue? = null

  14.    var downloader: Downloader? = null

  15.    var pipelines:Set<Pipeline>? = null

  16.    var urls:List<String>? = null

  17. }

  18. fun spider(init: SpiderWrapper.() -> Unit):Spider {

  19.    val wrap = SpiderWrapper()

  20.    wrap.init()

  21.    return configSpider(wrap)

  22. }

  23. private fun configSpider(wrap:SpiderWrapper):Spider {

  24.    val spider = Spider.create(wrap?.queue)

  25.            .name(wrap?.name)

  26.    var urls = wrap?.urls

  27.    urls?.let {

  28.        spider.url(urls)

  29.    }

  30.    spider.downloader(wrap?.downloader)

  31.            .parser(wrap?.parser)

  32.    wrap?.pipelines?.let {

  33.        it.forEach { // 这里的it指wrap?.pipelines

  34.            spider.pipeline(it) // 这里的it指pipelines里的各个pipeline

  35.        }

  36.    }

  37.    return spider

  38. }

举个例子,使用DSL来创建一个爬虫并运行。

 
   
   
 
  1.        val spider = spider {

  2.            name = "tony"

  3.            urls = listOf("http://www.163.com/","https://www.baidu.com/")

  4.            pipelines = setOf(ConsolePipeline())

  5.        }

  6.        spider.run()

它等价于下面的java代码

 
   
   
 
  1.        Spider.create().name("tony1")

  2.                .url("http://www.163.com/", "https://www.baidu.com/")

  3.                .pipeline(new ConsolePipeline())

  4.                .run();

DSL可以简化代码,提高开发效率,更抽象地构建模型。不过话说回来,DSL也有缺陷,能够表达的功能有限,并且不是图灵完备的。

总结

最近,它的更新不是很频繁,因为公司的项目比较忙。不过每次更新我会尽量保证质量。

之后的版本主要是打算结合实时图像处理框架cv4j(https://github.com/imageprocessor/cv4j),以便更好地完善爬虫框架。


关注【Java与Android技术栈】

更多精彩内容请关注扫码


以上是关于为爬虫框架构建Selenium模块DSL模块(Kotlin实现)的主要内容,如果未能解决你的问题,请参考以下文章

python 爬虫 selenium 框架,入门就看这 5 道题 | Python技能树征题

3爬虫之selenium模块

爬虫之selenium模块

爬虫----selenium模块

爬虫解析Selenium 之 --- Selenium模块

爬虫selenium模块