Pros and cons of end to end testing tools

本贴最后更新于 2322 天前,其中的信息可能已经时移世改

My background in test automation is based on using Selenium WebDriver and Java. Since JavaScript has been widely used for testing web applications, I have decided to investigate tools currently available on the market. I will use these tools to make different scripts and hence find their advantages and disadvantages.

I have investigated the following tools and syntax for automation:

  1. Selenium Webdriver + Java
  2. Selenium WebDriver + Cucumber + Java
  3. Selenium WebDriver + Jasmine syntax for JavaScript applications
  4. Selenium WebDriver + Mocha syntax for JavaScript applications
  5. Cypress
  6. Selenium WebDriver + Protractor
  7. Selenium WebDriver + NightWatch
  8. Selenium WebDriver + WebDriverIO

The focus of this article is not on finding advantages or disadvantages of Selenium WebDriver, but I mainly focus on investigating the pros and the cons of different tools/frameworks in combination with Selenium WebDriver. Thus this article may be useful for those who already know Selenium and would like to gain knowledge of using different tools in combination with Selenium.

I have created a simple test and will try to implement its script by using all the above automation tools. I have chosen Amazon website as most of its elements are identified by an id and this makes it easy to find an element.

1. Let us start from the first one in the above list, which is** “Selenium WebDriver + Java”.** For many years this has been a popular style for making automation and I personally have been using it. In the following you see a test that is implemented in this style.

// open a browser driver.get("https://www.amazon.com/"); // click on Your Amazon.com link WebElement yourAmazon = driver.findElement(By.id("nav-your-amazon")); yourAmazon.click(); // enter your email address WebElement email = driver.findElement(By.id("ap_email")); email.sendKeys("Test123@email.com"); // enter your password address WebElement password = driver.findElement(By.id("ap_password")); password.sendKeys("1234"); //press sign in button WebElement signIn =driver.findElement(By.id("signInSubmit")); signIn.click(); // check if the error message is displayed WebElement errorMessageBox = driver.findElement(By.id("auth-error-message-box")); errorMessageBox.isDisplayed(); //close browser driver.close();

After making the above script, advantages of this style can be summarized as follows:

  • It has a quick and popular setup. For setting up this test, you only need to import Driver and the Selenium library Java. If you need more information on how to set up your test, please read here: https://www.guru99.com/intellij-selenium-webdriver.html
  • If any help in making scripts is needed, there are lots of sources available online that can be used by testers.
  • A very basic knowledge of Java is enough for implementing the scripts.
  • Java structure can be adjusted quite easily within a development team who know the Java. I highly recommend using this style if a tester is in a Java team, as it is productive for the team to create scripts. The team members can easily pick up automation tests to help the tester, thus tests are not only implemented by the tester but by the whole team.

Disadvantages of this style can be summarised as follows:

  • It is not possible to add a clear description for each step. If you are looking for a clean syntax, the combination of Java and Selenium doesn’t provide it for you. You can add a description of each step as a comment but this will not be displayed in the logs if the test fails.
  • You can also add a clear error message for each test to make it easier to find the failing step, however it is hard to keep this syntax clean.

=====================================================================================

  1. Selenium WebDriver + Cucumber + Java:

https://www.stevefenton.co.uk/2015/01/getting-started-with-bdd-intellij

The test includes three parts:

  • Feature file, which is a clear description for each step of your test using Gherkin syntax.
  • Step file, which is the script for matching the features and the Java code.
  • TestRun, which is the configuration setup for running your test.

Let’s see how the test is written down :

[1]: Feature file:

Feature: CucumberJava Scenario: Login functionality exists Given I have open amazon website And click on your Amazon.com link When enter username "test@gmail.com" and password "123" When press sign in button Then the error message box is displayed

[2]: Step file:

