大数据正式京淘附加爬虫

大数据正式京淘附加爬虫

爬虫技术

  • httpClient:抓取整个页面
  • htmlUnit:可以二次提交
  • jsoup:可以获取以上两个技术的所有内容

jsoup

  • 爬取整个页面
  • 爬取整个网站
  • 爬取页面中的某一个定位信息
  • 爬取二次提交--ajax
  • 爬取jsonp数据
  • 例子

    • 测试之前的准备

      private ObjectMapper om;
      
      @org.junit.Before
      public void beforeTest() {
          om = new ObjectMapper();
      }
      
    • 整个页面

      // 整个页面
      @org.junit.Test
      public void pageTest() throws Exception {
          String url = "https://www.jd.com/";
          Response response = Jsoup.connect(url).execute();
          System.err.println(response.body());
      }
      
    • 整个网站

      // 整个网站
      @org.junit.Test
      public void siteTest() throws Exception {
          String url = "https://www.jd.com/";
          Document doc = Jsoup.connect(url).get();
          // 寻找a标签
          Elements eles = doc.getElementsByTag("a");
          // 打印地址
          for (Element ele : eles) {
              String href = ele.attr("href");
              System.err.println("链接地址:" + href);
          }
      }
      
    • 某一定位信息

      // 具体的定位
      @org.junit.Test
      public void sitePositionTest() throws Exception {
          String url = "https://www.jd.com/";
          Document doc = Jsoup.connect(url).get();
          // 寻找a标签---用空格隔开父子
          Elements eles = doc.select("#navitems-group2 .fore2 a");
          // 打印地址
          for (Element ele : eles) {
              String href = ele.attr("href");
              System.err.println("链接地址:" + href);
          }
      }
      
    • 形如ajax二次提交的数据

      // ajax--二次提交
      @org.junit.Test
      public void ajaxTest() throws Exception {
          String url = "http://p.3.cn/prices/mgets?skuIds=J_5089253";
          Response response = Jsoup.connect(url).ignoreContentType(true).execute();
          String body = response.body();
          JsonNode readTree = om.readTree(body);
          JsonNode priceNode = readTree.get(0).get("p");
          System.err.println(priceNode.asText());
      }
      
    • jsonp数据的获取

      // ajax--二次提交
      @org.junit.Test
      public void ajaxTest() throws Exception {
          String url = "http://p.3.cn/prices/mgets?skuIds=J_5089253";
          Response response = Jsoup.connect(url).ignoreContentType(true).execute();
          String body = response.body();
          JsonNode readTree = om.readTree(body);
          JsonNode priceNode = readTree.get(0).get("p");
          System.err.println(priceNode.asText());
      }
      

