Fork me on GitHub

采集领英个人信息

  程序写的比较粗糙,主要就是处理领英页面信息的逻辑,提供一种思路,用得到的可以自行优化

LinkedIn是全球最大的职业社交网站,是一家面向商业客户的社交网络(SNS)

最近写了一个采集个人信息的程序,用的java语言,springboot框架,因为领英做了一些防爬虫处理,所以返回来的数据需要做些处理,主要逻辑代码如下

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
package linkedin.service;

import com.gargoylesoftware.htmlunit.FailingHttpStatusCodeException;
import com.gargoylesoftware.htmlunit.WebClient;
import com.gargoylesoftware.htmlunit.WebRequest;
import com.gargoylesoftware.htmlunit.WebResponse;
import com.gargoylesoftware.htmlunit.html.HtmlElement;
import com.gargoylesoftware.htmlunit.html.HtmlPage;
import com.gargoylesoftware.htmlunit.util.Cookie;
import linkedin.model.LinkedInModel;
import net.sf.json.JSONArray;
import net.sf.json.JSONObject;
import org.apache.http.HttpStatus;
import org.apache.log4j.Logger;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.select.Elements;
import org.springframework.stereotype.Component;
import org.springframework.util.StringUtils;

import java.net.URL;
import java.util.ArrayList;
import java.util.List;
import java.util.Set;

/**
* Created by vector on 2017/3/13.
*/
@Component
public class CrawlLinkedService {

private Logger logger = Logger.getLogger(CrawlLinkedService.class);



public void crawlLinkedIn(String name, String password, String pointUrl) {
String url = "https://www.linkedin.com/uas/login";
String perUrl = "http://www.linkedin.com/in";

List<String> publicIdentifiers = new ArrayList<>();
try {

WebClient webClient = new WebClient();// 创建WebClient

webClient.getOptions().setJavaScriptEnabled(false);
webClient.getOptions().setCssEnabled(false);
// webClient.getOptions().setTimeout(5000);

webClient.addRequestHeader("User-Agent", "Mozilla/5.0 (Windows NT 5.1; rv:6.0.2) Gecko/20100101 Firefox/6.0.2");
// 获取页面
HtmlPage page = webClient.getPage(url); // 打开linkedin
// 获得name为"session_key"的html元素
HtmlElement usernameEle = page.getElementByName("session_key");
// 获得id为"session_password"的html元素
HtmlElement passwordEle = (HtmlElement) page.getElementById("session_password-login");
usernameEle.focus(); // 设置输入焦点
usernameEle.type(name);
passwordEle.focus(); // 设置输入焦点

passwordEle.type(password);

// 获得name为"submit"的元素

HtmlElement submitEle = page.getElementByName("signin");

// 点击“登陆”
page = submitEle.click();
WebResponse webResponse = page.getWebResponse();
int statusCode = webResponse.getStatusCode();

if (HttpStatus.SC_OK == statusCode) {
System.out.println("登录成功");
Document doc = Jsoup.parse(page.asXml());
Elements elements = doc.select("code");
// 获取登录人的个人中心链接地址

for (Element item : elements) {
String codeContent = item.text();
if (codeContent.startsWith("{")) {
JSONObject json = JSONObject.fromObject(codeContent);
if (json.containsKey("included")) {
JSONArray jsonArray = JSONArray.fromObject(json.get("included"));
if (jsonArray.size() > 0) {
for (int i = 0; i < jsonArray.size(); i++) {
JSONObject jsonObject = JSONObject.fromObject(jsonArray.get(i));
if (jsonObject.containsKey("publicIdentifier")) {
String publicIdentifier = jsonObject.get("publicIdentifier").toString();
if (!publicIdentifiers.contains(publicIdentifier)) {
publicIdentifiers.add(publicIdentifier);
}

}
}
}
}
}
}
if (!StringUtils.isEmpty(pointUrl)) {
publicIdentifiers.add(1, pointUrl);
}
System.out.println(publicIdentifiers);
// int flag = 0;
while (!publicIdentifiers.isEmpty()) {
// if (flag == 1) {
// break;
// }
// flag++;
String temp = publicIdentifiers.get(1);
String uniqueUrl = perUrl + "/" + temp;//"/qiuxuan-zhang-041ba48b";
WebClient wc = new WebClient();
URL link = new URL(uniqueUrl);
logger.debug(link.toString());
WebRequest request = new WebRequest(link);
////设置请求报文头里的User-Agent字段
request.setAdditionalHeader("User-Agent", "Mozilla/5.0 (Windows NT 5.1; rv:6.0.2) Gecko/20100101 Firefox/6.0.2");
//wc.addRequestHeader("User-Agent", "Mozilla/5.0 (Windows NT 5.1; rv:6.0.2) Gecko/20100101 Firefox/6.0.2");
//wc.addRequestHeader和request.setAdditionalHeader功能应该是一样的。选择一个即可。
//其他报文头字段可以根据需要添加
wc.getCookieManager().setCookiesEnabled(true);//开启cookie管理
wc.getOptions().setJavaScriptEnabled(false);//开启js解析。对于变态网页,这个是必须的
wc.getOptions().setCssEnabled(false);//开启css解析。对于变态网页,这个是必须的。
wc.getOptions().setThrowExceptionOnFailingStatusCode(false);
wc.getOptions().setThrowExceptionOnScriptError(false);
wc.getOptions().setTimeout(10000);
//设置cookie。如果你有cookie,可以在这里设置
Set<Cookie> cookies = webClient.getCookieManager().getCookies();
wc.getCookieManager().setCookiesEnabled(true);
for (Cookie item : cookies) {
wc.getCookieManager().addCookie(item);
}
HtmlPage uniquePage = null;
try {
uniquePage = wc.getPage(request);
} catch (Exception e) {
logger.error(e.getMessage());
continue;
}
WebResponse identResponse = uniquePage.getWebResponse();
if (uniquePage == null) {
System.out.println("采集 " + url + " 失败!!!");
return;
}
String content = identResponse.getContentAsString();//网页内容保存在content里
if (content == null) {
System.out.println("采集 " + url + " 失败!!!");
return;
}
logger.debug(content);
Document parse = Jsoup.parse(content);
Elements uniqueElements = parse.select("code");
JSONArray experience = new JSONArray();
JSONArray educations = new JSONArray();
JSONArray schools = new JSONArray();
JSONArray skills = new JSONArray();
JSONObject selfInfo = new JSONObject();

JSONObject commonDate = new JSONObject();
JSONObject rangeDate = new JSONObject();

for (Element uniqueItem : uniqueElements) {
String itemTxt = uniqueItem.text();
if (itemTxt.startsWith("{")) {
logger.debug(itemTxt);
JSONObject json = JSONObject.fromObject(itemTxt);
if (!json.containsKey("request")) {
logger.info(json);
JSONArray jsonArray = JSONArray.fromObject(json.get("included"));
if (jsonArray.size() > 0) {
for (int i = 0; i < jsonArray.size(); i++) {
try {
JSONObject jobject = JSONObject.fromObject(jsonArray.get(i));
if (jobject.containsKey("$type")) {
String typeStr = jobject.getString("$type");
if (typeStr.equals("com.linkedin.common.Date")) {
commonDate.accumulate(jobject.getString("$id"), jobject);
} else if (typeStr.equals("com.linkedin.voyager.common.DateRange")) {
rangeDate.accumulate(jobject.getString("$id"), jobject);
} else if (typeStr.equals("com.linkedin.voyager.identity.shared.MiniProfile")) {
// 他人信息摘要(包括自己)
String publicIdentifier = jobject.getString("publicIdentifier");
if (!publicIdentifiers.contains(publicIdentifier)) {
publicIdentifiers.add(publicIdentifier);
}
} else if (typeStr.equals("com.linkedin.voyager.identity.profile.Skill")) {
// 个人技能
skills.add(jobject.getString("name"));
} else if (typeStr.equals("com.linkedin.voyager.identity.profile.Profile")) {
// 个人信息
jobject.remove("supportedLocales");
jobject.remove("versionTag");
jobject.remove("pictureInfo");
jobject.remove("industryUrn");
jobject.remove("$type");
jobject.remove("defaultLocale");
jobject.remove("$deletedFields");
jobject.remove("entityUrn");
jobject.remove("location");
jobject.remove("miniProfile");
jobject.remove("backgroundImage");
jobject.remove("state");
selfInfo = jobject;
} else if (typeStr.equals("com.linkedin.voyager.entities.shared.MiniSchool")) {
// 学校
jobject.remove("$deletedFields");
jobject.remove("objectUrn");
jobject.remove("entityUrn");
jobject.remove("trackingId");
jobject.remove("$type");
jobject.remove("logo");
schools.add(jobject);
} else if (typeStr.equals("com.linkedin.voyager.identity.profile.Education")) {
// 教育
jobject.remove("$deletedFields");
jobject.remove("entityUrn");
jobject.remove("schoolUrn");
jobject.remove("$type");
jobject.remove("courses");
String dateStr = buildRangeDate(commonDate,rangeDate,jobject);
jobject.accumulate("rangeDate", dateStr);
jobject.remove("degreeUrn");
jobject.remove("timePeriod");
educations.add(jobject);
} else if (typeStr.equals("com.linkedin.voyager.identity.profile.Position")) {
// 公司
jobject.remove("$deletedFields");
jobject.remove("entityUrn");
String dateStr = buildRangeDate(commonDate,rangeDate,jobject);
jobject.accumulate("rangeDate", dateStr);
jobject.remove("timePeriod");
jobject.remove("company");
jobject.remove("companyUrn");
jobject.remove("$type");
experience.add(jobject.toString());
}
}
} catch (Exception e) {
logger.error(e.getMessage());
continue;
}
}
}
}
}
}
try {
LinkedInModel model = new LinkedInModel();
model.setExperiences(experience.toString());
model.setEducations(educations.toString());
model.setEducations(schools.toString());
model.setSkills(skills.toString());
if (selfInfo.containsKey("firstName")) {
model.setFirstName(selfInfo.getString("firstName"));
}
if (selfInfo.containsKey("lastName")) {
model.setLastName(selfInfo.getString("lastName"));
}
if (selfInfo.containsKey("industryName")) {
model.setIndustryName(selfInfo.getString("industryName"));
}

if (selfInfo.containsKey("headline")) {
model.setHeadline(selfInfo.getString("headline"));
}
if (selfInfo.containsKey("locationName")) {
model.setAddress(selfInfo.getString("locationName"));
}
model.setUniqueUrl(temp);
System.out.println("抓取用户‘"+model + "’数据");
} catch (Exception e) {
logger.error(e.getMessage());
}
publicIdentifiers.remove(temp);
}
} else {
System.out.println("登录失败");
}
} catch (FailingHttpStatusCodeException e) {
logger.error(e.getMessage());
} catch (Exception e) {
e.printStackTrace();
}
}


/**
* 重建日期范围
*
* @param commonDate
* @param rangeDate
* @param elementObject
* @return
*/
public static String buildRangeDate(JSONObject commonDate,JSONObject rangeDate, JSONObject elementObject) {
if(!elementObject.containsKey("timePeriod")){
return "";
}
String timeId = elementObject.getString("timePeriod");
JSONObject jsonObject = rangeDate.getJSONObject(timeId);
String start = "";
String end = "";
if (jsonObject.containsKey("startDate")) {
start = jsonObject.getString("startDate");
} else {
return "";
}
JSONObject startDate = commonDate.getJSONObject(start);
StringBuffer startStr = new StringBuffer(startDate.getString("year"));
if (startDate.containsKey("month")) {
startStr.append("-" + startDate.getString("month"));
}
if (startDate.containsKey("month") && startDate.containsKey("day")) {
startStr.append("-" + startDate.getString("day"));
}

if (jsonObject.containsKey("endDate")) {
end = jsonObject.getString("endDate");
} else {
return startStr.toString();
}
JSONObject endDate = commonDate.getJSONObject(end);
StringBuffer endStr = new StringBuffer(endDate.getString("year"));

if (endDate.containsKey("month")) {
endStr.append("-" + endDate.getString("month"));
}
if (endDate.containsKey("month") && startDate.containsKey("day")) {
endStr.append("-" + endDate.getString("day"));
}
return startStr.toString() + "至" + endStr.toString();
}
}