class cucumberJava { WebDriver driver = null; @Given("^I have open amazon website$") public void openBrowser() { driver = new FirefoxDriver(); driver.navigate().to("https://www.amazon.com/"); } @And("^click on your Amazon.com link$") public void clickOnYourAmazon(){ driver.findElement(By.id("nav-your-amazon")).click(); } @When("^enter username \"(.*)\" and password \"(.*)\" $") public void UserAndPassword(String username,String password){ driver.findElement(By.id("ap_email")).sendKeys(username); driver.findElement(By.id("ap_password")).sendKeys(password); } @When("^press sign in button$") public void SignInButton(){ driver.findElement(By.id("signInSubmit")).click(); } @Then("^the error message box is displayed$") public void errorMessage() { if(driver.findElement(By.id("auth-error-message-boc")).isDisplayed()) { System.out.println("Test 1 Pass"); } else { System.out.println("Test 1 Fail"); } driver.close(); } }

3. TestRun:

package cucumberJava; import org.junit.runner.RunWith; import cucumber.junit.Cucumber; @RunWith(Cucumber.class) @Cucumber.Options(format = {"pretty", "html:target/cucumber"}, glue = {"cucumberJava"}, features = {"src/test/java/cucumberJava/cucumberJava.feature"} ) public class runTest { }

Advantages:

  • A descriptive test step is helpful when a test fails. This is considered mainly as an advantage for business people but I believe this is also advantageous for the development team as it gives them a clean and readable description of test steps (for example why this test, how it is done, etc.), and maintenance of automation tests in large projects will be easier due to the descriptive steps.
  • It is a comfortable tool for development teams who build java applications with java language, It will help the team to be more productive.

Disadvantages:

  • Your feature file can easily become a very large and messy file.
  • Running tests can take quite some time, especially when you want to run your test in different browsers.
  • If you are going to test a JavaScript application by Cucumber and Java, it might be difficult for the development team to adjust itself which is less productive.
  • It was not quick or easy to set up, it took me some time to figure out how to link the features file with the steps file!!
  • Most people use the BDD given, when, then syntax in a structure which is not sensible. It is essential to know that this syntax is designed for the following reasons:
    1. Given provides context for the test scenario that is going to be executed, such as the point in your application that the test occurs as well as any prerequisite data.
    2. When specifies the set of actions that triggers the test, such as user or subsystem actions.
    3. Then specifies the expected result of the test.

=====================================================================================

Let us now look at the following tools which are mostly used for JavaScript applications.

3. Selenium WebDriver with Jasmine Synatx:

I started to set up my test based on the information in the blog post: http://blog.scottlogic.com/2017/08/24/adding-webdriver-tests-to-create-react-app-generated-projects.html

The setup is quick and easy, but it has three different parts:

  • Page objects: the place where you find your elements by css/xpath.
  • Specs: for writing the actual script.
  • Configuration files: you can set up your “tear down” over here.

Let us again create our script for checking the correct error message on Amazon and see what the syntax looks like with this structure:

Page object:

const yourAmazonSelector = { css: '#nav-your-amazon' }; const emailSelector = { css: '#ap_email' }; const passwordSelector = { css: '#ap_password' }; const signInSelector = { css: '#signInSubmit' }; const errorMessageSelector = { css: '#auth-error-message-box' }; export const yourAmazon = () => body().findElement(yourAmazonSelector); export const email = () => body().findElement(emailSelector); export const password = () => body().findElement(passwordSelector); export const continueSignIn = () => body().findElement(continueButton); export const signIn = () => body().findElement(signInSelector); export const errorMessage = () => body().findElement(errorMessageSelector);

Specs:

import { yourAmazon, email, password, errorMessage, signIn, continueSignIn } from '../pageObjects/app'; import { load } from '../pageObjects/index'; describe('app', async () => { beforeAll(async () => { await load(); }); let randomEmail = Math.random(); let randomPassword = Math.random(); it('should display the correct error message for incorrect login details', async () => { await yourAmazon().click(); await email().sendKeys(randomEmail + "@gmail.com"); await password().sendKeys(randomPassword); await signIn().click(); expect(await errorMessage().isDisplayed()).toBe(true); }); });

Advantages:

  • There are no other tools involved in this test, it is only Selenium WebDriver + Jasmine syntax.
  • In Jasmine we need to use the describe function that helps for grouping our tests together.
  • Jasmine comes with a number of matchers that help you make a variety of assertions. You should read the Jasmine documentation to see what they are. To use Jasmine with Karma, some people use the karma-jasmine test runner.
  • It has Angular support.
  • Jasmine's beforeAll() hook is often useful for sharing test setup - either to reduce test run-time or simply to make for more focused test cases and it reduces lines of code too!!