抓取京东

  • 抓的是什么
    • 对象:Item
  • 抓取步骤
    1. 找到三级分类
    2. 当前分类的总页数的处理,获取三级分类下的所有的分类链接
    3. 找到每一页中的所有的链接地址
    4. 每个商品信息封装数据
  • 例子

    • item

      package com.peng.pojo;
      
      public class Item {
          private Long id;// 商品ID
          private String title;// 商品标题
          private String desc;// 商品描述
          private String sellPoint;// 商品的买点
          private Long price;// 商品价格
          private String Images;// 商品的图片【格式:大图1###小图1***大图2###小图2***大图3###小图3】--记得拆分
      
          public Long getId() {
              return id;
          }
      
          public void setId(Long id) {
              this.id = id;
          }
      
          public String getTitle() {
              return title;
          }
      
          public void setTitle(String title) {
              this.title = title;
          }
      
          public String getDesc() {
              return desc;
          }
      
          public void setDesc(String desc) {
              this.desc = desc;
          }
      
          public String getSellPoint() {
              return sellPoint;
          }
      
          public void setSellPoint(String sellPoint) {
              this.sellPoint = sellPoint;
          }
      
          public Long getPrice() {
              return price;
          }
      
          public void setPrice(Long price) {
              this.price = price;
          }
      
          public String getImages() {
              return Images;
          }
      
          public void setImages(String images) {
              Images = images;
          }
      
          @Override
          public String toString() {
              return "Item [id=" + id + ", title=" + title + ", desc=" + desc + ", sellPoint=" + sellPoint + ", price="
                      + price + ", Images=" + Images + "]";
          }
      
      }
      
    • 具体爬虫数据

      package com.peng.util;
      
      import java.util.ArrayList;
      import java.util.List;
      
      import org.apache.log4j.Logger;
      import org.jsoup.Connection.Response;
      import org.jsoup.Jsoup;
      import org.jsoup.nodes.Element;
      import org.jsoup.select.Elements;
      import org.junit.Test;
      
      import com.fasterxml.jackson.databind.JsonNode;
      import com.fasterxml.jackson.databind.ObjectMapper;
      import com.peng.pojo.Item;
      
      public class JDutils {
          private static final String JDTHREE_URL = "http://www.jd.com/allSort.aspx";// 京东的所有商品的网址
          private static final Logger log = Logger.getLogger(JDutils.class);// 日志对象
          private static final ObjectMapper om = new ObjectMapper();// om对象
      
          // 获取三级分类的所有地址
          public static List<String> getCarUrls(String url) throws Exception {
              List<String> catUrls = new ArrayList<String>();
              Elements eles = Jsoup.connect(url).get().select("div dl dd a");
              for (Element ele : eles) {
                  String catUrl = "http:" + ele.attr("href");
                  //
                  if (catUrl.startsWith("http://list.jd.com/list.html")) {
                      catUrls.add(catUrl);
                  }
              }
      
              // 获取当前分类的页数
              return catUrls;
          }
      
          // 获取当前连接的页数,拼接获取所有页数的链接
          public static List<String> getPageUrls(String url) {
              List<String> pageUrlLists = new ArrayList<String>();
              try {
                  String pageNum = Jsoup.connect(url).get().select("#J_topPage span i").get(0).text();
                  Integer page = Integer.parseInt(pageNum);
                  for (int i = 1; i < page; i++) {
                      String pageUrl = url + "&page=" + i;
                      pageUrlLists.add(pageUrl);
                  }
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return pageUrlLists;
          }
      
          // 抓取每一页下的所有商品链接
          public static List<String> getItemUrls(String url) {
              List<String> itemLists = new ArrayList<String>();
              try {
                  Elements eles = Jsoup.connect(url).get().select(".j-sku-item .p-name a");
                  for (Element ele : eles) {
                      String itemUrl = "http:" + ele.attr("href");
                      itemLists.add(itemUrl);
                  }
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return itemLists;
          }
      
          // 测试能否链接获取所有链接
          public static List<String> getAllItemUrls(String url) {
              List<String> allItemLists = new ArrayList<String>();
              long startTime = System.currentTimeMillis();
              try {
                  int i = 1;
                  for (String catUrl : JDutils.getCarUrls(url)) {
                      for (String pageUrl : JDutils.getPageUrls(catUrl)) {
                          allItemLists.addAll(JDutils.getItemUrls(pageUrl));
                      }
                      i++;
                      if (i == 2) {
                          // 测试:循环两个链接
                          break;
                      }
                  }
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              long endTime = System.currentTimeMillis();
              System.err.println(allItemLists);
              System.err.println("SIZE:" + allItemLists.size());
              System.err.println("TIME:" + ((endTime - startTime) / 1000.0) + "秒");
              return allItemLists;
          }
      
          // 获取标题
          public static String getTitle(String url) {
              String title = "";
              try {
                  title = Jsoup.connect(url).get().select(".m-item-inner").select("#itemInfo #name h1").get(0).text();
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return title;
          }
      
          // 获取卖点
          public static String getSellPoint(Long itemId) {
              String sellPoint = "";
              String url = "http://ad.3.cn/ads/mgets?skuIds=AD_" + itemId;
              try {
                  Response response = Jsoup.connect(url).ignoreContentType(true).execute();
                  String body = response.body();
                  JsonNode readTree = om.readTree(body);
                  JsonNode sellPointNode = readTree.get(0).get("ad");
                  sellPoint = sellPointNode.asText();
                  System.err.println(sellPoint);
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return sellPoint;
          }
      
          // 获取价格
          public static Long getPrice(Long itemId) {
              Long price = null;
              String url = "http://p.3.cn/prices/mgets?skuIds=J_" + itemId;
              try {
                  Response response = Jsoup.connect(url).ignoreContentType(true).execute();
                  String body = response.body();
                  JsonNode readTree = om.readTree(body);
                  JsonNode sellPointNode = readTree.get(0).get("p");
                  price = Long.parseLong(sellPointNode.asText().replace(".", ""));
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return price;
          }
      
          // 商品的图片【格式:大图1###小图1***大图2###小图2***大图3###小图3】--记得拆分
          public static String getImages(String url) {
              String images = "";
              try {
                  // 大图
                  Element bigEle = Jsoup.connect(url).get().select("#spec-n1 img").get(0);
                  // 大图的全路径模板
                  String bigUrl = "http:" + bigEle.attr("src");
                  String bigImagePrefix = bigUrl.substring(0, bigUrl.indexOf("jfs"));
                  // 小图
                  Elements eles = Jsoup.connect(url).get().select("#spec-list ul li img");
                  for (Element ele : eles) {
                      String smallImageUrl = ele.attr("src");
                      // 小图全路径
                      String smallImageAllUrl = "http:" + smallImageUrl;
                      // 后面的内容
                      String smallImageSuffFix = smallImageUrl.substring(smallImageUrl.indexOf("jfs"));
                      // 大图的全路径
                      String bigImageAll = bigImagePrefix + smallImageSuffFix;
                      // 路径拼接
                      images = bigImageAll + "###" + smallImageAllUrl + "***";
                  }
                  System.err.println(images);
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return images;
          }
      
          // 商品详情
          public static String getDesc(Long itemId) {
              String desc = "";
              String url = "http://d.3.cn/desc/" + itemId;
              try {
                  String body = Jsoup.connect(url).ignoreContentType(true).execute().body();
                  // 切分成json格式
                  String jsonString = body.substring(body.indexOf('(') + 1, body.lastIndexOf(')'));
                  // 将字符串转换为json格式的数据
                  JsonNode readTree = om.readTree(jsonString);
                  desc = readTree.get("content").asText();
                  // 拿数据
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return desc;
          }
      
          // 商品的封装
          public static Item getItem(String url) {
              Item item = new Item();
              try {
                  item.setId(Long.parseLong(url.substring(url.lastIndexOf('/') + 1, url.lastIndexOf('.'))));
                  item.setDesc(JDutils.getDesc(item.getId()));
                  item.setImages(JDutils.getImages(url));
                  item.setPrice(JDutils.getPrice(item.getId()));
                  item.setSellPoint(JDutils.getSellPoint(item.getId()));
                  item.setTitle(JDutils.getTitle(url));
                  System.err.println(item);
              } catch (Exception e) {
                  log.error(e.getMessage());
              }
              return item;
          }
      
          @Test
          public void test() throws Exception {
              List<String> urls = getAllItemUrls(JDutils.JDTHREE_URL);
              for (String url : urls) {
                  JDutils.getItem(url);
              }
          }
      }
      
  • 数据展示部分

    Item [id=19000468, title=Harry Potter Paperback Box Set (Books 1-7) 哈利·波特系列(套装1-7册) 英文原版 [盒装] [9岁及以上], desc=                        <div id="detail-tag-id-2" name="detail-tag-id-2" text="编辑推荐" class="book-detail-item" clstag="shangpin|keycount|product|bianjituijianqu_3">
            <div class="item-mt">
                <h3>编辑推荐</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">
                                        <font color="red">适读人群 :9岁及以上</font><br/>
                                      <p>Imagine a school in a castle filled with moving staircases a sport played on flying broomsticks an evil wizard intent on domination an ordinary boy who’s the hero of a whole world he doesn’t know. This is the story that comes to life in the marvelous Harry Potter series by J. K. Rowling.<br />  <br />  The first Harry Potter book Harry Potter and the Sorcerer's Stone was published in the United Kingdom in 1997; a decade later the last novel Harry Potter and the Deathly Hallows broke all records to become the fastest-selling book in history. The seven novels have been translated into sixty-eight languages selling over four hundred million copies in more than two hundred countries.</p><p>  <span style="color:#3366ff;"></span><span><span style="TEXT-ALIGN: center" microsoft="" yahei="" arial="" color:="" rgb="" 51=""></span></span></p>            </div>
            </div>
        </div>
                        <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">All seven phenomenal Harry Potter paperback books by bestselling author J.K. Rowling are available together for the first time in an elegant paperback boxed set! Set Includes:<br />·Harry Potter and the Sorcerer's Stone  《哈利·波特与魔法石》<br />·Harry Potter and the Chamber of Secrets  《哈利·波特与密室》<br />·Harry Potter and the Prisoner of Azkaban  《哈利·波特与阿兹卡班的囚徒》<br />·Harry Potter and the Goblet of Fire  《哈利·波特与火焰杯》<br />·Harry Potter and the Order of the Phoenix  《哈利·波特与凤凰社》<br />·Harry Potter and the Half-Blood Prince  《哈利·波特与混血王子》<br />·Harry Potter and the Deathly Hallows  《哈利·波特与死亡圣器》<br /><br />The Dark Lord, Voldemort, tried to murder Harry when he was just a baby—but he failed, killing Harry’s parents but leaving him with a lightning-bolt scar. After Voldemort’s disappearance, Harry is sent to live with his nasty aunt and uncle, far away from any hint of magic. But at the age of eleven, he is invited to attend Hogwarts School of Witchcraft and Wizardry, and a magical world opens before him.<br /><br />Each of the seven books in the series chronicles one year in Harry’s adventures at Hogwarts and his battle against Lord Voldemort. Harry makes two marvelous best friends named Ron Weasley and Hermione Granger. He studies topics like Transfiguration and Potions under wise headmaster Albus Dumbledore and the malevolent Severus Snape. He becomes expert at a game called Quidditch; encounters incredible creatures like phoenixes and dragons; and discovers an entire Wizarding universe hidden just out of sight, as prone to the darker aspects of human experience as our own, but brightened by a quirky original magic. And slowly, Harry unravels the mysteries of his original confrontation with Voldemort: why the Dark Lord tried to kill him, how he lived… and what he must do to survive another encounter.<br /><br /><strong>  《哈利·波特与魔法石》</strong><br />  一岁的哈利·波特失去父母后,神秘地出现在姨父姨妈家的门前。哈利在姨父家饱受欺凌,度过十年极其痛苦的日子。姨父和姨妈好似凶神恶煞,他们那混世魔王儿子达力——一个肥胖、娇惯、欺负人的大块头,更是经济对哈利拳脚相加。哈利的“房间”是位于楼梯口的一个又暗又小的碗橱。十年来,从来没有人为他过过生日。<br />  但是在他十一岁生日那天,一切都发生了变化,信使猫头鹰带来了一封神秘的信:邀请哈利去一个他——以及所有读到哈利故事的人——会觉得望远难忘的、不可思议的地方——霍格沃茨魔法学校。<br />  在魔法学校,哈利不仅找着了朋友,学会了空中飞行,骑着一把型号为光轮2000的飞天扫帚打魁地奇球,还得到了一件隐形衣。他发现那里的一切——从上课到吃饭到睡觉都充满了魔力,但是一块魔石出现,它与哈利的命运息息相关……<br /><br />  <strong>《哈利·波特与密室》</strong><br />  哈利·波特在霍格沃茨魔法学校学习一年之后,暑假开始了。他在姨父姨妈家熬过痛苦的假期。正当他准备打点行装去学校时,小精灵多比前来发出警告:如果哈利返回霍格沃茨,灾难将会临头。<br />  但哈利义无返顾地回到了霍格沃茨,新来的吉罗德·洛哈特教授装腔作势,让他作呕;游荡在女生舆洗室里的幽灵“哭泣的桃金娘”搅得他不得安宁;低年级的小女生金妮对他投来关切目光常令他尴尬不已;小男生科林·克里维“追星”式的跟踪又经常使他落荒而逃。<br />  但是,这一切仅仅是灾难的序曲。正如多比所预言的,哈利遭受了重重磨难,经历了种种危险,难解之谜又使他煞费苦心:霍格沃茨的学生接二连三地变成了石头。这一切是品德败坏的学生德拉科·马尔福精心策划的杰作?还是忠厚善良的海格无心铸成的大错?或者另有人将在霍格沃茨制造更大的阴谋?这一切又是否与传说中的密室有关?哈利决心揭开谜底……<br /><br /> <strong> 《哈利·波特与阿兹卡班的囚徒》</strong><br />  哈利·波特在霍格沃茨魔法学校已经度过了不平凡的两年,而且早已听说魔法世界中有一座守备森严的阿兹卡班监狱,里面关押着一个臭名昭著的囚徒,名字叫小天狼星布莱克。传言布莱克是“黑魔法”高手伏地魔——杀害哈利父母的凶手——的忠实信徒,曾经用一句魔咒接连结束了十三条性命。不幸的是,布莱克逃出了阿兹卡班,一心追寻哈利。布莱克在睡梦中仍然呓语不休:“他在霍格沃茨……他在霍格沃茨。”<br />  哈利·波特虽然身在魔法学校的城堡内,既有朋友的赤诚帮助,也有老师的悉心呵护,但校园内危机四伏,哈利的生命时时受到威胁。一天,布莱克终于站到了哈利的面前……<br /><br />  <strong>《哈利·波特与火焰杯》</strong><br />  哈利·波特在霍格沃茨魔法学校经过三年的学习和磨炼,逐渐成长为一个出色的巫师。新学年开始前,哈利和好朋友罗恩,赫敏一起去观看精彩的魁地奇世界杯赛,无意间发现了消失十三年的黑魔标记。哈利的心头笼上了一团浓重的阴云,但三个少年依然拥有他们自己的伊甸园。然而,少男少女的心思是那样难以捉摸,三人之间的美好友情竟是那样一波三折,忽晴忽雨……哈利渴望与美丽的秋·张共同走进一个美丽的故事,但这个朦朦胧胧的憧憬却遭受了小小的失意。他要做一个普普通通的四年级魔法学生,可不幸的是,哈利注定永远都不可能平平常常——即使拿魔法界的标准来衡量。黑魔的阴影始终挥之不去,种种暗藏杀机的神秘事件将哈利一步步推向了伏地魔的魔爪。哈利渴望在百年不遇的三强争霸赛中战胜自我,完成三个惊险艰巨的魔法项目,谁知整个竞赛竟是一个天大的黑魔法阴谋……<br /><br /> <strong> 《哈利·��特与凤凰社》</strong><br />  漫长的暑假,哈利·波特被困在女贞路4号,意外地遭到摄魂怪的袭击……逃过一劫的哈利被护送到伦敦一个秘密的地方,在那里他见了自己的教父小天狼星布莱克、前任黑魔法防御术课教师卢平、疯眼汉穆迪以及他的朋友赫敏和罗恩。他只是知道邓布利多与凤凰社成员正在加紧秘密活动,以对抗日益强大的伏地魔。但是,所有的人都不愿向他透露更多的情况……<br />  哈利在茫然与愤怒中来到霍格沃茨,然而令他不解的是,邓布利多不愿见他,海格不知去向。更糟糕的是,哈利越来越频繁地在梦中看见一道长长的走廊,每当他快要走进长廊尽头的一扇门时,他都会头痛欲裂地从梦中惊醒,觉得自己身体里蠕动着一条大蛇……<br />  魔法部派来了一位专横跋扈的高级调查官,对学校各项事务横加干涉,并最终赶走了邓布利多校长,打伤了麦格教授,整个学校笼罩在一片混乱和压抑之中……<br />  大蛇的影子在哈利的脑海里越来越清晰,伏地魔走近了哈利……这时,邓布利多告诉他一个天大的秘密……<br /><br /><strong>  《哈利·波特与“混血王子”》</strong><br />  仲夏的一个夜晚,反常的浓雾笼罩在窗户玻璃上,哈利·波特在女贞路4号德思礼家自己的卧室里紧张地等待着邓布利多教授的来访。<br />  哈利不太确定邓布利多是否真的会来德思礼家。邓布利多为什么现在要来看他呢?几个星期之后,他就要返校,邓布利多为什么不能等一等呢?哈利六年级的学习似乎就这样出人意料地提前开始了……<br />  而更加出人意料的事情还在接踵而至:邓布利多终于让斯内普教授如愿以偿,任命其担任黑魔法防御术课教师……哈利从教室的储藏柜里翻到一本魔药课本,它的前任主人是“混血王子”,从此哈利在神秘“王子”的帮助下成为“魔药奇才”……邓布利多开始了给哈利的单独授课,但奇怪的是,邓布利多却经常离开学校外出……在邓布利多的课上,哈利经历了几段关于少年伏地魔的惊心动魄的记忆,揭示了伏地魔不同寻常的身世之谜……<br />  哈利隐隐觉得这一学期期内普教授和马尔福的关系发生了微妙变化,其中似乎别有一番隐情,而马尔福更是行踪诡秘……哈利试图揭穿马尔福的阴谋,但始终没有成功,直到马尔福把食死徒引进学校,斯内普对邓布利多校长举起了魔杖……<br /><br />  <strong>《哈利·波特与死亡圣器》<br /></strong>  还有四天,哈利就要迎来自己十七岁的生日,成为一名真正的魔法师。然而,他不得不提前离开女贞路4号,永远离开这个他曾经生活过十六年的地方。<br />  凤凰社的成员精心谋划了秘密转移哈利的计划,以防哈利遭到伏地魔及其追随者食死徒的袭击。然而,可怕的意外还是发生了……<br />  与此同时,卷土重来的伏地魔已经染指霍格沃茨魔法学校,占领了魔法部,控制了半个魔法界,形势急转直下……<br />  哈利在罗恩、赫敏的陪伴下,不得不逃亡在外,隐形遁迹。为了完成校长邓布利多的遗命,一直在暗中寻机销毁伏地魔魂器的哈利,意外地获悉如果他们能够拥有传说中的三件死亡圣器,伏地魔将必死无疑。但是,伏地魔也早已开始了寻找死亡圣器的行动,并派出众多食死徒,布下天罗地网追捕哈利……<br />  哈利与伏地魔在魔法学校的禁林中遭遇了,哈利倒在伏地魔抢先到手的一件致命的圣器之下……<br />  然而,伏地魔未能如愿以偿,死亡圣器不可能战胜纯正的灵魂。哈利赢得了这场殊死较量的最终胜利……</div>
            </div>
        </div>
                        <div id="detail-tag-id-4" name="detail-tag-id-4" text="作者简介" class="book-detail-item" clstag="shangpin|keycount|product|zuozhejianjiequ_3">
            <div class="item-mt">
                <h3>作者简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><strong>J.K. Rowling</strong> is the author of the bestselling Harry Potter series of seven books, published between 1997 and 2007, which have sold more than 450 million copies worldwide, are distributed in more than 200 territories, translated into 74 languages, and have been turned into eight blockbuster films.<br /><br />  <strong>J.K. 罗琳</strong>为英国女作家,是风靡全球的《哈利·波特》系列丛书的作者. 共为七册《哈利·波特》小说在全球范围售出4.5亿册,被改编成8部电影,译成74种语言。罗琳凭着哈利·波特的魔力荣登福布斯的10亿富翁排行榜。罗琳也是“10亿富豪俱乐部”中的英国女性、的作家,是世界上白手起家打入其中的仅有的5名女性之一,也是年轻的成员之一。</div>
            </div>
        </div>
                        <div id="detail-tag-id-9" name="detail-tag-id-9" text="内页插图" class="book-detail-item" clstag="shangpin|keycount|product|neiyechatuqu_3">
            <div class="item-mt">
                <h3>内页插图</h3>
            </div>
            <div class="item-mc">
                <div class="illustrated">
                    <ul class="img-preview">
                                                            <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/N0/22965/59a049d4-137b-4eb8-a270-050bc414da02.jpg" data-big-img="//img10.360buyimg.com/N0/22965/59a049d4-137b-4eb8-a270-050bc414da02.jpg" alt="">
                            </a>
                        </li>
                                                        </ul>
                </div>
            </div>
        </div>
                        <div id="detail-tag-id-5" name="detail-tag-id-5" text="精彩书评" class="book-detail-item" clstag="shangpin|keycount|product|jingcaishupingqu_3">
            <div class="item-mt">
                <h3>精彩书评</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><p>  “这本书比以前任何一本HP小说更紧张刺激。故事一开始便是不断的追逐和逃亡﹐好像坐过山车似的﹐危险一浪接一浪﹐叫人欲罢不能。”<br /><strong>  ——网友冬冬</strong><br /><br />  “合上书,我既狂喜又失落,故事情节和故事展开的方式不禁令人折服,失落之处在于这个童话就此结束了。感觉就像失去亲人般难受,感觉就像同多年至交说再见,想念哈利波特。”<br /><strong>  ——安妮尔</strong><br /><br />  “斯内普对Lily的爱是这本书中令人不可思议却又在情理之中的。阴暗的Snapeboy被Lily的善良纯真吸引,而且那种爱并未随着时间、Lily的死亡而消逝......然而他也为他的错误忏悔了一生。”<br /> <strong> ——Ellaaa</strong><br /></p></div>
            </div>
        </div>
                                                <div id="detail-tag-id-8" name="detail-tag-id-8" text="前言/序言" class="book-detail-item" clstag="shangpin|keycount|product|qianyanqu_3">
            <div class="item-mt">
                <h3>前言/序言</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><img data-lazyload="//img10.360buyimg.com/bookDetail/jfs/t3118/29/1108713969/171289/558a3ba5/57c69b0bN8021eeb3.jpg" alt="" /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-8" clstag="shangpin|keycount|product|qianyanquanbu_3">查看全部↓</a></div>
        </div>
                        <br/>, sellPoint=风靡全球畅销书“哈利·波特”系列套装1-7部, price=48180, Images=]
    http://img14.360buyimg.com/n1/jfs/t3715/65/285078327/248536/be0b7a17/5805912fN63e80c34.jpg###http://img14.360buyimg.com/n5/jfs/t3715/65/285078327/248536/be0b7a17/5805912fN63e80c34.jpg***
    
    Item [id=19742904, title=小猪佩奇 英文原版 Peppa's Family - Rigid slipcase containing 4 cas 粉红猪小妹套装 京东独家 [平装], desc=                        <div id="detail-tag-id-2" name="detail-tag-id-2" text="编辑推荐" class="book-detail-item" clstag="shangpin|keycount|product|bianjituijianqu_3">
            <div class="item-mt">
                <h3>编辑推荐</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">
                                      Peppa Pig(中文名:小猪佩奇),一只五岁的粉色小猪妹妹,她与家人快乐地生活在一起,做一切小朋友们生活中都会做的事。小猪佩奇很可爱,她的故事简单却贴近生活,给孩子的成长一定的启发,同时也是小朋友学英语的好材料。<br />  小猪佩奇动画片由英国Astley Baker Davies动画工作室制作,广受好评与赞誉,已荣获多项重大奖项。其中包括3项BAFTA*佳学前教育动画片大奖、5项Licensing Awards*佳学前教育大奖、1项LIMA年度*佳学前教育节目大奖、2项英国动画奖、1项El Chupete 大奖、3项Licencias de Actualidad大奖和2项巴西Premio Licensing 大奖。《小猪佩奇》在全球180多个国家和地区播放,享誉全球。<br />            </div>
            </div>
        </div>
                        <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">  这套Peppa's Family中包含有4本书,是由小猪佩奇的口吻讲述了佩奇的爸爸、妈妈、爷爷、奶奶四位家庭成员的小故事,散发着浓浓的温馨感。<br /><br />  -    <strong>《Peppa Pig:My Daddy》</strong><br />  爸爸猪喜欢车,喜欢做手工活儿,更重要的是,爸爸猪和小猪佩奇、弟弟乔治常常在各种地方玩耍,他们相亲相爱,每天都很快乐。<br /><br />  -    <strong>《Peppa Pig:My Mummy》</strong><br />  妈妈猪很厉害,她什么都能搞定!她会用电脑工作,会灭火,玩游戏还能得*一!同时她也很优雅漂亮。<br /><br />  -    <strong>《Peppa Pig:My Grandpa》</strong><br />  爷爷猪是*会玩的,他和小猪佩奇、弟弟乔治假扮成海盗,他们一起唱歌跳舞,还有举高高。他会修很多东西,包括电脑!<br /><br />  -    <strong>《Peppa Pig:My Granny》</strong><br />  奶奶猪会做各种好吃的东西,她还养了一窝小鸡,白天,她带着佩奇和乔治在养鸡场找鸡蛋。总之,奶奶猪能把大家都照顾地好好的<br /></div>
            </div>
        </div>
                                    <div id="detail-tag-id-9" name="detail-tag-id-9" text="内页插图" class="book-detail-item" clstag="shangpin|keycount|product|neiyechatuqu_3">
            <div class="item-mt">
                <h3>内页插图</h3>
            </div>
            <div class="item-mc">
                <div class="illustrated">
                    <ul class="img-preview">
                                                            <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_jfs/t3454/57/288988019/408697/1a8cd5d/58059253Na1b8d121.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_jfs/t3454/57/288988019/408697/1a8cd5d/58059253Na1b8d121.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_jfs/t3553/134/284772886/400895/fc9765ee/5805926dNeb36d4aa.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_jfs/t3553/134/284772886/400895/fc9765ee/5805926dNeb36d4aa.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_jfs/t3457/346/170351419/339912/1d911c47/5805927cNa43ce96a.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_jfs/t3457/346/170351419/339912/1d911c47/5805927cNa43ce96a.jpg" alt="">
                            </a>
                        </li>
                                                        </ul>
                </div>
            </div>
        </div>
                                                                        <br/>, sellPoint=, price=8280, Images=http://img14.360buyimg.com/n1/jfs/t3715/65/285078327/248536/be0b7a17/5805912fN63e80c34.jpg###http://img14.360buyimg.com/n5/jfs/t3715/65/285078327/248536/be0b7a17/5805912fN63e80c34.jpg***]
    http://img14.360buyimg.com/n1/jfs/t2431/243/2585975344/582079/23f55e3d/570d0e42Nb74dfb2a.jpg###http://img14.360buyimg.com/n5/jfs/t2431/243/2585975344/582079/23f55e3d/570d0e42Nb74dfb2a.jpg***
    
    Item [id=19561814, title=I wonder why 20本套装 [平装], desc=                                                                                                            <div id="detail-tag-id-8" name="detail-tag-id-8" text="前言/序言" class="book-detail-item" clstag="shangpin|keycount|product|qianyanqu_3">
            <div class="item-mt">
                <h3>前言/序言</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><img data-lazyload="//img10.360buyimg.com/bookDetail/jfs/t3196/189/1018999651/53168/ac96903c/57c52dd0N6fb2259d.jpg" alt="" /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-8" clstag="shangpin|keycount|product|qianyanquanbu_3">查看全部↓</a></div>
        </div>
                        <br/>, sellPoint=, price=24250, Images=http://img14.360buyimg.com/n1/jfs/t2431/243/2585975344/582079/23f55e3d/570d0e42Nb74dfb2a.jpg###http://img14.360buyimg.com/n5/jfs/t2431/243/2585975344/582079/23f55e3d/570d0e42Nb74dfb2a.jpg***]
    http://img13.360buyimg.com/n1/jfs/t634/192/627579812/30303/df04ea47/54780bdcN151ea93a.jpg###http://img13.360buyimg.com/n5/jfs/t634/192/627579812/30303/df04ea47/54780bdcN151ea93a.jpg***
    
    Item [id=19479468, title=Wonder奇迹男孩 英文原版, desc=                                    <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">The extraordinary #1 <i>New York Times</i>?bestseller that has captivated over 1 million readers.<br><br><i>I won't describe what I look like. Whatever you're thinking, it's probably worse. </i><br><br>August Pullman was born with a facial difference that, up until now, has prevented him from going to a mainstream school. Starting 5th grade at Beecher Prep, he wants nothing more than to be treated as an ordinary kid&mdash;but his new classmates can&rsquo;t get past Auggie&rsquo;s extraordinary face. <b>WONDER</b>, now a #1?<i>New York Times</i> bestseller and included on the Texas Bluebonnet Award master list, begins from Auggie&rsquo;s point of view, but soon switches to include his classmates, his sister, her boyfriend, and others. These perspectives converge in a portrait of one community&rsquo;s struggle with empathy, compassion, and acceptance. <br><br>"Wonder is the best kids' book of the year," said Emily Bazelon, senior editor at Slate.com and author of <i>Sticks and Stones: Defeating the Culture of Bullying and Rediscovering the Power of Character and Empathy</i>. In a world where bullying among young people is an epidemic, this is a refreshing new narrative full of heart and hope. <b>R.J. Palacio</b> has called her debut novel &ldquo;a meditation on kindness&rdquo; &mdash;indeed, every reader will come away with a greater appreciation for the simple courage of friendship. Auggie is a hero to root for, a diamond in the rough who proves that <b><b>you can&rsquo;t blend in when you were born to stand out.</b> </b><br><br>Join the conversation: <b>#thewonderofwonder</b><br><br><br><i>From the Hardcover edition.</i></div>
            </div>
        </div>
                        <div id="detail-tag-id-4" name="detail-tag-id-4" text="作者简介" class="book-detail-item" clstag="shangpin|keycount|product|zuozhejianjiequ_3">
            <div class="item-mt">
                <h3>作者简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">R. J. PALACIO lives in NYC with her husband, two sons, and two dogs. For more than twenty years, she was an art director and graphic designer, designing book jackets for other people while waiting for the perfect time in her life to start writing her own novel. But one day several years ago, a chance encounter with an extraordinary child in front of an ice cream store made R. J. realize that the perfect time to write that novel had finally come. <i>Wonder</i> is her first novel. She did not design the cover, but she sure does love it.,,</div>
            </div>
        </div>
                                    <div id="detail-tag-id-5" name="detail-tag-id-5" text="精彩书评" class="book-detail-item" clstag="shangpin|keycount|product|jingcaishupingqu_3">
            <div class="item-mt">
                <h3>精彩书评</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><b>#1 <i>New York Times</i> bestseller<br><br>A <u>School Library Journal</u> Best of Children's Books 2012<br><br>A <u>Publishers Weekly</u> Best of Children's Books 2012<br><br>A <u>Kirkus Reviews</u> Best of Children's Books 2012<br><br>A <u>Booklist</u> Best of Children's Books 2012<br><br>"</b><i>Wonder </i>is essentially ... a wonder. It's well-written, engaging, and so much fun to read that the pages almost turn themselves. More than that, <i>Wonder </i>touches the heart in the most life-affirming, unexpected ways, delivering in August Pullman a character whom readers will remember forever. <b>Do yourself a favor and read this book &ndash; your life will be better for it.</b>" - <b>Nicholas Sparks</b>, #1 <i>New York Times</i> bestselling author<br><br><u><b>Slate.com</b></u><b>, October 10, 2012:</b><br>"<i>Wonder</i> is the best kids' book of the year."<br><br><b><u>Entertainment Weekly</u>, February 17, 2012, </b><i>The Top 10 Things We Love This Week:</i><br>"In a wonder of a debut, Palacio has written a crackling page-turner filled with characters you can't help but root for."<br><br><u><b>The New York Times</b></u><b>, April 8, 2012:</b><br>"Rich and memorable...It's Auggie and the rest of the children who are the real heart of 'Wonder,' and Palacio captures the voices of girls and boys, fifth graders and teenagers, with equal skill."<br><br><u><b>The Wall Street Journal</b></u><b>, June 9, 2012:</b><br>"What makes R.J. Palacio's debut novel so remarkable, and so lovely, is the uncommon generosity with which she tells Auggie's story&hellip;The result is a beautiful, funny and sometimes sob-making story of quiet transformation.&rdquo;<br><br><u><b>The Huffington Post</b></u><b>, <br>March 1, 2012:</b> "It's in the bigger themes that Palacio's writing shines. This book is a glorious exploration of the nature of friendship, tenacity, fear, and most importantly, kindness."<br><b>January 2013:</b> "I think every mother and father would be better for having read it.  Auggie's parents -- who are never named in the book, and don't even get  to narrate a chapter of their own -- are powerful examples not only of  how to shelter and strengthen a child with heartbreaking facial  anomalies, but also of how to be a loving advocate to any kid."<br><br><u><b>The London Times</b></u><b>, </b><i>The Top 100 People to Watch in 2012:</i><br>"The breakout publishing sensation of 2012 will come courtesy of Palacio [and] is destined to go the way of Mark Haddon's <i>The Curious Incident of the Dog in the Night-Time</i> and then some." <br><br>"Full of heart, full of truth,?<i>Wonder</i> is a book about seeing the beauty that's all around us. <b>?I dare you not to fall in love with Auggie Pullman.</b>"<br>- <b>Rebecca Stead</b>, Newbery award-winning author of <i>When You Reach Me<br><br></i>"It is the deceptive simplicity and?honesty of the work that make <i>Wonder</i> so memorable. <b>Every single character seems real and well drawn and oh-so human</b>...This book is beautiful." - <b>Christopher Paul Curtis</b>, Newbery award-winning author of <i>Bud, Not Buddy</i><br><br>"<b>A beautiful story of kindness and courage.</b> There are many real and well-developed characters, and they each have their shining moments. Of course, Auggie shines the brightest." - <b>Clare Vanderpool</b>, Newbery award-winning author of <i>Moon Over Manifest</i><br><br>"<i>Wonder </i>is <b>a beautifully told story about heartache, love, and the value of human life</b>. One comes away from it wanting to be a better person." - <b>Patricia Reilly Giff</b>, two-time Newbery honor-winning author of <i>Lily's Crossing</i> and <i>Pictures of Hollis Woods</i><br><br><i>"Wonder</i> is a shining jewel of <b>a story?that?cannot help but encourage?readers?of all ages to do better, to be better,?in how they treat others in life.</b> I'm totally in love with this novel."? - <b>Trudy Ludwig</b>, anti-bullying advocate and author of <i>My Secret Bully</i>, <i>Confessions of a Former Bully</i>, <i>Better Than You</i>, and <i>Just Kidding</i><br><br><b>Starred Review, <u>Publishers Weekly</u>, February 20, 2012:<br></b>&ldquo;Few first novels pack more of a punch: it's a rare story with the power to open eyes--and hearts--to what it's like to be singled out for a difference you can't control, when all you want is to be just another face in the crowd.&rdquo;<br><b><br>Starred Review, <u>Booklist</u>, February 1, 2012:<br></b>&ldquo;Palacio makes it feel not only effortless but downright graceful, and by the stand-up-and-cheer conclusion, readers will be doing just that, and feeling as if they are part of this troubled but ultimately warm-hearted community.&rdquo;<br><br><b>Starred Review, <u>School Library Journal</u>, February 1, 2012:</b><br>"Palacio has an exceptional knack for writing realistic conversation and describing the thoughts and emotions of the characters...A well-written, thought-provoking book.<i>"<br><br></i><b>Starred Review, <u>Kirkus Reviews</u>, December 15, 2011:</b><br>&ldquo;A memorable story of kindness, courage and wonder.&rdquo;</div>
            </div>
        </div>
                                                            <br/>, sellPoint=, price=5830, Images=http://img13.360buyimg.com/n1/jfs/t634/192/627579812/30303/df04ea47/54780bdcN151ea93a.jpg###http://img13.360buyimg.com/n5/jfs/t634/192/627579812/30303/df04ea47/54780bdcN151ea93a.jpg***]
    1953年 凯迪克银奖绘本
    Item [id=19000107, title=Five Little Monkeys Storybook Treasury 五只小猴子 英文原版 [精装] [4-8岁], desc=                                    <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">This 20th-anniversary treasury features a special introduction and five full-length picture books—Five Little Monkeys Jumping on a Bed, Five Little Monkeys Bake a Cake, Five Little Monkeys Sitting in a Tree, Five Little Monkeys with Nothing to Do, and Five Little Monkeys Wash the Car—as well as a lesson on how to draw your own fabulous monkeys. Sheets of colorful stickers and musical notation round out this amazing collection. It's the perfect addition to any child's classic library.<br /><br />  这本书5个故事目录如下<br />  ☆ Five Little Monkeys Jumping on a Bed<br />  ☆ Five Little Monkeys Sitting in a Tree<br />  ☆ Five Little Monkeys with Nothing to Do<br />  ☆ Five Little Monkeys Bake a Cake<br />  ☆ Five Little Monkeys Wash the Car<br /><br />  1.Five Little Monkeys Jumpping on the Bed  五只小猴子在床上跳<br /><br />  五只小猴子要上床睡觉了,跟妈妈道晚安!当妈妈转身离去时,他们在床上疯狂地蹦蹦跳,麻烦来了!一个接一个,五只小猴子全都掉下床摔伤了头。一次又一次,当妈妈跟医生求救时,医生总是大叫:“猴子不可以在床上跳!”<br /><br />  每页只有简短的一句英语,且语句重复,只替换个别单词,非常适合幼儿英语启蒙。<br /><br />  给笑笑看过几遍,在网上找了对应的儿歌,笑笑很喜欢!<br />  2. Five Little Monkeys Sitting in a Tree,五只小猴子坐在树上面<br />  五只小猴子和妈妈去野餐,一只小猴子逗弄鳄鱼先生,“哈哈,你可抓不到我!”鳄 鱼先生张开嘴,“叭嗒”,一只小猴子不见了!第二只小猴子逗弄鳄鱼先生,“哈哈,你可抓不到我!”又“叭嗒”,第二只小猴子不见了。。。<br />  同样的有趣可爱,小猴子的恶作剧让人忍俊不禁,笑笑喜欢去找一个个藏在书里面的小猴子。<br /><br />  3. Five Little Monkeys with Nothing to Do五只小猴子闲着没事做》<br />  暑假到了,小猴子们觉得无聊!“真没事做,没有什么可以做!”他们告诉妈妈。“噢,有的是,贝西奶奶要过来,房子必须干干净净的。”于是,五只小猴子清理他们的房间,擦洗浴室,摘甜果,把屋子里里外外打扫的干干净净。贝西奶奶要来了,小猴子匆忙去洗脸换衣服,结果。。结果,弄得满屋狼籍,这下终于有事干了。<br />  让人爆笑的故事。这个故事相对前两个,英文稍复杂些。<br /><br />  4. Five Little Monkeys Bake a Birthday Cake五只小猴子烤生日蛋糕<br />  五只小猴子早早地起床了,他们悄悄地潜进了厨房,准备为妈妈做一个生日蛋糕。拿来说明书,把鸡蛋、面粉、发酵粉搅拌一块,还得进行烤箱研究。一会儿冒烟了,引来了消防员,在消防员的帮助下,终于做好了蛋糕。他们喊醒了正在睡觉的妈妈,结果妈妈说她的生日是明天。。。。<br /><br />  太可爱了,这几只小猴子,且不说弄得满屋狼籍,但说小猴子一边匆忙烤蛋糕一边还小心的不吵醒妈妈,非常让人感动!英文比上几个复杂。<br /><br />  5. Five Little Monkeys Wash the Car五只小猴子洗汽车<br />  五只小猴子和他们的妈妈有辆老爷车,又破又脏。哦,怎么办?他们决定把汽车卖掉,于是把汽车的里里外外都洗得干干净净,还重新刷上一遍油漆,真漂亮!老爷车陷进了泥潭,一群鳄鱼围了过来,不过,不要紧,五只小猴子聪明伶俐,小脑瓜里能冒出个无数个鬼点子,就算陷入了可怕的鳄鱼阵,也能把一群鳄鱼们耍得团团转。最后,把旧车卖给了鳄鱼,他们又重新买了一辆新车。</div>
            </div>
        </div>
                        <div id="detail-tag-id-4" name="detail-tag-id-4" text="作者简介" class="book-detail-item" clstag="shangpin|keycount|product|zuozhejianjiequ_3">
            <div class="item-mt">
                <h3>作者简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">Eileen Christelow has created numerous fun and funny picture books, including the Five Little Monkeys series, Author, and most recently, Letters from a Desperate Dog. She and her husband, Ahren, live in Vermont. For more information visit www.christelow.com, which includes an autobiography, "monkeys in the classroom" activities, and much more!<br /><br />  Eileen Christelow,1943年出生于美国华盛顿,自幼就非常喜欢阅读,双亲每晚都会为她和弟弟念床前故事,书籍是Eileen Christelow全家人生活中不可或缺的一部份,她的父亲饱览各类书籍像历史、经济、小说,连唐老鸭米老鼠的漫画也不放过。她和弟弟经常收到的礼物就是书,并把不再看的书籍整理编册借给朋友,收取少量的租金。Eileen的童年几乎全窝在沙发上或树屋中,埋首沉浸在书堆里,这对一位作家来说是很棒的初阶教育~Eileen如是说到。双亲直到Eileen 12岁才买电视,她和弟弟都慎选节目,因为一星期只能看90分钟,Eileen肯定从这些优质节目所学习到的幽默感,对她的创作有相当的帮助。<br />  继续图画书创作这条路,Eileen的女儿Heather有着关键性的影响,她常和女儿一起上图书馆,无时无刻不在阅读。女儿一年级的时候,几次听到放学回来的她口里不断念着Five little monkeys jumping on the bed及Five little monkeys sitting in a tree的韵文,这样的灵感触发她将文字结合图像,简单利落的线条,明亮温和的色彩,一出版就大受孩子们的喜爱,陆续五只小猴子系列的灵感则是来自她到学校演说,孩子们给予的启发。<br />  五只聪明的小猴子是怎么个调皮法?猴妈妈又是怎么将小猴们治的服服贴贴,不只小朋友们爱看,相信大朋友您也会被书中的幽默感动。<br /></div>
            </div>
        </div>
                        <div id="detail-tag-id-9" name="detail-tag-id-9" text="内页插图" class="book-detail-item" clstag="shangpin|keycount|product|neiyechatuqu_3">
            <div class="item-mt">
                <h3>内页插图</h3>
            </div>
            <div class="item-mc">
                <div class="illustrated">
                    <ul class="img-preview">
                                                            <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g15/M0A/09/18/rBEhWlIwIdkIAAAAAARxBFp2UiYAADCnQLRRlAABHEc780.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g15/M0A/09/18/rBEhWlIwIdkIAAAAAARxBFp2UiYAADCnQLRRlAABHEc780.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g15/M0A/09/18/rBEhWVIwIdoIAAAAAATXDZw8ZDoAADCnQLtDlMABNcl468.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g15/M0A/09/18/rBEhWVIwIdoIAAAAAATXDZw8ZDoAADCnQLtDlMABNcl468.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g15/M0A/09/18/rBEhWlIwIdoIAAAAAARGmycO9VkAADCnQL6IDIABEaz231.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g15/M0A/09/18/rBEhWlIwIdoIAAAAAARGmycO9VkAADCnQL6IDIABEaz231.jpg" alt="">
                            </a>
                        </li>
                                                        </ul>
                </div>
            </div>
        </div>
                        <div id="detail-tag-id-5" name="detail-tag-id-5" text="精彩书评" class="book-detail-item" clstag="shangpin|keycount|product|jingcaishupingqu_3">
            <div class="item-mt">
                <h3>精彩书评</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">  Five Little Monkeys Storybook Treasury——-五只猴子合集超级五星推荐,我已经买过不只一次了,特别适合儿童英语启蒙,大量的重复性的词,还有可以唱起来童谣。我是见谁推荐谁这套书的。一个是五只猴子,一个是小饼干,这两套合集都大爱!!!<br />  ——顾客</div>
            </div>
        </div>
                                                <div id="detail-tag-id-8" name="detail-tag-id-8" text="前言/序言" class="book-detail-item" clstag="shangpin|keycount|product|qianyanqu_3">
            <div class="item-mt">
                <h3>前言/序言</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><img data-lazyload="//img10.360buyimg.com/bookDetail/jfs/t3118/29/1108713969/171289/558a3ba5/57c69b0bN8021eeb3.jpg" alt="" /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-8" clstag="shangpin|keycount|product|qianyanquanbu_3">查看全部↓</a></div>
        </div>
                        <br/>, sellPoint=1953年 凯迪克银奖绘本, price=9270, Images=http://img12.360buyimg.com/n1/jfs/t1297/41/267343517/180549/1e5c3b2c/555ed98fN906e2401.jpg###http://img12.360buyimg.com/n5/jfs/t1297/41/267343517/180549/1e5c3b2c/555ed98fN906e2401.jpg***]
    风靡全球畅销书“哈利·波特”系列图书
    Item [id=19000448, title=Harry Potter and the Sorcerer's Stone 哈利·波特与魔法石 英文原版 [平装] [9岁及以上], desc=                        <div id="detail-tag-id-2" name="detail-tag-id-2" text="编辑推荐" class="book-detail-item" clstag="shangpin|keycount|product|bianjituijianqu_3">
            <div class="item-mt">
                <h3>编辑推荐</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">
                                        <font color="red">适读人群 :9岁及以上</font><br/>
                                      “哈利·波特”系列图书自1997年在英国问世以来,迄今在全世界已发行三亿多册,2000年引进中国后,前六册发行量达800万册。因此无论在世界还是在中国,“哈利·波特”都创造了出版史上的奇迹。“哈利·波特”是一套既有畅销效应也有常销价值的儿童小说,从内容到艺术手法都具备了世界优秀儿童文学的潜质。其故事惊险离奇、神幻莫测;情节跌宕起伏、悬念丛生,从头至尾充满幽默。作者巧妙地将世界文学名著中所具有的美学品格集于一身,达到了想象丰富,情节紧凑,推理严密,人物刻画深刻的艺术效果。同时它也是一套引导孩子们勇敢向上,见义勇为,善良待人的好作品。难能可贵的是,“哈利·波特”不仅深受孩子们的追捧,同时又为成人所喜爱。《哈利·波特与魔法石》是其中的一册,一经推出便受到广大读者的喜爱。            </div>
            </div>
        </div>
                        <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">This is the braille version of the international bestseller. "Harry Potter and the Sorcerer's Stone" has reached a level of best-sellerdom never before achieved by a children's novel in the United States--The New York Times, April 1, 1999. If you haven't heard about this book, you've been asleep. Written for 8 to 12-year olds, "Harry Potter" appeals equally to adults. Who is Harry Potter? Harry Potter is an old-fashioned hero. He learns that choices show more of who one is than abilities. If you're looking for magic and adventure, read this book. Four volumes in braillle.<br /><div>  《哈利·波特与魔法石》讲的是一岁的哈利·波特失去父母后,神秘地出现在姨夫姨母家的门前。哈利在姨母家饱受欺凌,度过了十年极其痛苦的日子。姨夫和姨母好似凶神恶煞,他们那混世魔王儿子达力:一个肥胖、娇惯、欺负人的大石头,更是经常对哈利拳脚相加。哈利的“房间”是位于楼梯口的一个又暗又小的碗橱。十年来,从来没有人为他过过生日。</div><div>  但是在他十一岁生日那一天,一切都发生了变化,信使猫头鹰带来了一封神秘的信:邀请哈利去一个他——以及所有读到哈利故事的人——会觉得永远难忘的、不可思议的地方——霍格袄茨魔法学校。</div><div>  在魔法学校,哈利不仅找着了朋友,学会了空中飞行,骑着一把型号为光轮2000色飞天扫帚打魁地气球,还得到了一件隐形衣。他发现那里的一切——从上课到吃饭到睡觉都充满了魔力,但是一块魔石出现了,它与哈利的命运息息相关。</div></div>
            </div>
        </div>
                        <div id="detail-tag-id-4" name="detail-tag-id-4" text="作者简介" class="book-detail-item" clstag="shangpin|keycount|product|zuozhejianjiequ_3">
            <div class="item-mt">
                <h3>作者简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><strong>J.K. Rowling</strong> is the author of the bestselling Harry Potter series of seven books, published between 1997 and 2007, which have sold more than 450 million copies worldwide, are distributed in more than 200 territories, translated into 74 languages, and have been turned into eight blockbuster films.<br /><br />  <strong>J.K. 罗琳</strong>为英国女作家,是风靡全球的《哈利·波特》系列丛书的作者. 共为七册《哈利·波特》小说在全球范围售出4.5亿册,被改编成8部电影,译成74种语言。罗琳凭着哈利·波特的魔力荣登福布斯的10亿富翁排行榜。罗琳也是“10亿富豪俱乐部”中少见的英国女性、少见的作家,是世界上白手起家打入其中的仅有的5名女性之一,也是年轻的成员之一。</div>
            </div>
        </div>
                        <div id="detail-tag-id-9" name="detail-tag-id-9" text="内页插图" class="book-detail-item" clstag="shangpin|keycount|product|neiyechatuqu_3">
            <div class="item-mt">
                <h3>内页插图</h3>
            </div>
            <div class="item-mc">
                <div class="illustrated">
                    <ul class="img-preview">
                                                            <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g15/M0A/09/18/rBEhWFIwIeAIAAAAAAKs4PkWVWoAADCngBtCvIAAqz4676.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g15/M0A/09/18/rBEhWFIwIeAIAAAAAAKs4PkWVWoAADCngBtCvIAAqz4676.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g15/M0A/09/18/rBEhWFIwIeEIAAAAAAQiWUIob7gAADCngB_KdUABCJx715.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g15/M0A/09/18/rBEhWFIwIeEIAAAAAAQiWUIob7gAADCngB_KdUABCJx715.jpg" alt="">
                            </a>
                        </li>
                                                                                <li>
                            <a href="#none">
                                                            <img width=150 class="ui-preview-img" src="//img10.360buyimg.com/n1/s130x160_g13/M08/06/1E/rBEhUlIwIeEIAAAAAAPzxvWd-noAACP7gCMiSAAA_Pe912.jpg" data-big-img="//img10.360buyimg.com/n1/s900x900_g13/M08/06/1E/rBEhUlIwIeEIAAAAAAPzxvWd-noAACP7gCMiSAAA_Pe912.jpg" alt="">
                            </a>
                        </li>
                                                        </ul>
                </div>
            </div>
        </div>
                        <div id="detail-tag-id-5" name="detail-tag-id-5" text="精彩书评" class="book-detail-item" clstag="shangpin|keycount|product|jingcaishupingqu_3">
            <div class="item-mt">
                <h3>精彩书评</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">"The breakaway bestseller is now in paperback. In a starred review, PW said, "Readers are in for a delightful romp with this debut from a British author who dances in the footsteps of P.L. Travers and Roald Dahl." <br />--Publishers Weekly<br /><br />"Harry Potter has spent 11 long years living with his aunt, uncle, and cousin, surely the vilest household in children's literature since the family Roald Dahl created for Matilda (Viking, 1988). But like Matilda, Harry is a very special child; in fact, he is the only surviving member of a powerful magical family. His parents were killed by the evil Voldemort, who then mysteriously vanished, and the boy grew up completely ignorant of his own powers, until he received notification of his acceptance at the Hogwarts School of Witchcraft and Wizardry. Once there, Harry's life changes dramatically. Hogwarts is exactly like a traditional British boarding school, except that the professors are all wizards and witches, ghosts roam the halls, and the surrounding woods are inhabited by unicorns and centaurs. There he makes good friends and terrible enemies. However, evil is lurking at the very heart of Hogwarts, and Harry and his friends must finally face the malevolent and powerful Voldemort, who is intent on taking over the world. The delight of this book lies in the juxtaposition of the world of Muggles (ordinary humans) with the world of magic. A whole host of unique characters inhabits this world, from the absentminded Head Wizard Dumbledore to the sly and supercilious student Draco Malfoy to the loyal but not too bright Hagrid. Harry himself is the perfect confused and unassuming hero, whom trouble follows like a wizard's familiar. After reading this entrancing fantasy, readers will be convinced that they, too, could take the train to Hogwarts School, if only they could find Platform Nine and Three Quarters at the King's Cross Station."<br />--Eva Mitnick, Los Angeles Public Library<br /><br />"Orphaned in infancy, Harry Potter is raised by reluctant parents, Aunt Petunia and Uncle Vernon, an odious couple who would be right at home in a Roald Dahl novel. Things go from awful to hideous for Harry until, with the approach of his eleventh birthday, mysterious letters begin arriving addressed to him! His aunt and uncle manage to intercept these until a giant named Hagrid delivers one in person, and to his astonishment, Harry learns that he is a wizard and has been accepted (without even applying) as a student at Hogworts School of Witchcraft and Wizardry. There's even more startling news: it turns out that his parents were killed by an evil wizard so powerful that everyone is afraid to so much as utter his name, Voldemort. Somehow, though, Harry survived Voldemort's attempt to kill him, too, though it has left him with a lightning-shaped scar on his forehead and enormous celebrity in the world of magic, because Voldemort vanished following his failure. But is he gone for good? What is hidden on the third floor of Hogworts Castle? And who is the Man with Two Faces? Rowling's first novel, which has won numerous prizes in England, is a brilliantly imagined and beautifully written fantasy that incorporates elements of traditional British school stories without once violating the magical underpinnings of the plot. In fact, Rowling's wonderful ability to put a fantastic spin on sports, student rivalry, and eccentric faculty contributes to the humor, charm, and, well, delight of her utterly captivating story." <br />--Michael Cart</div>
            </div>
        </div>
                        <div id="detail-tag-id-6" name="detail-tag-id-6" text="目录" class="book-detail-item" clstag="shangpin|keycount|product|muluqu_3">
            <div class="item-mt">
                <h3>目录</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">1 The Boy Who Lived<br />2 The Vanishing Glass<br />3 The Letters from No One<br />4 The Keeper of the Keys<br />5 Diagon Alley<br />6 The Journey from Platform Nine and Three-quarters<br />7 The Sorting Hat<br />8 The Potions Master<br />9 The Midnight Duel<br />10 Halloween<br />11 Quidditch<br />12 The Mirror of Erised<br />13 Nicolas Flamel<br />14 Norbert the Norwegian Ridgeback<br />15 The Forbidden Forest<br />16 Through the Trapdoor<br />17 The Man with Two Faces <br /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-6" clstag="shangpin|keycount|product|muluquanbu_3">查看全部↓</a></div>
        </div>
                        <div id="detail-tag-id-7" name="detail-tag-id-7" text="精彩书摘" class="book-detail-item" clstag="shangpin|keycount|product|jingcaishuzhaiqu_3">
            <div class="item-mt">
                <h3>精彩书摘</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">Chapter Two<br />The Vanishing Glass<br />Yet Harry Potter was still there, asleep at the moment, but not for long. His Aunt Petunia was awake and it was her shrill voice that made the first noise of the day.<br />"Up! Get up! Now!"<br />Harry woke with a start. His aunt rapped on the door again.<br />"Up!" she screeched. Harry heard her walking toward the kitchen and then the sound of the frying pan being put on the stove. He rolled onto his back and tried to remember the dream he had been having. It had been a good one. There had been a flying motorcycle in it. He had a funny feeling he'd had the same dream before.<br />His aunt was back outside the door.<br />"Are you up yet?" she demanded.<br />"Nearly," said Harry.<br />"Well, get a move on, I want you to look after the bacon. And don't you dare let it burn, I want everything perfect on Duddy's birthday."<br />Harry groaned.<br />"What did you say?" his aunt snapped through the door.<br />"Nothing, nothing . . ."<br />Dudley's birthday - how could he have forgotten? Harry got slowly out of bed and started looking for socks. He found a pair under his bed and, after pulling a spider off one of them, put them on. Harry was used to spiders, because the cupboard under the stairs was full of them, and that was where he slept.<br />When he was dressed he went down the hall into the kitchen. The table was almost hidden beneath all Dudley's birthday presents. It looked as though Dudley had gotten the new computer he wanted, not to mention the second television and the racing bike. Exactly why Dudley wanted a racing bike was a mystery to Harry, as Dudley was very fat and hated exercise - unless of course it involved punching somebody. Dudley's favorite punching bag was Harry, but he couldn't often catch him. Harry didn't look it, but he was very fast.<br />Perhaps it had something to do with living in a dark cupboard, but Harry had always been small and skinny for his age. He looked even smaller and skinnier than he really was because all he had to wear were old clothes of Dudley's, and Dudley was about four times bigger than he was. Harry had a thin face, knobbly knees, black hair, and bright green eyes. He wore round glasses held together with a lot of Scotch tape because of all the times Dudley had punched him on the nose. The only thing Harry liked about his own appearance was a very thin scar on his forehead that was shaped like a bolt of lightning. He had had it as long as he could remember, and the first question he could ever remember asking his Aunt Petunia was how he had gotten it.<br />"In the car crash when your parents died," she had said. "And don't ask questions."<br />Don't ask questions - that was the first rule for a quiet life with the Dursleys.<br />Uncle Vernon entered the kitchen as Harry was turning over the bacon.<br />"Comb your hair!" he barked, by way of a morning greeting.<br />About once a week, Uncle Vernon looked over the top of his newspaper and shouted that Harry needed a haircut. Harry must have had more haircuts than the rest of the boys in his class put together, but it made no difference, his hair simply grew that way - all over the place.<br />Harry was frying eggs by the time Dudley arrived in the kitchen with his mother. Dudley looked a lot like Uncle Vernon. He had a large pink face, not much neck, small, watery blue eyes, and thick blond hair that lay smoothly on his thick, fat head. Aunt Petunia often said that Dudley looked like a baby angel - Harry often said that Dudley looked like a pig in a wig.<br />Harry put the plates of egg and bacon on the table, which was difficult as there wasn't much room. Dudley, meanwhile, was counting his presents. His face fell.<br />"Thirty-six," he said, looking up at his mother and father. "That's two less than last year."<br />"Darling, you haven't counted Auntie Marge's present, see, it's here under this big one from Mommy and Daddy."<br />"All right, thirty-seven then," said Dudley, going red in the face. Harry, who could see a huge Dudley tantrum coming on, began wolfing down his bacon as fast as possible in case Dudley turned the table over.<br />Aunt Petunia obviously scented danger, too, because she said quickly, "And we'll buy you another two presents while we're out today. How's that, popkin? Two more presents. Is that all right?"<br />Dudley thought for a moment. It looked like hard work. Finally he said slowly, "So I'll have thirty . . . thirty . . ."<br />"Thirty-nine, sweetums," said Aunt Petunia.<br />"Oh." Dudley sat down heavily and grabbed the nearest parcel. "All right then."<br />Uncle Vernon chuckled.<br />……<br /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-7" clstag="shangpin|keycount|product|shuzhaiquanbu_3">查看全部↓</a></div>
        </div>
                        <div id="detail-tag-id-8" name="detail-tag-id-8" text="前言/序言" class="book-detail-item" clstag="shangpin|keycount|product|qianyanqu_3">
            <div class="item-mt">
                <h3>前言/序言</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><img data-lazyload="//img10.360buyimg.com/bookDetail/jfs/t3118/29/1108713969/171289/558a3ba5/57c69b0bN8021eeb3.jpg" alt="" /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-8" clstag="shangpin|keycount|product|qianyanquanbu_3">查看全部↓</a></div>
        </div>
                        <br/>, sellPoint=风靡全球畅销书“哈利·波特”系列图书, price=5720, Images=]
    http://img10.360buyimg.com/n1/jfs/t2818/207/1059959630/506869/82d52c00/5732a591Na5e1d70c.jpg###http://img10.360buyimg.com/n5/jfs/t2818/207/1059959630/506869/82d52c00/5732a591Na5e1d70c.jpg***
    去选购现货<a href="https://sale.jd.com/m/act/eoUtdNCBQyJjMRlk.html" target="_blank">点读版牛津阅读树</a>。此商品预售,5月初发货。微信公众号:kdkts-jd 获取音频
    Item [id=1687286655, title=预售 Oxford Reading Tree 牛津阅读树1-3阶33册英文原版3-5岁#, desc=, sellPoint=去选购现货<a href="https://sale.jd.com/m/act/eoUtdNCBQyJjMRlk.html" target="_blank">点读版牛津阅读树</a>。此商品预售,5月初发货。微信公众号:kdkts-jd 获取音频, price=37500, Images=http://img10.360buyimg.com/n1/jfs/t2818/207/1059959630/506869/82d52c00/5732a591Na5e1d70c.jpg###http://img10.360buyimg.com/n5/jfs/t2818/207/1059959630/506869/82d52c00/5732a591Na5e1d70c.jpg***]
    http://img10.360buyimg.com/n1/jfs/t1117/296/553460423/48419/fc8a22a9/552f716aNe85d68c2.jpg###http://img10.360buyimg.com/n5/jfs/t1117/296/553460423/48419/fc8a22a9/552f716aNe85d68c2.jpg***
    纽伯瑞奖获奖作品,二十世纪受爱戴的文体家,写下二十世纪受爱戴的童话,一首关于生命、友情、爱与忠诚的赞歌。
    Item [id=19004840, title=Charlotte's Web夏洛的网 英文原版 [平装] [7-10岁], desc=                        <div id="detail-tag-id-2" name="detail-tag-id-2" text="编辑推荐" class="book-detail-item" clstag="shangpin|keycount|product|bianjituijianqu_3">
            <div class="item-mt">
                <h3>编辑推荐</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">
                                        <font color="red">适读人群 :7-10岁</font><br/>
                                      An affectionate sometimes bashful pig named Wilbur befriends a spider named Charlotte who lives in the rafters above his pen. A prancing playful bloke Wilbur is devastated when he learns of the destiny that befalls all those of porcine persuasion. Determined to save her friend Charlotte spins a web that reads "Some Pig" convincing the farmer and surrounding community that Wilbur is no ordinary animal and should be saved. In this story of friendship hardship and the passing on into time E.B. White reminds us to open our eyes to the wonder and miracle often found in the simplest of things.            </div>
            </div>
        </div>
                        <div id="detail-tag-id-3" name="detail-tag-id-3" text="内容简介" class="book-detail-item" clstag="shangpin|keycount|product|neirongjianjiequ_3">
            <div class="item-mt">
                <h3>内容简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content">Beloved by generations, Charlotte's Web and Stuart Little are two of the most cherished stories of all time. Now, for the first time ever, these treasured classics are available in lavish new collectors' editions. In addition to a larger trim size, the original black-and-white art by Garth Williams has been lovingly colorized by renowned illustrator Rosemary Wells, adding another dimension to these two perfect books for young and old alike.<br /><br />Whether you are returning once again to visit with Wilbur, Charlotte, and Stuart, or giving the gift of these treasured stories to a child, these spruced-up editions are sure to delight fans new and old. The interior design has been slightly moderated to give the books a fresh look without changing the original, familiar, and beloved format. Garth Williams's original black-and-white line drawings for the jacket of Stuart Little have also been newly colorized by the celebrated illustrator Rosemary Wells. These classics return with a new look, but with the same heartwarming tales that have captured readers for generations.<br /><br />  在朱克曼家的谷仓里,快乐地生活着一群动物,其中小猪威尔伯和蜘蛛夏洛建立了真挚的友谊。然而,一个丑陋的消息打破了谷仓的平静:威尔伯未来的命运竟然是成为熏肉火腿。作为一只猪,悲痛绝望的威尔伯似乎只能接受任人宰割的命运,然而,看似渺小的夏洛却说:“我救你。”于是,夏洛用自己的丝在猪栏上织出了被人类视为奇迹的网络文字,并彻底逆转了威尔伯的命运,终于让它在集市的大赛中赢得了特别奖项和一个安享天年的未来。可这时,蜘蛛夏洛的命运却走到了尽头……E·B·怀特用他幽默的文笔,深入浅出地讲了这个很有哲理意义的故事,关于爱,关于友情,关于生死……</div>
            </div>
        </div>
                        <div id="detail-tag-id-4" name="detail-tag-id-4" text="作者简介" class="book-detail-item" clstag="shangpin|keycount|product|zuozhejianjiequ_3">
            <div class="item-mt">
                <h3>作者简介</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><strong>E. B. White</strong>, the author of such beloved classics as Charlotte's Web, Stuart Little, and The Trumpet of the Swan, was born in Mount Vernon, New York. He graduated from Cornell University in 1921 and, five or six years later, joined the staff of The New Yorker magazine, then in its infancy. He died on October 1, 1985, and was survived by his son and three grandchildren.<br />Mr. White's essays have appeared in Harper's magazine, and some of his other books are: One Man's Meat, The Second Tree from the Corner, Letters of E. B. White, Essays of E. B. White, and Poems and Sketches of E. B. White. He won countless awards, including the 1971 National Medal for Literature and the Laura Ingalls Wilder Award, which commended him for making a “substantial and lasting contribution to literature for children.”<br />During his lifetime, many young readers asked Mr. White if his stories were true. In a letter written to be sent to his fans, he answered, “No, they are imaginary tales . . . But real life is only one kind of life—there is also the life of the imagination.”<br /><br /><strong>Garth Williams</strong> began his work on the pictures for the Little House books by meeting Laura Ingalls Wilder at her home in Missouri, and then he traveled to the sites of all the little houses. His charming art caused Laura to remark that she and her family “live again in these illustrations.”<br /><br />  <strong>E·B·怀特</strong>,美国当代知名散文家、评论家,以散文名世,“其文风冷峻清丽,辛辣幽默,自成一格”。生于纽约蒙特弗农,毕业于康奈尔大学。作为《纽约客》主要撰稿人的怀特一手奠定了影响深远的 “《纽约客》文风”。怀特对这个世界上的一切都充满关爱,他的道德与他的文章一样山高水长。除了他终生挚爱的随笔之外,他还为孩子们写了三本书:《斯图尔特鼠小弟》(又译《精灵鼠小弟》)、《夏洛的网》与《吹小号的天鹅》,同样成为儿童与成人共同喜爱的文学经典。</div>
            </div>
        </div>
                                                                        <div id="detail-tag-id-8" name="detail-tag-id-8" text="前言/序言" class="book-detail-item" clstag="shangpin|keycount|product|qianyanqu_3">
            <div class="item-mt">
                <h3>前言/序言</h3>
            </div>
            <div class="item-mc">
                <div class="book-detail-content"><img data-lazyload="//img10.360buyimg.com/bookDetail/jfs/t3118/29/1108713969/171289/558a3ba5/57c69b0bN8021eeb3.jpg" alt="" /></div>
            </div>
            <div class="more"><a data-open="0"  href="#detail-tag-id-8" clstag="shangpin|keycount|product|qianyanquanbu_3">查看全部↓</a></div>
        </div>
                        <br/>, sellPoint=纽伯瑞奖获奖作品,二十世纪受爱戴的文体家,写下二十世纪受爱戴的童话,一首关于生命、友情、爱与忠诚的赞歌。, price=6430, Images=http://img10.360buyimg.com/n1/jfs/t1117/296/553460423/48419/fc8a22a9/552f716aNe85d68c2.jpg###http://img10.360buyimg.com/n5/jfs/t1117/296/553460423/48419/fc8a22a9/552f716aNe85d68c2.jpg***]
    

爬虫的注意事项

  • 网络不稳定
    • 用完整的处理异常的逻辑来处理异常
  • 爬虫代码量不大(逻辑种类不多),最重要的是分析网页的结构
  • 网站的改版导致爬虫失效
  • 反爬虫技术
    • 修改css样式的值
    • nginx反爬虫:黑名单
      • 模拟请求头--伪装请求头
    • 通过频率来判断,封IP,封一段时间
      • 等一段时间继续爬
      • seep一段时间

  • 1
    点赞
  • 2
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 2
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论 2
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

乘风御浪云帆之上

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值