打包

1
mvn install -Dmaven.test.skip=true

在项目目录target目录下找对应jar

运行

1
java -jar linkedin-1.0.jar param1 param2 param3

注意

  • param1 用户名
  • param2 密码
  • param3 爬取点

这三个参数必填

结果

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
抓取用户‘LinkedInModel{id=0, firstName='Roger', lastName='Gu', industryName='Mechanical or Industrial Engineering', headline='Greater China Finance Controller at Perkinelmer Instrument Shanghai Co., Ltd.', address='Shanghai City, China', educations='[{"schoolName":"Shanghai University of Finance and Economics"}]', experiences='[{"companyName":"KPMG Audit","title":"Assistant Manager","rangeDate":"1998-7至2003-11"},{"locationName":"Shanghai City, China","companyName":"Perkinelmer","description":"China finance head, overall finance responsibility","title":"Greater China Finance Controller","region":"urn:li:fs_region:(cn,8909)","rangeDate":"2011-1"},{"locationName":"Shanghai City, China","companyName":"Moog","description":"China finance head. Overall finance responsibility.","title":"China Finance Controller","region":"urn:li:fs_region:(cn,8909)","rangeDate":"2007-12至2010-7"},{"companyName":"Eaton","title":"Finance manager","rangeDate":"2004-2至2007-12"}]', skills='["Financial Analysis","US GAAP","SOX","internal control","Hyperion Enterprise","China region","Fortune 500","Accounts Receivable","costing","IFRS","Auditing","Financial Analysis","Manufacturing","contract review","US GAAP","Internal Controls","forecast","compliance","Sarbanes-Oxley Act","Cash Flow","SOX","internal control","Pricing","Budgets","legal","Treasury","Financial Integration","Due Diligence","cash flow management","Tax","corporate finance","Target Costing","Inventory Control","Contract Management","Forecasting","ERP","credit control","Financial Reporting","budgeting","working capital management"]', uniqueUrl='roger-gu-698a036', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Arun', lastName='Krishnan', industryName='Information Technology & Services', headline='IT Support Engineer', address='Wellington & Wairarapa, New Zealand', educations='[{"schoolName":"Eastern Institute of Technology"},{"schoolName":"Eastern Institute of Technology"}]', experiences='[{"locationName":"India","companyName":"Software Paradigms Infotech Pvt Ltd","description":"Key Responsibilities:\n\n•\tImproving the implemented software module designs according to business requirements and ensuring smooth running of business processes for Ahold (Dutch Retailer in US) on IBM Mainframes.\n\n•\tBack-end development and support operations for Mainframe batch processes.\n\n•\tUnderstanding and analyzing the business needs and improvement areas\n\n•\tEnhancement/Development of applications according to Client service requests\n\n•\tResponsible for preparation of test plans and verification of solution\n\n•\tDaily tasks in Accounts Payable and Accounts Receivable accounts which included Client Interaction and problem resolution\n","title":"Software / Support Engineer","rangeDate":"2012-1至2013-3"},{"locationName":"Auckland, New Zealand","companyName":"CallPlus Group","description":"Key Responsibilities\n\n•\tInternet service setup and troubleshooting\n\n•\tHelp and Coaching Customers with Internet Technology\n\n•\tFault logging and follow up with Chorus Communications\n\n•\tModem configuration and setup\n\n•\tOther Slingshot product support \n","title":"Technical Customer Service Representative","region":"urn:li:fs_region:(nz,9194)","rangeDate":"2015-10至2016-2"},{"locationName":"Nizwa, Oman","companyName":"Al Harby Enterprises LLC","description":"Key Responsibilities\n\n•\tMaintenance and Support of office software and IT infrastructure\n\n•\tDiagnosing and Troubleshooting Windows operating environment issues\n\n•\tAssisted customers to get the best products in the market\n\n•\tBusiness development and sales strategy \n\n•\tDaily company operations\n\n","title":"Customer Service and Support","rangeDate":"2013-3至2014-2"},{"locationName":"Wellington & Wairarapa, New Zealand","companyName":"GTB IT Solutions Ltd","description":"Key Responsibilities:\n\nDeployment and Support:\n\n•\tWindows Server – 2003, 2008 & 2008R2, 2012 & 2012R2\n\n•\tWindows Desktop Support – Win 7, 8, 8.1 &10\n\n•\tNetworks – Mikrotik Router, Network peripherals, Broadband & Fibre Internet\n\n•\tVOIP Phone Systems – Voyager CVS, Grand stream phones\n\n•\tDisaster Recovery – Shadow Protect, KIS\n \n•\tCloud Technology – Office 365\n\n•\tApplication Support – Medtech32, Affinity, Exact Dental\n\n•\tERP and CRM - ConnectWise\n\n","title":"IT Engineer","region":"urn:li:fs_region:(nz,9204)","rangeDate":"2016-2"}]', skills='["ERP","COBOL","C#","Microsoft SQL Server","ERP","Technical Support","SQL DB2","Disaster Recovery","JavaScript","COBOL","Help Desk Support","SQL","Java","C#","Customer Service","Networking","Microsoft SQL Server","Infrastructure","Information Technology"]', uniqueUrl='arunkrishnanict', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='談珈維', lastName='William Tan', industryName='Logistics & Supply Chain', headline='LinkedIn Pioneer in Taiwan', address='New Taipei City, Taiwan', educations='[{"schoolName":"National Chung Hsing University"}]', experiences='[{"locationName":"Taipei, Taiwan","companyName":"Exel – merged by DHL on 2007","description":"Link export clearance data with the Customs\nTransit export clearance data to the Customs database\nLeading the export clearance team to finish the export procedure smoothly\nInstruct the airport team launch the freight into cargo terminal and match with the export clearance data saved in the Customs database\nNotify the traffic department to arrange dedicated trucker to deliver consolidation pouch to the airline counter on timely manner\nCoordinate with space booking, customer service, operation, export clearance & airport team completely\nExport clearance problem solving\nExport declaration data revised per shipper and the Customs officer","title":"EDI Officer","rangeDate":"2006-1至2006-12"},{"locationName":"Taipei City, Taiwan","companyName":"Taipei Metro/Taipei Rapid Transit Corporation (TRTC,台北大眾捷運公司) - Contract","description":"Customer Service","title":"Customer Service Administrator","region":"urn:li:fs_region:(tw,9225)","rangeDate":"2015-1"},{"locationName":"New Taipei City, Taiwan","companyName":"Self-Employed","description":"1. Update profile periodically\n2. Build up and enforce my professional nerwork\n3. Read some influencers and talents post and leave my feedback\n4. Get insights from others and inspire others by return\n","title":"LinkedIn Pioneer in Taiwan","region":"urn:li:fs_region:(tw,9226)","rangeDate":"2011-3"},{"locationName":"Taipei, Taiwan","companyName":"Exel – merged by DHL on 2007","description":"Customer Service team leader (leading 4 staff)\nMonitor member routine job and mentoring the new staff\nCustomer and staff problem solving\nAssist junior staff to do the job and solve their irregular problem \nForwarding problems and special conditions solving for customers both from Taiwan and overseas station.\nFollow request by overseas station from consignee to communicate with shipper Taiwan to arrange shpt export.","title":"Customer Service team Leader","rangeDate":"2005-1至2005-12"},{"locationName":"Taipei, Taiwan","companyName":"DHL GLOBAL FORWARDING Taiwan Branch","description":"Assist junior staff to do the job and solve their irregular problem\nArrange air shipment export from Taiwan, sometimes may contact with vendor's factory in Mainland China & Hong Kong.\nFollow request by overseas station from consignee to communicate with shipper Taiwan to arrange shipment export.\nForwarding problems and special conditions solving for customers both from Taiwan and overseas station.\nDoor to Door shipment tracing from destination side and airlines. Missing and shortland cargo tracing.","title":"Senior Customer Service Officer","rangeDate":"2007-1至2009-5"}]', skills='["Export","Logistics","Freight Forwarding","Supply Chain","Transportation","Contract Negotiation","Freight Management","Export","Market Planning","Market Analysis","Shipping","Global Logistics","International Trade","Customer Relations","Air Freight","Business Relationship Building","Operations Management","Team Management","Team Leadership","Market Development","Sales","Business Development","Business Strategy","Freight","Import","Sales Management","EDI","3PL","Management","Key Account Management","Sales Operations","Operational Planning","International Sales","Business Analysis","New Business Development","Leadership","Direct Sales","Logistics Management","Problem Solving","Sourcing","Pricing","Customer Service","Marketing Strategy","Business Relationship Management","International Logistics","International Business","Supply Chain Management","Team Building","Negotiation","Logistics","Business Planning","Account Management","Freight Forwarding","Supply Chain"]', uniqueUrl='tanjiawei', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Hans', lastName='Wiens', industryName='Information Technology & Services', headline='Managing Partner - The New Network', address='Calgary, Alberta, Canada', educations='[{"schoolName":"University of Calgary"},{"schoolName":"Memorial University of Newfoundland"}]', experiences='[{"locationName":"Calgary, Canada Area","companyName":"Axia NetMedia Corp.","description":"FibreNet is Axia's way of doing business. We sell fast, reliable transport services using the most intelligent data management systems to deliver maximum performance at every moment on our networks. \n\nFor over a decade, we have focused our business on areas where access to high bandwidth fibre infrastructure did not exist. Our success has been our ability to develop networks using the most technologically advanced, expertly engineered fibre technology to provide customers with superior performance and control. We have focused primarily on rural communities to bridge the digital divide by building the most reliable digital infrastructure – resulting in clear economic, communication, and educational benefits in these communities. We have done this for customers in Alberta, Massachusetts, and as far away as France.","title":"Enterprise Account Executive","region":"urn:li:fs_region:(ca,4882)","rangeDate":"2014-5至2015-4"},{"locationName":"Calgary, Canada Area","companyName":"Ricoh Canada Inc.","description":"Ricoh is a global information and technology company building on our legacy of workstyle innovation in a new world of work. With a strong history of introducing new technologies into the workplace and deep expertise in managing and accessing information, Ricoh continues to change the way people work today with innovative products and dynamic solutions that help businesses grow and profit.\n\nIn my role as a legal specialist I was responsible for bringing the largest, most comprehensive and experienced organization of document services and eDiscovery resources to work for the legal community.","title":"Strategic Accounts, Legal Specialist","region":"urn:li:fs_region:(ca,4882)","rangeDate":"2011-9至2014-5"},{"companyName":"Canon Canada","description":"Headquartered in Mississauga, Ontario, the company employs 1,200 people at its offices nation-wide, servicing the Canadian market from coast to coast. Innovation and cutting-edge technology have been essential ingredients in Canon's success. Canon's leadership in imaging, optical and document management technology and solutions is based in large part on the thousands of patents the company has secured throughout its history. Since 1994, Canon Inc. is among the top four US patent recipients. \n\nAs a member of the production press team I worked within complex printing environments to build systems that optimized efficiency and profitability, which delivered a competitive advantage to our clients.","title":"Production Press Specialist","rangeDate":"2010-3至2011-8"},{"companyName":"The New Network","title":"Managing Partner","rangeDate":"2017-3"},{"locationName":"Calgary, Canada Area","companyName":"Gartner","description":"Gartner, Inc. (NYSE: IT) is the world’s leading information technology research and advisory company. We deliver the technology-related insight necessary for our clients to make the right decisions, every day. From CIOs and senior IT leaders in corporations and government agencies, to business leaders in high-tech and telecom enterprises and professional services firms, to technology investors, we are the indispensable partner to 60,000 clients in 10,000 distinct organizations. Through the resources of Gartner Research, Gartner Consulting and Gartner Events, we work with every client to research, analyze and interpret the business of IT within the context of their individual role. Founded in 1979, Gartner is headquartered in Stamford, Connecticut, U.S.A., and has 3,900 associates, including 1,200 research analysts and consultants in 75 countries.","title":"Account Executive","region":"urn:li:fs_region:(ca,4882)","rangeDate":"2015-4"}]', skills='["Management","Business Development","Solution Selling","Sales","Lead Generation","LinkedIn","Vertical Marketing","Knowledge Sharing","Strategy","Negotiation","Change Management","Sales Operations","Product Development","Leadership","Social Media","Strategic Planning","Change Catalyst","Conflict Management","Marketing","Sales Coaching","Business Partner Support","Entrepreneurship","Management","Business Process Improvement","Project Management","Business Development","Coaching","Telecommunications","Solution Selling","Translation","Customer Service","Mentoring","Thought Leadership","Sales Process","Integration","Professional Services","Team Leadership","Networking","Team Building","Account Management","Information Management Solutions","Sales Management","Sales"]', uniqueUrl='hans-wiens-07277734', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Art', lastName='McGrath', industryName='Information Technology & Services', headline='Marketing Director/Nationwide Corporate Events', address='Cerritos, California', educations='[]', experiences='[{"locationName":"Torrance, ca","companyName":"PCM","description":"Duties included planning, forecasting, P&L, marketing, and ad sales during all stages of the product lifecycle for the Hewlett Packard portfolio. \n•\tCreated business development management team and developed bid desk procedures to increase B2C and B2B clients. Three direct reports handling bid desk and training\n•\tDeveloped procedures that bridged departments within the company to increase efficiencies to help sales support response time resulting in sales growth\n•\tExecuted product reorganization when HP purchased Compaq. Over 300,000 part numbers, 500+ web pages/banners, and 100+ pages in multiple print catalogs were redesigned","title":"Senior Product Manager","rangeDate":"2000至2004"},{"companyName":"DMGC Events","description":"Handling all sales, planning, contracts, budgets, and execution of all events. I specialize in trade shows, nationwide corporate meetings, golf tournaments, incentive trips, and experimental events. \n•\tCompleted over 40 corporate events in 10 different states with over 20,000 attendees\n•\tLargest event 42,000sq ft arena with 30'x30' stage, A/V, Lighting, F&B, entertainment, staff, and onsite management","title":"Nationwide Corporate Events, Owner","rangeDate":"2012-8"},{"locationName":"El Segundo","companyName":"PCM","description":"•\tPlanned, designed, and executed B2C and B2B events including yearly 45,000sq ft. HP EXPO including complete product lines for over 1000 customers generating $57 million in revenue, $17 million net new customers\n•\tDesigned and improved the effectiveness of core marketing procedures for marketing and sales departments, which increased communication, speed, and reliability between sales, marketing, accounting, and tech support\n•\tSpearheaded product strategy and quarterly business reviews to manufacturers and internal executive team\n•\tBuilt pilot programs with HP that turned into industry standards for net new customers","title":"Senior Marketing Manager","rangeDate":"2004-1至2008-10"},{"locationName":"Heartwell Golf Course","companyName":"American Golf Corporation","description":"Responsible for all operational aspects of the pro-shop with a pro-active spirit and a passion for customer service. Focused on revenue with an entrepreneurial problem-solving mind set to create a positive environment for the staff, clients and guests.\n\nMembership Marketing and Sales: refine and implement a marketing strategy to recruit and enroll new memberships; identifies opportunities to promote the club locally. meets with prospective members to present and clearly communicate membership options; accepts and facilitates new membership applications.\n\n","title":"Membership Sales/Pro Shop","rangeDate":"2015-4"},{"locationName":"El Segundo","projects":["urn:li:fs_project:(ACoAAACtRAkBrc7hTbgigQTkVk5SN8XkOfr-oHY,317673624)","urn:li:fs_project:(ACoAAACtRAkBrc7hTbgigQTkVk5SN8XkOfr-oHY,321027082)"],"companyName":"PCM","description":"•\tBuilt multi-level marketing plans and budgets for HP, Dell, and Lenovo covering enterprise, SMB, government, education, and retail sales organizations. Resulted in 30% avg. growth YoY\n•\tConverted yearly company event from single day internal only to multi day event including internal employees, vendors, and customers: 200+ manufacturers, 300+ customers, and 100+ employees. Doubled event size in two years which increased the sales and marketing department’s reach for net new business \n•\tDeveloped pilot program with HP and Lenovo focused on building relationships with local customers responsible for over generating $25 million in net new business in 3 years\n•\tHosted multiple offsite think-tanks bringing together marketing, sales, and customers. Resulted in 20% YoY average increase of revenue from top 20 customers\n•\tManaged offsite team building meeting for marketing department focused on Five Dysfunctions of a Team, Myers Briggs, and Strengthsfinder 2.0","title":"Director of Marketing and Vendor Management ","rangeDate":"2008-1至2012-8"}]', skills='["Account Management","B2B","Business Development","Multi-channel Marketing","HP","Channel Partners","Incentive Programs","Salesforce.com","Marketing","Lead Generation","Customer Relationship Management (CRM)","Strategy","Customer Service","Marketing Management","Account Management","Business Development","CRM","Market Planning","Demand Generation","Product Marketing","Coordinating Events","Sales Operations","B2B","Channel","Leadership","Product Management","Direct Sales","Marketing Strategy","Team Building","Multi-channel Marketing","Online Marketing","Enterprise Software","Business-to-Business (B2B)","Solution Selling","Sales","Management","Resellers","Go-to-market Strategy","Strategic Partnerships","Customer Acquisition"]', uniqueUrl='artmcgrath', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Steve', lastName='Sanchez', industryName='Information Technology & Services', headline='Client Solutions Specialist', address='Long Beach, California', educations='[]', experiences='[{"locationName":"Torrance California","companyName":"Dell","title":"Precision Workstation Specialist","rangeDate":"2012-7至2015-9"},{"locationName":"El Segundo California","companyName":"PCMALL","title":"HP PSG Business \nDevelopment Manager","rangeDate":"2007-6至2012-7"},{"companyName":"Dell Technologies","title":"Client Solutions Specialist","rangeDate":"2015-9"}]', skills='["Direct Sales","Channel Partners","Sales Process","Solution Selling","Lead Generation","Direct Sales","Sales Operations","Channel Partners","Strategic Partnerships","Business Development","Sales Process","Salesforce.com","New Business Development","Solution Selling","Account Management"]', uniqueUrl='steve-sanchez-2a9b7961', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='grace', lastName='fsmaidiqi', industryName='Construction', headline='Export manager at FoShan Medici Building Material CO.,LTD', address='Foshan, Guangdong, China', educations='[{"schoolName":"Henan University"}]', experiences='[{"companyName":"JIN WANG CERAMIC DESIGN COMPANY","description":"entertain the foreigners and as a translator of our boss","title":"translator","rangeDate":"2011-7至2013-3"},{"companyName":"foshan mdc ceramic","description":"export","title":"Sales Manager in FOSHAN MDC BUILDING MATERIAL COMPANY","rangeDate":"2011-3"},{"companyName":"Fo Shan medici building material co.,ltd","description":"sales the ceramic tiles","title":"export manager","rangeDate":"2011-3"},{"companyName":"FOSHAN MEDICI BUILDING MATERIAL CO.LTD","description":"shows our products and serve for customers","title":"sales manager","rangeDate":"2013-3"}]', skills='["Marketing","ceramic tile skills","English","Marketing Communications","Leadership","Business Development","Negotiation","Sales","Marketing","hexagonal tiles","New Business Development","Market Research","Contract Negotiation","Contract Management","ceramic tile skills","Business Planning","Project Management","Procurement","English","Marketing Strategy","Marketing Communications","Purchasing","porcelain tiles","Strategic Planning","Team Building","Project Coordination","backsplash tiles","Team Leadership","Project Planning","Social Media","Product Development","Public Relations","Construction","subway tiles","Sales Management","Business Strategy","International Sales","wood tiles"]', uniqueUrl='grace-fsmaidiqi-5b6b326a', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Mika', lastName='Enberg', industryName='Information Technology & Services', headline='General Manager for Dell EMC Finland', address='Helsinki Area, Finland', educations='[]', experiences='[{"companyName":"Dell","description":"Managed key global customers for Dell.","title":"Account Director, Global","rangeDate":"2010-9至2012-2"},{"companyName":"Intel","description":"I managed the Small Form Factor Ecosystem Enabling including MeeGo for EMEA.","title":"Manager Mobile Ecosystem Enabling EMEA","rangeDate":"2010-1至2010-9"},{"companyName":"Intel","description":"I managed a team running the strategic and day-to-day operations with Intel customers in Finland.","title":"District Sales Manager","rangeDate":"2002-1至2003-12"},{"companyName":"Intel","description":"I managed the Essential Software Enabling team globally.","title":"Manager Global Enabling SW Partners","rangeDate":"2004-1至2009-12"},{"locationName":"Espoo, Finland","companyName":"Dell","title":"GM","rangeDate":"2012-2"}]', skills='["Management","Solution Selling","Business Development","Strategy","Product Management","Customer Relations","LTE","Market Research","Press Releases","Wireless","Business Development","Marketing","Online Marketing","Marketing Management","Strategy","Product Development","Mobile Communications","Product Marketing","Solution Selling","Strategic Partnerships","Telecommunications","Mobile Devices","Market Planning","Account Management","Marketing Research","Project Planning","Planning","Forecasting","Android","Channel Partners","Sales Management","Sales","Start-ups","Event Management","Management","Analysis","Go-to-market Strategy","Public Relations","Social Media","Marketing Communications","Marketing Strategy","Direct Marketing"]', uniqueUrl='mikaenberg', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Tohid', lastName='Patel', industryName='Health, Wellness & Fitness', headline='OFFICER STORES AT AMI BIOTECH PVT.LTD', address='Bharuch, Gujarat, India', educations='[{"schoolName":"Gujarat University"}]', experiences='[{"locationName":"Vadodara Area, India","companyName":"Ami Biotech Pvt. Ltd.","description":"office work and sales executive an other","title":"Store Officer","region":"urn:li:fs_region:(in,6552)","rangeDate":"2016-7"},{"companyName":"McDonald's","description":"cash counter and kitchen handling ","title":"Assistant","rangeDate":"2015-2至2015-7"},{"locationName":"Vadodara Area, India","companyName":"Ami Biotech Pvt. Ltd.","description":"store responsibility and office work.\n\n","title":"Executive","region":"urn:li:fs_region:(in,6552)","rangeDate":"2016-7"},{"locationName":"Vadodara Area, India","companyName":"Ami Biotech Pvt. Ltd.","description":"product responsibility\n","title":"Store Officer","region":"urn:li:fs_region:(in,6552)","rangeDate":"2016-7"}]', skills='["Management","Microsoft Excel","Microsoft Office","Customer Service","Microsoft Word","Public Speaking","Team Management","Team Building","Business Development","Negotiation","Leadership","Management","Strategic Planning","Microsoft Excel","Microsoft PowerPoint","Marketing","Microsoft Office","Customer Service","Training"]', uniqueUrl='tohid-patel-428a72128', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Roy', lastName='Liu', industryName='Law Practice', headline='Managing Partner at lifang & Partners', address='Guangzhou City, Guangdong, China', educations='[{"schoolName":"University of Jinan"},{"schoolName":"Peking University"}]', experiences='[{"companyName":"Scihead & Partners Intellectual property lawyers","title":"managing partner","rangeDate":"2003-8至2008-8"},{"locationName":"Guangzhou, China","companyName":"lifang & Partners Law Firm","description":"Lifang & Partners, founded in 2002, has established a reputation as one of the country’s leading law firms concentrating on intellectual property law and has a broad range of commercial law practices including corporate and capital market, banking and finance, dispute settlement and counseling for industries in which IPR protection is extremely important.\n\nWith offices strategically located in Beijing, Guangzhou and Wuhan, the emphasis of our firm’s practice is providing legal services and business solutions in intellectual property, energy, insurance, investment, telecommunications and other high-tech industries and international trade matters. \n\nLifang’s partners have education background in first class law schools in and outside China. Most of them previously worked for China’s central government or in the court. They are supported by dozens of lawyers, patent agents, foreign legal counsel, and a professional administrative team. With their dedication, Lifang has grown rapidly and provides high-quality legal services and business solutions based on a sound knowledge of PRC law and practice, and an understanding of each individual client’s needs.\n\nIn addition, Lifang retains a number of reputed legal experts as our senior consultants, who ensures that we always provide our clients with the best available representation in intellectual property matters.\n\nLifang was named IP Law Firm of the Year by the Asian Legal Business for consecutive years from 2008 to 2010. In 2010, the firm is ranked in Band 2 of Intellectual Property firms in Chambers Asia 2011 and two Lifang lawyers are featured as Leaders in their Field. Further, the 2011 World IP Survey by Managing Intellectual Property has also nominated and ranked Lifang in all the major IP categories, patent, trademark and copyright.","title":"Managing Partner of Guangzhou Office/ Attorney at law/ Patent Attorney","rangeDate":"2010-1"}]', skills='["Copyright Law","Legal Advice","Corporate Law","Litigation","Commercial Litigation","Intellectual Property","Legal Assistance","Patents","Patent Litigation","Trademarks","Patents","Trademarks","Intellectual Property","Patent Litigation"]', uniqueUrl='roy-liu-500b4330', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Will Jian', lastName='WU', industryName='Retail', headline='Multi-functional professional in Retail/RE', address='Jing’an District, Shanghai, China', educations='[{"schoolName":"Sichuan International Studies University"},{"schoolName":"The University of Hong Kong"}]', experiences='[{"courses":["urn:li:fs_course:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,61)","urn:li:fs_course:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,62)"],"locationName":"Shanghai","companyName":"L'Oréal","title":"Strategic Planning & Portfolio Manager | China","rangeDate":"2016"},{"courses":["urn:li:fs_course:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,60)"],"locationName":"Beijing","companyName":"JLL","title":"Sr. Consultant | Research & Retail | North China","honors":["urn:li:fs_honor:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,116)","urn:li:fs_honor:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,117)"],"rangeDate":"2010至2013"},{"locationName":"Shanghai/Hong Kong/Tokyo","companyName":"Fast Retailing","organizations":["urn:li:fs_organization:(ACoAAANznO8BZjCkz9fUQWQtzpYzHpA7rzWqYKI,206273172)"],"title":"BD & Project Manager | Theory & Helmut Lang | China","rangeDate":"2013至2016"}]', skills='["Market Research","Data Analysis","Strategic Planning","Business Development","Retail","Public Relations","Market Research","Real Estate Development","Management","Data Analysis","Tenant Representation","Strategic Planning","Business Development","Negotiation"]', uniqueUrl='williamswu', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Vishal', lastName='Naik', industryName='Marketing & Advertising', headline='Product Marketing at MomentFeed', address='Greater Los Angeles Area', educations='[{"schoolName":"University of California, Santa Barbara"}]', experiences='[{"locationName":"Santa Barbara, California Area","companyName":"UCSB Intercollegiate Athletics","title":"Marketing Intern","region":"urn:li:fs_region:(us,748)","rangeDate":"2003-9至2004-6"},{"locationName":"Torrance, CA","companyName":"PCM","title":"Marketing Manager","rangeDate":"2008-6至2011-10"},{"locationName":"Santa Monica, CA","companyName":"MomentFeed","description":"When you’re on your phone, every recommendation is based on your location. These ‘mobile moments’ last only seconds, but we help ensure that our clients’ stores are always the top choice. We also help retailers and restaurant chains manage two-way consumer conversations from every one of their locations as if the local manager were responding. MomentFeed’s software improves the mobile customer experience for the world’s leading multi-location brands.","title":"Director, Product Marketing","rangeDate":"2017-1"},{"locationName":"El Segundo, CA","companyName":"PCM","title":"Senior Marketing Manager","rangeDate":"2011-10至2013-11"},{"locationName":"El Segundo, CA","companyName":"PCM","title":"Director of Marketing","rangeDate":"2013-11至2017-1"}]', skills='["Strategy","Product Marketing","Marketing","Marketing Management","Team Leadership","Brand Management","Demand Generation","Strategic Partnerships","Marketing","Customer Retention","Brand Development","Team Building","Content Development","E-commerce","Google Analytics","SEM","Business Planning","WordPress","Display Advertising","Online Advertising","Web Analytics","Lead Management","Competitive Analysis","Partner Management","Management","Business-to-Business (B2B)","Market Research","Customer Acquisition","SEO","Marketing Management","SaaS","Strategy","Integrated Marketing","Pricing","Social Media","Product Marketing","P&L Management","Business Development","Digital Strategy","Business Strategy","Microsoft Excel","Multi-channel Marketing","Go-to-market Strategy","Product Management","Lead Generation","B2B","Email Marketing","Social Media Marketing","Leadership","Advertising","Corporate Branding","Marketing Strategy","Account Management","Digital Marketing"]', uniqueUrl='van6683', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Navdeep', lastName='Joshi, PMP & CAPM', industryName='Information Technology & Services', headline='CA PPM - Functional at Rego Consulting', address='Bengaluru Area, India', educations='[{"schoolName":"Guru Gobind Singh Indraprastha University"}]', experiences='[{"locationName":"Hyderabad","companyName":"CA Technologies","description":"1.\tUsed analytical and problem solving skills to provide support and assistance on usage of tool to the business users, whilst making sure that the required PLA / OLAs are met.\n1.1\tProvided technical-functional support\n1.2\tAnswered any queries related to the usage of certain parts of the tool\n2.\tResponsible for retrieval of desired data from the tool as per the business needs, and presenting the data in a manner such that the data can be easily analyzed – This involves running reports on ad-hoc basis, or data retrieval from portlets.\n3.\tInvolved in configuration changes of the PPM tool – Responsible for scheduled deployments to the tool","title":"Sr. Application Developer","rangeDate":"2012-10至2013-9"},{"locationName":"Bengaluru Area, India","companyName":"Future Focus Infotech Private Limited","title":"Sr. Consultant - CA PPM","region":"urn:li:fs_region:(in,5281)","rangeDate":"2014-11"},{"locationName":"Bengaluru Area, India","companyName":"Rego Consulting","description":"1. Provide functional support for CA PPM\n2. Create monthly support reports\n3. Assist in data manipulation/changes on CA PPM\n4. Create internal/external knowledge management database","title":"CA PPM - Functional","region":"urn:li:fs_region:(in,5281)","rangeDate":"2015-9"},{"locationName":"Bengaluru Area, India","companyName":"NxGET – (Client - CA Technologies, Hyderabad (ITC))","description":"1.\tUsed analytical and problem solving skills to provide support and assistance on usage of tool to the business users, whilst making sure that the required PLA / OLAs are met.\n1.1\tProvided technical-functional support\n1.2\tAnswered any queries related to the usage of certain parts of the tool, e.g Auditing attributes – The client is new to the tool and hence requires hand-holding when needed.\n\n2.\tResponsible for retrieval of desired data from the tool as per the business needs, and presenting the data in a manner such that the data can be easily analyzed – This involves running reports on ad-hoc basis, or data retrieval from portlets.\n\n\n3.\tInvolved in configuration changes of the PPM tool – Responsible for scheduled deployments to the tool\n\n4.\tAct as a mediator between the business and the development team","title":"Sr. Consultant - Clarity PPM","region":"urn:li:fs_region:(in,7127)","rangeDate":"2014-4至2014-11"},{"courses":["urn:li:fs_course:(ACoAAAHC1ZkBxEd0ObmFOF__7qGwjukyxgbgZsM,1)"],"locationName":"Bengaluru Area, India","companyName":"Infosys (via Future Focus)","description":"1. Used analytical and problem solving skills to provide functional support and assistance on usage of tool to the business users, whilst making sure that the required PLA / OLAs are met.\n\n2. Responsible for retrieval of desired data from the tool as per the business needs, and presenting the data in a manner such that the data can be easily analyzed – This involves running reports on ad-hoc basis, or data retrieval from portlets.\n\n3. Involved in configuration changes of the PPM","title":"Sr. Consultant - Clarity PPM","region":"urn:li:fs_region:(in,7127)","rangeDate":"2014-11至2015-8"}]', skills='["Integration","Oracle","Release Management","CA Clarity","MS Project","Microsoft SQL Server","IT Management","Open Workbench","Clarity","Project Portfolio Management","Integration","Visio","Troubleshooting","Requirements Analysis","Microsoft Project","Oracle","Cloud Computing","Project Management","Business Analysis","Release Management","Team Management","PMP","CA Clarity","Management","PL/SQL"]', uniqueUrl='navdeep-joshi-pmp-capm-389a8a9', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Chris', lastName='Swadish', industryName='Information Technology & Services', headline='CTO & VP IT Transformation | Cloud | Data Center | SDDC | SaaS | ITSM | ITSOM | ITIL | Cyber Security', address='Greater Los Angeles Area', educations='[{"schoolName":"Mt Sierra College"},{"schoolName":"Mt Sierra College"},{"schoolName":"Caltech"}]', experiences='[{"locationName":"El Segundo, CA","companyName":"PC Mall Services","description":"Executive Leadership for PC Mall Subsidiary responsible for centralizing engineering, consulting, services and support for six (6) PC Mall companies and subsidiaries\n\n• Executive leadership, consulting, service delivery and support for six PC Mall companies\n• Led Global high performance team of 1200 personnel \n• IT strategy, policies and procedures, inclusive of data management, analytics, reporting, information systems, business continuity, infosec, and continuous improvement\n• Developed 3rd party service delivery network to broaden footprint of service delivery model \n• P&L, inclusive of project budgets, program budgets, multi-year plans\n• Executive alliances, business relationship management and vendor engagement\n• Developed organizational strategies and approaches for M&A activates\n• HR and staff leadership responsibilities; maintain appropriate staffing levels and functions; training, career planning, compensation plans, staff performance appraisals and succession planning ","title":"President","rangeDate":"2009-11至2010-12"},{"companyName":"SARCOM, INC","description":"Global functional leadership and general management of SARCOM's Solution Architecture and Services business","title":"Vice President","rangeDate":"2005-1至2013-1"},{"locationName":"El Segundo","companyName":"PCM","organizations":["urn:li:fs_organization:(ACoAAABvuIgB2WHZCK3iKvxzkCwDiORbFXu0roM,2120081472)","urn:li:fs_organization:(ACoAAABvuIgB2WHZCK3iKvxzkCwDiORbFXu0roM,2120283515)","urn:li:fs_organization:(ACoAAABvuIgB2WHZCK3iKvxzkCwDiORbFXu0roM,2120325197)"],"description":"Driving innovation, simplification and strategic alignment of Solutions and Services business across all PCM companies and customer market segments, with a focus of integrating solution development efforts with Professional & Managed Services\n\n• Integrated solution development efforts with professional, managed and life cycle services\n• Led cross functional teams to drive strategy, portfolio, revenue and business alignment\n• Double-digit expansion into vertical markets (healthcare, gov, retail, banking, cloud, security mobility)\n• Served as contracted/outsourced CIO/CTO in customer organizations\n• Driving success and improvements by leveraging ITSM, ITSOM, ITIL, Agile, & best practices\n• Leadership and management for hundreds of internal and customer owned enterprise projects ranging from $200k to $35M\n• Led technical teams operating in mission-critical IT environments\n• Leveraged Enterprise Architecture, ITSOM, ITIL and best practices to drive improvements\n• Orchestrating mergers, acquisitions, and enterprise integration\n• Managed cross functional teams of Engineering, Services, Product Management, Marketing, & Business Development professionals\n• Maintain appropriate staffing levels and functions; training, career planning, comp plans, performance appraisals, & succession planning \n• Active in industry councils, leveraging relations to drive creation of innovative solutions and services, decreasing speed to market\n• Industry executive speaking engagements on technology, vision, strategy and operations\n• Extensive budget and P&L management","title":"CTO & Vice President, IT Solutions & Services","rangeDate":"2010-12至2016-6"},{"companyName":"Softchoice","title":"Data Center Business Leader","rangeDate":"2016-7"},{"companyName":"PC Mall","description":"Global functional leadership and general management of PC Mall's Solution Architecture and Service business: six direct reports and 240 employees across USA, Canada and Philippines\n\n• Developed strategic technology practices and portfolio: cloud, virtualization, collaboration, security, mobility, networking and application development, averaged $650M annual sales revenue\n• Key role in enterprise alliances and affiliations with major industry players (Cisco, Amazon, Microsoft, VMware, and HP)\n• Launched healthcare division created to provide IT design, implementation, and change management services to healthcare markets\n• Vendor technology selection & engagement strategies, service contracts, authorizations, and program management (Including: Cisco Gold, HP Elite, Microsoft LAR, Symantec Platinum, VMware Platinum)\n• Built Project Management Office (PMO) ensuring accurate and profitable project delivery and maintaining >98% customer satisfaction through adherence to PMBOK and PMI practices\n• Provided proactive management of SLAs, commitments and customer expectations throughout project lifecycle\n• Created consulting team to foster management skills, best practices, ITIL standards, compliance and governance, including information security risk management: NIST, ISO 27001/27002, SSAE-16, HIPAA, HITECH, FERPA, GLB, PCI and SOX\n\n","title":"Vice President Solutions & Services","rangeDate":"2005-11至2009-11"}]', skills='["Virtualization","Cloud Computing","Storage","Data Center","Go-to-market Strategy","HP","Cloud Computing","Solution Architecture","Professional Services","Servers","Solution Selling","IT Strategy","Enterprise Software","Data Center","VMware","Security","Partner Management","Virtualization","Storage","Disaster Recovery","Storage Area Networks","IT Service Management","Networking","Pre-sales","Channel Partners","SAN","Managed Services","Storage Virtualization","SaaS"]', uniqueUrl='christopherswadish', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='May', lastName='Zhang', industryName='Luxury Goods & Jewelry', headline='FP&A Manager', address='China', educations='[{"schoolName":"上海对外经贸大学"},{"schoolName":"Shanghai University of International Business and Economics"}]', experiences='[{"companyName":"Pandora","title":"FP&A Mamager","rangeDate":"2015-9"},{"locationName":"中国 上海市区","companyName":"Trussardi Asia Pacific","title":"Financial Controller","rangeDate":"2012-9至2015-9"},{"companyName":"Christian Dior Commercial (Shanghai) Co., Ltd","title":"Senior Finance Analyst (Assistant Manager)","rangeDate":"2008至2011-2"},{"companyName":"Eaton (China) Investment Co., Ltd","title":"Accounting Supervisor & Asia Pacific Finance Analyst","rangeDate":"2004至2008"},{"companyName":"Richemont","title":"FP&A Manager","rangeDate":"2011-2至2012-8"}]', skills='["Accounting","Financial Analysis","Financial Reporting","Forecasting","Accounting","Financial Analysis","Financial Reporting","Sarbanes-Oxley Act","SAP","Forecasting","Business Planning"]', uniqueUrl='may-zhang-74248220', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Jennifer', lastName='Ji', industryName='Machinery', headline='CPA, CMA, CIA, CISA', address='Toronto, Canada Area', educations='[{"schoolName":"上海财经大学"},{"schoolName":"Shandong Economic University"},{"schoolName":"Shanghai University of Finance and Economics"}]', experiences='[{"companyName":"Diageo","description":"Worked as a strategic business partner to the business operation in terms of Risks and Controls.\nWork scope: Risk based Audit, Compliance review, system implementation review, Fraud investigation","title":"Global Audit & Risk Manager","rangeDate":"2008-6至2010-10"},{"companyName":"Eaton Corporation","description":"Led internal audit projects to make sure robust internal controls in place supporting the business growth.\nWork scope: Risk based Audit, SOX validation, Fraud investigation","title":"Lead Internal Auditor","rangeDate":"2005-6至2008-5"},{"companyName":"KPMG Audit","description":"Led audit team to carry out local statutory reporting audit and group reporting package review based on US GAAP or IFRS.\nMajor Audit clients:\tSiemens, Continental, GE, Fairchild, Total, Merck, Swatch, PICC","title":"Assistant Manager","rangeDate":"2001-8至2005-2"},{"companyName":"Caterpillar","description":"Provided financial leadership to the major investment projects and supported critical decision making. \nMajor responsibilities: Cash flow analysis for investment proposal; Budget development and monitoring; Variance analysis; Forecasting; Project post implementation review.\nSupported two major projects for their successful implementation; provided recommendations on the implementation plans for a new investment intensive project as a trusted advisor.","title":"FP&A - Decision Support","rangeDate":"2011-1"}]', skills='["Audit","Internal Audit","SOX","Internal Controls","Audit","Forecasting","Corporate Fraud Investigations","Auditing","Cross Cultural Management","Financial Reporting","External Audit","Sarbanes-Oxley Act","Analysis","Financial Audits","SOX 404","Accounting","Business Process","Cash Flow","Cost Accounting","Managerial Finance","Compliance","Financial Accounting","Finance","Process Improvement","US GAAP","Risk Management","Budgets","IFRS","Tax","Financial Analysis","Internal Audit","SOX","Internal Controls"]', uniqueUrl='jennifer-ji-3501aa7', insertTime='null'}’数据
抓取用户‘LinkedInModel{id=0, firstName='Yalu', lastName='Xu', industryName='Writing & Editing', headline='LinkedIn Columnist', address='Shanghai City, China', educations='[{"schoolName":"University of International Business and Economics"}]', experiences='[{"locationName":"Joinville, Brazil","companyName":"Whirlpool","title":"Global Business Analyst","rangeDate":"2011-9至2012-8"},{"locationName":"Beijing City, China","companyName":"AIESEC","title":"VP Exchange Delivery, China","region":"urn:li:fs_region:(cn,8911)","rangeDate":"2008-3至2011-6"},{"courses":["urn:li:fs_course:(ACoAAAVXFcAB2mEHAcjaq6i1566uAcoE4qH-US4,1)","urn:li:fs_course:(ACoAAAVXFcAB2mEHAcjaq6i1566uAcoE4qH-US4,2)","urn:li:fs_course:(ACoAAAVXFcAB2mEHAcjaq6i1566uAcoE4qH-US4,3)"],"locationName":"Shanghai City, China","companyName":"EF Corporate Solutions","title":"Project Manager","region":"urn:li:fs_region:(cn,8909)","rangeDate":"2015-6至2016-11"},{"locationName":"Shanghai City, China","companyName":"Michael Page","title":"Consultant","region":"urn:li:fs_region:(cn,8909)","honors":["urn:li:fs_honor:(ACoAAAVXFcAB2mEHAcjaq6i1566uAcoE4qH-US4,357826655)","urn:li:fs_honor:(ACoAAAVXFcAB2mEHAcjaq6i1566uAcoE4qH-US4,357848271)"],"rangeDate":"2012-10至2015-5"},{"locationName":"Shanghai City, China","companyName":"EF Corporate Solutions","title":"Business Development Manager","region":"urn:li:fs_region:(cn,8909)","rangeDate":"2016-11至2017-3"}]', skills='["Sales Management","Business Development","Recruiting","Sales","分析","Event Management","语言","Languages","Interviewing","跨文化沟通","Management","销售管理","业务开发","Analysis","领导力","销售","推销","Business Analysis","Sales Management","Interviews","Human Resources","Leadership","Business Development","Communication","Recruiting","Process Improvement","Sales","Negotiation","Team Leadership","Strategy","Talent Management","面试","招聘","项目管理","Project Management"]', uniqueUrl='yaluxu', insertTime='null'}’数据

`

后记

采集慢的原因,一个是服务器在国外,还有一个是做了些页面破解的处理,最后一个就是我采用的是单线程。。。

程序放在了github上
查看

-------------本文结束感谢您的阅读-------------