Disadvantages:

  • There is less documentation available for finding information about setting up your css in the case of having multiple ids for one element.
  • It took me a while to figure out how to use “beforeAll()” instead of “beforeEach()” in my specs: if you use “beforeEach” then you can not use nested test steps, because in each step it tries to open a new browser and running a new test and it runs before each 'it' block!! However if you use “beforeAll”, you can have multiple nested steps in the same test.

====================================================================================

4. Selenium WebDriver with Mocha syntax:

Let’s start to make a test with Selenium and Mocha syntax by following this document: http://testerstories.com/2016/02/javascript-with-selenium-webdriver-and-mocha/

The setup was quick and easy. Mocha is a simple, flexible and fun, java-script test framework for node.js and browsers.

Here's the script using Mocha:

var assert = require('assert'), fs = require('fs'), test = require('selenium-webdriver/testing'), webdriver = require('selenium-webdriver'); test.describe('My Website', function () { this.timeout(15000); var driver; test.before(function () { driver = new webdriver.Builder().withCapabilities(webdriver.Capabilities.chrome()).build(); }); var emailRandom = Math.random(); var passwordRandom = Math.random(); test.it('should display the correct error message with incorrect login information', function () { driver.get('https://www.amazon.com/'); driver.findElement(webdriver.By.id('nav-your-amazon')).click(); driver.findElement(webdriver.By.id('ap_email')).sendKeys(emailRandom + "@gmail.com"); driver.findElement(webdriver.By.id('ap_password')).sendKeys(passwordRandom); driver.findElement(webdriver.By.id('signInSubmit')).click(); var errorMessage = driver.findElement(webdriver.By.id('auth-error-message-box')).isDisplayed(); if (errorMessage == true){ return true; }else return false; }); test.after(function () { driver.quit(); }); });

Advantages:

  • Mocha's before() hook is often useful for sharing test setup - either to reduce test run-time or simply to make for more focused test cases.
  • There are no other tools involved in this test, it is only Selenium WebDriver + Mocha syntax.
  • In Mocha we need to use the describe function that helps for grouping our tests together.

=========================================================================

5. Cypress :

While I was busy with writing this blog post for different tools that use Selenium for end to end testing, cypress got my attention and I started to make a simple script by using Cypress. Cypress doesn’t use Selenium and it is a bit different with the above tools that I have experimented.

The setup was quick and fast, you don't need any special configuration for running your test.

If you are new in using Cypress, you can follow the following website for installing it: https://docs.cypress.io/guides/getting-started/installing-cypress.html#

If you need more sources for getting familiar with cypress, you can use the following: https://example.cypress.io/

I have created my running script for Amazon website here:

describe('should display a correct error message when you enter wrong login information', function () { before(function () { cy.visit('https://www.amazon.com/') }) var randomEmail = Math.random(); var randomPassword = Math.random(); it('displays a correct error message', function () { cy.get('#nav-your-amazon').click() cy.get('#ap_email').type(randomEmail + '@gmail.com') cy.get('#ap_password').type(randomPassword) cy.get('#signInSubmit').click() cy.get('#auth-error-message-box').should('be.visible') }) })

I like cypress a lot because of the following reasons:

  • Cypress does not use Selenium: most of the end to end tools that we have experimented with, are using Selenium, that’s why they have almost the same problems.
  • Cypress supports any framework or website quite well: There are hundreds of projects using the latest React, Angular, Vue, Elm, etc. frameworks. Cypress also works equally well on older server rendered pages or applications.
  • Cypress tests are only written in JavaScript: While you can compile down to JavaScript from any other language, ultimately the test code is executed inside the browser itself. There are no languages or driver bindings - there is and will only ever be just JavaScript.
  • There are no dependencies, you put your test in package.json and that’s it.
  • Cypress runs much, much faster in comparison with the end to end tools by Selenium that we have experimented.
  • There is screen shot for every step, of your script, which can be quite helpful if there is any false passing or failing test, yeah good for debugging!!
  • Cypress has a clear cyntax, it is easy to read it, you will like it!!

Disadvantages:

  • The structure was different to the other Selenium end to end tools, so at first you may need to spend more time understanding the structure and finding the best way to create your scripts.
  • Community: As Cypress is relatively new, the community is small. You will have trouble finding answers to problems etc.
  • Features. No file upload support. No cross-browsers testing. Who knows when these things will be covered, as for big projects these features are crucial.
  • Page Object Model. It is something that has already been proven by time. Cypress supports a different approach which could be controversial. More detail on this is here: Cypress POM
  • It's only available for only one client (language) i.e for JavaScript only. So to work with it you must know JavaScript: however this might be an advantage for JavaScript application, but I would like to put it as a disadvantages for those who have difficulties with javascript.

reference for more information

=============================================================================

6. Protractor tool with Selenium WebDriver :

I followed this tutorial for making my first script with protractor and Selenium WebDriver:https://github.com/angular/protractor/blob/master/docs/tutorial.md

And this is my running script for Amazon website:

// spec.js describe('should display a correct error message when I enter wrong login information', function () { it('correct error message', function () { browser.waitForAngularEnabled(false); browser.get('https://www.amazon.com/'); //click on orders link const Orders = element(by.id('nav-orders')); Orders.click(); // enter your email const email = element(by.id('ap_email')); email.sendKeys('test@gmail.com'); // enter your password const password = element(by.id('ap_password')); password.sendKeys('7899'); //check if the error box is not displayed const errorBox1 = element(by.id('auth-warning-message-box')); expect(errorBox1.isPresent()).toEqual(false); //click on sign in button const signIn = element(by.id('signInSubmit')); signIn.click(); // check if the error box is displayed const errorBox = element(by.id('auth-error-message-box')); expect(errorBox.isDisplayed()).toEqual(true); const message = element(by.css('.a-list-item')); expect(message.getText()).toEqual('To better protect your account, please re-enter your password and then enter the characters as they are shown in the image below.'); }); });

Advantages:

  • Suitable for both Angular and non-Angular apps. Protractor gives extra advantages for testing Angular apps but your app should not necessarily use it, If you have an application that is not Angular and you would like to use Protractor, you always need to add the following to your spec BEFORE opening your browsers:

    browser.waitForAngularEnabled(false);
  • Protractor has built a support for identifying the elements for angular.js applications which is the following:

by.binding by.excatBinding by.model by.repeater by.exactRepeater by.options

If you would like to know more about the differences of these Locator Strategies, please read the following article: http://www.webdriverjs.com/angular-specific-locators-in-protractor/

  • Parallel testing through several browsers. It supports cross-browser testing. Even more ,  you can run several browsers instances simultaneously!

Disadvantages:

  • Debugging: I personally found it tricky to debug protractor.
  • It's available for only one client (language) i.e. for JavaScript only. So you must know JavaScript to work with it.
  • It does not support automating mobile Apps.
  • It is implemented as a wrapper to the WebdriverJs. So there is one more layer added in between Selenium server and the Protractor. If there is an issue with WebdriverJs, the Protractor team should wait for the WebDriverJs team to fix that issue.

===================================================================================

7. NightWatch with Selenium WebDriver:

I followed this tutorials for making my first script by NightWatch and Selenium WebDriver: https://github.com/dwyl/learn-nightwatch Below is my script for Amazon website. The test consists of three parts: * Package * Nightwatch configuration file * script The package consisted of the following:

{ "name": "nightwatch", "version": "1.0.0", "description": "", "main": "index.js", "scripts": { "test": "nightwatch", "e2e-setup": "selenium-standalone install" }, "keywords": [], "author": "", "license": "ISC", "devDependencies": { "babel-cli": "^6.26.0", "babel-plugin-add-module-exports": "^0.2.1", "babel-preset-es2015": "^6.24.1", "selenium-standalone": "^6.12.0" } }

The configuration file for this script consists of the following:

{ "src_folders" : ["tests"], "output_folder" : "reports", "selenium" : { "start_process" : true, "server_path" : "bin\selenium-server-standalone-3.3.1.jar", "log_path" : "", "port" : 4445, "cli_args" : { "webdriver.chrome.driver" : "bin\chromedriver.exe" } }, "test_settings" : { "default" : { "launch_url" : "http://localhost", "selenium_port" : 4445, "selenium_host" : "localhost", "desiredCapabilities": { "browserName": "chrome", "javascriptEnabled": true, "acceptSslCerts": true } } }, "scripts": { "test-e2e": "nightwatch" } }

There is a bug in NightWatch using Selenium port 4444. The Selenium server didn’t run when I specified port 4444, but it run successfully by changing the port to 4445.

The script looks like this:

module.exports = { 'Should display a correct error message when you enter a wrong login information' : function (client) { client .url ('http://www.amazon.com/') .waitForElementVisible('body', 1000) .click('#nav-orders') .setValue('#ap_email', 'test@gmail.com') .setValue('#ap_password' ,'123') .click('#signInSubmit') .assert.visible('#auth-error-message-box') .end(); } };

Advantages:

  • Clean syntax: Simple but powerful syntax enables you to write tests very quickly.
  • Built-in test runner: Built-in command-line test runner can run the tests either sequentially or in parallel, together, by group, tags, or single.
  • Cloud services support: Works with cloud testing providers, such as SauceLabs and BrowserStack.
  • CSS & Xpath support: Either CSS or Xpath selectors can be used to locate and verify elements on the page or execute commands.
  • Continuous Integration support: JUnit XML reporting is built-in so you can integrate your tests in your build process with systems such as Teamcity, Jenkins, Hudson etc.

Disadvantages:

  • It does not have many choices for unit test frameworks as it has an own testing framework and also support Mocha.
  • Slightly lesser support in compare with WebDriverIO and Protractor.

====================================================================

8. WebDriverIO with Selenium WebDriver: I followed this tutorial for making my first script by WebDriverIO and Selenium WebDriver:http://blog.kevinlamping.com/testing-your-login-an-in-depth-webdriverio-tutorial/

This test also consisted of three parts:

  • package
  • wdio.config
  • script

The package and the configuration file is quite similar to NightWatch test, so I only put the script here:

describe('Login Page', function () { it('Should display a correct error message with wrong login information', function () { browser.url('/'); browser.click('#nav-your-amazon'); browser.setValue('#ap_email', 'test@gmail.com'); browser.setValue('#ap_password', '123'); browser.click('#signInSubmit'); browser.isVisible('#auth-error-message-box') }) })

Advantages:

  • It has support for most BDD and TDD test frameworks.
  • It has good support, enthusiastic developer community, and end users which give it an edge over NightwatchJS.
  • It can be used with ‘webdrivercss’ to compare css stylings of an element in the webpage.
  • Works with any testing framework or assertion library: WebdriverIO lets you use your favorite testing framework (Jasmine, Mocha, Cucumber) and assertion library (Chai for Mocha).

Disadvantages:

  • Since it is a custom implementation, it is also a disadvantage as it deviates from generic syntax which may confuse Selenium developers coming from other languages.
  • It can be used for automating AngularJS apps but it is not as customized as Protractor.
  • Must run with WDIO to debug: Tasks written in this beautiful Selenium API can only be debugged using the provided WDIO task runner. You can't set breakpoints within tasks, but you can have WDIO pause the run between Selenium commands.
  • I did not find much documents for latest version (4.0.5)

===============================================================================

Conclusion: In this document we considered a simple test and created its scripts by different end to end testing tools. We have experimented different syntaxes on those scripts. In my opinion the difference between these tools is not huge. The tool should be selected mainly based on your application and knowledge of the team. The latter is very important since automation is not the responsibility of individual team members, rather an entire team should contribute towards it. Learning a new programming or scripting language will definitely enhance the skills of team members but working on a common ground keep all team members motivated.

As a tester, you should find out the answers of the following questions by examining the application you are going to test:

  • Is the application built using Angular, React, etc.?
  • Are you looking for a special testing framework like Jasmine, Mocha, etc.?
  • Are you looking for a tool that supports mobile (APPIUM)?
  • Are you looking to test in any specific browser?

Depending on the answers of the above questions, you can select your suitable tool.

谢谢原作者,博客转自:https://blog.scottlogic.com/2018/01/08/pros-cons-e2e-testing-tools.html

  • App

    App(应用程序,Application 的缩写)一般指手机软件。

    91 引用 • 384 回帖
  • Java

    Java 是一种可以撰写跨平台应用软件的面向对象的程序设计语言,是由 Sun Microsystems 公司于 1995 年 5 月推出的。Java 技术具有卓越的通用性、高效性、平台移植性和安全性。

    3203 引用 • 8217 回帖 • 2 关注
  • Python

    Python 是一种面向对象、直译式电脑编程语言,具有近二十年的发展历史,成熟且稳定。它包含了一组完善而且容易理解的标准库,能够轻松完成很多常见的任务。它的语法简捷和清晰,尽量使用无异义的英语单词,与其它大多数程序设计语言使用大括号不一样,它使用缩进来定义语句块。

    554 引用 • 675 回帖 • 1 关注
  • Selenium
    17 引用 • 13 回帖

相关帖子

欢迎来到这里!

我们正在构建一个小众社区,大家在这里相互信任,以平等 • 自由 • 奔放的价值观进行分享交流。最终,希望大家能够找到与自己志同道合的伙伴,共同成长。

注册 关于
请输入回帖内容 ...

推荐标签 标签

  • 友情链接

    确认过眼神后的灵魂连接,站在链在!

    24 引用 • 373 回帖
  • GitHub

    GitHub 于 2008 年上线,目前,除了 Git 代码仓库托管及基本的 Web 管理界面以外,还提供了订阅、讨论组、文本渲染、在线文件编辑器、协作图谱(报表)、代码片段分享(Gist)等功能。正因为这些功能所提供的便利,又经过长期的积累,GitHub 的用户活跃度很高,在开源世界里享有深远的声望,并形成了社交化编程文化(Social Coding)。

    209 引用 • 2040 回帖
  • HBase

    HBase 是一个分布式的、面向列的开源数据库,该技术来源于 Fay Chang 所撰写的 Google 论文 “Bigtable:一个结构化数据的分布式存储系统”。就像 Bigtable 利用了 Google 文件系统所提供的分布式数据存储一样,HBase 在 Hadoop 之上提供了类似于 Bigtable 的能力。

    17 引用 • 6 回帖 • 70 关注
  • QQ

    1999 年 2 月腾讯正式推出“腾讯 QQ”,在线用户由 1999 年的 2 人(马化腾和张志东)到现在已经发展到上亿用户了,在线人数超过一亿,是目前使用最广泛的聊天软件之一。

    45 引用 • 557 回帖
  • Thymeleaf

    Thymeleaf 是一款用于渲染 XML/XHTML/HTML5 内容的模板引擎。类似 Velocity、 FreeMarker 等,它也可以轻易的与 Spring 等 Web 框架进行集成作为 Web 应用的模板引擎。与其它模板引擎相比,Thymeleaf 最大的特点是能够直接在浏览器中打开并正确显示模板页面,而不需要启动整个 Web 应用。

    11 引用 • 19 回帖 • 399 关注
  • OneDrive
    2 引用
  • sts
    2 引用 • 2 回帖 • 247 关注
  • Bug

    Bug 本意是指臭虫、缺陷、损坏、犯贫、窃听器、小虫等。现在人们把在程序中一些缺陷或问题统称为 bug(漏洞)。

    76 引用 • 1742 回帖 • 2 关注
  • jsDelivr

    jsDelivr 是一个开源的 CDN 服务,可为 npm 包、GitHub 仓库提供免费、快速并且可靠的全球 CDN 加速服务。

    5 引用 • 31 回帖 • 109 关注
  • RIP

    愿逝者安息!

    8 引用 • 92 回帖 • 407 关注
  • 阿里云

    阿里云是阿里巴巴集团旗下公司,是全球领先的云计算及人工智能科技公司。提供云服务器、云数据库、云安全等云计算服务,以及大数据、人工智能服务、精准定制基于场景的行业解决方案。

    85 引用 • 324 回帖
  • AngularJS

    AngularJS 诞生于 2009 年,由 Misko Hevery 等人创建,后为 Google 所收购。是一款优秀的前端 JS 框架,已经被用于 Google 的多款产品当中。AngularJS 有着诸多特性,最为核心的是:MVC、模块化、自动化双向数据绑定、语义化标签、依赖注入等。2.0 版本后已经改名为 Angular。

    12 引用 • 50 回帖 • 516 关注
  • Follow
    4 引用 • 12 回帖 • 8 关注
  • OnlyOffice
    4 引用 • 19 关注
  • Flume

    Flume 是一套分布式的、可靠的,可用于有效地收集、聚合和搬运大量日志数据的服务架构。

    9 引用 • 6 回帖 • 664 关注
  • SVN

    SVN 是 Subversion 的简称,是一个开放源代码的版本控制系统,相较于 RCS、CVS,它采用了分支管理系统,它的设计目标就是取代 CVS。

    29 引用 • 98 回帖 • 697 关注
  • 机器学习

    机器学习(Machine Learning)是一门多领域交叉学科,涉及概率论、统计学、逼近论、凸分析、算法复杂度理论等多门学科。专门研究计算机怎样模拟或实现人类的学习行为,以获取新的知识或技能,重新组织已有的知识结构使之不断改善自身的性能。

    77 引用 • 37 回帖
  • GAE

    Google App Engine(GAE)是 Google 管理的数据中心中用于 WEB 应用程序的开发和托管的平台。2008 年 4 月 发布第一个测试版本。目前支持 Python、Java 和 Go 开发部署。全球已有数十万的开发者在其上开发了众多的应用。

    14 引用 • 42 回帖 • 825 关注
  • SendCloud

    SendCloud 由搜狐武汉研发中心孵化的项目,是致力于为开发者提供高质量的触发邮件服务的云端邮件发送平台,为开发者提供便利的 API 接口来调用服务,让邮件准确迅速到达用户收件箱并获得强大的追踪数据。

    2 引用 • 8 回帖 • 507 关注
  • 旅游

    希望你我能在旅途中找到人生的下一站。

    100 引用 • 905 回帖
  • jQuery

    jQuery 是一套跨浏览器的 JavaScript 库,强化 HTML 与 JavaScript 之间的操作。由 John Resig 在 2006 年 1 月的 BarCamp NYC 上释出第一个版本。全球约有 28% 的网站使用 jQuery,是非常受欢迎的 JavaScript 库。

    63 引用 • 134 回帖 • 737 关注
  • 锤子科技

    锤子科技(Smartisan)成立于 2012 年 5 月,是一家制造移动互联网终端设备的公司,公司的使命是用完美主义的工匠精神,打造用户体验一流的数码消费类产品(智能手机为主),改善人们的生活质量。

    4 引用 • 31 回帖
  • SEO

    发布对别人有帮助的原创内容是最好的 SEO 方式。

    36 引用 • 200 回帖 • 40 关注
  • 国际化

    i18n(其来源是英文单词 internationalization 的首末字符 i 和 n,18 为中间的字符数)是“国际化”的简称。对程序来说,国际化是指在不修改代码的情况下,能根据不同语言及地区显示相应的界面。

    8 引用 • 26 回帖
  • Gzip

    gzip (GNU zip)是 GNU 自由软件的文件压缩程序。我们在 Linux 中经常会用到后缀为 .gz 的文件,它们就是 Gzip 格式的。现今已经成为互联网上使用非常普遍的一种数据压缩格式,或者说一种文件格式。

    9 引用 • 12 回帖 • 184 关注
  • JavaScript

    JavaScript 一种动态类型、弱类型、基于原型的直译式脚本语言,内置支持类型。它的解释器被称为 JavaScript 引擎,为浏览器的一部分,广泛用于客户端的脚本语言,最早是在 HTML 网页上使用,用来给 HTML 网页增加动态功能。

    730 引用 • 1284 回帖
  • Access
    1 引用 • 3 回帖 • 3 关注