用Springboot(java程序)访问Salesforce RestAPI

本文讲一下,如何从0构建一个Springboot的应用程序,并且和Salesforce系统集成,取得Salesforce里面的数据。

一、先在Salesforce上构建一个ConnectApp。

有了这个,SF才允许你和它集成。手顺如下:
在这里插入图片描述
在这里插入图片描述
保存后,会提示你10分钟后才能生效,先不用管它。
在这里插入图片描述

在这里插入图片描述
点击上面的“Manage Consumer Details”按钮,会生成你自己的Consumer Key和Secret,这个拷贝出来,之后Java代码里要用到。
在这里插入图片描述

二、构建Springboot工程

关于Java,Eclipse,Maven等的环境构建,就省略了。
先Download一个Springboot的工程:https://start.spring.io/
注意右边的Dependencies,一定要ADD上Spring Web
在这里插入图片描述
你会得到“Demo.zip”的工程,把它导入到Eclipse里面。

然后根据下面的引导:
https://spring.io/quickstart
确保你的Springboot工程可以正常运行。
在这里插入图片描述
下面直接上代码:
我在com.example.demo目录下,建立了如下的代码文件:
在这里插入图片描述

package com.example.demo;import java.util.HashMap;
import java.util.Map;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;@RestController
public class TestController {@Autowiredprivate AccountService accountService;@GetMapping(value = "/accounts")public Map getAccounts() {try {return accountService.getAccountList();} catch (Exception e) {System.out.println(e.getMessage());}return new HashMap<String, String>();}
}
package com.example.demo;import java.util.Map;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RestController;@RestController
public class AccountService {@Autowiredprivate SalesforceDataService salesforceDataService;public Map getAccountList() {String query = "SELECT Id, Name FROM Account";return salesforceDataService.getSalesforceData(query);}
}

SalesforceDataService这个类你可以理解为Dao,就是去SF里面取数据。
这里面的instanceUrlaccessToken是最下面的类(SalesforceAuthenticator)取得的。
有了这2个,才能去有权访问你的SF系统。
取数据的过程,是利用了SF的标准RESTAPI接口,instanceUrl + "/services/data/v52.0/query/?q=SELECT Id, Name FROM Account"
这里就不详细讲SF的接口内容了。

package com.example.demo;
import java.net.URI;
import java.net.URISyntaxException;
import java.net.URLEncoder;
import java.nio.charset.StandardCharsets;
import java.util.Collections;
import java.util.HashMap;
import java.util.Map;import org.springframework.http.HttpEntity;
import org.springframework.http.HttpHeaders;
import org.springframework.http.HttpMethod;
import org.springframework.http.MediaType;
import org.springframework.http.ResponseEntity;
import org.springframework.stereotype.Service;
import org.springframework.web.client.HttpClientErrorException;
import org.springframework.web.client.RestTemplate;@Service
public class SalesforceDataService {public Map getSalesforceData(String query) {SalesforceAuthenticator salesforceAuthenticator = SalesforceAuthenticator.getSalesforceToken();try {RestTemplate restTemplate = new RestTemplate();String encodedQuery = URLEncoder.encode(query, StandardCharsets.UTF_8.toString());final String baseUrl = salesforceAuthenticator.instanceUrl + "/services/data/v52.0/query/?q="+ encodedQuery;URI uri = new URI(baseUrl);HttpHeaders headers = new HttpHeaders();headers.setContentType(MediaType.APPLICATION_FORM_URLENCODED);headers.add(HttpHeaders.AUTHORIZATION, String.format("Bearer %s", salesforceAuthenticator.accessToken));HttpEntity<?> request = new HttpEntity<Object>(headers);ResponseEntity<Map> response = null;try {response = restTemplate.exchange(uri, HttpMethod.GET, request, Map.class);} catch (HttpClientErrorException e) {System.out.println(e.getMessage());}return response.getBody();} catch (Exception e) {System.out.println(e.getMessage());}return Collections.emptyMap();}
}

SalesforceAuthenticator这个类是为了取得:

  1. accessToken:访问令牌(即认证的通行证)
  2. instanceUrl:你真实的SF系统的URL

上面两个是如何取得的,稍微解释一下:
通过向SF发送HttpRequest(POST),
请求的目标URL为:https://login.salesforce.com/services/oauth2/token
通过用户名密码的方式进行,这里要注意的是Password要加上你的Security Token
client_idclient_secret设定为在SF里面取得的那两个很长的字符串。

package com.example.demo;import java.net.URI;
import java.net.URISyntaxException;
import java.util.Map;import org.springframework.http.HttpEntity;
import org.springframework.http.HttpHeaders;
import org.springframework.http.HttpMethod;
import org.springframework.http.MediaType;
import org.springframework.http.ResponseEntity;
import org.springframework.util.LinkedMultiValueMap;
import org.springframework.util.MultiValueMap;
import org.springframework.web.client.HttpClientErrorException;
import org.springframework.web.client.RestTemplate;public class SalesforceAuthenticator {private static SalesforceAuthenticator salesforceAuthenticator = null; public static String accessToken;public static String instanceUrl;// you can replace "https://login.salesforce.com" with your own URLprivate static final String LOGINURL = "https://login.salesforce.com/services/oauth2/token";// Consumer Keyprivate static final String CLIENTID = "<Your-consumer-id>";// Consumer Secretprivate static final String CLIENTSECRET = "<Your-consumer-secret>";// Salesforce Login Usernameprivate static final String USERNAME = "<Your-username>";// Salesforce Login password+Security Tokenprivate static final String PASSWORD = "<Your-password+Security Token>";private SalesforceAuthenticator() {try {final String baseUrl = LOGINURL;URI uri = new URI(baseUrl);HttpHeaders headers = new HttpHeaders();headers.setContentType(MediaType.APPLICATION_FORM_URLENCODED);MultiValueMap<String, String> params= new LinkedMultiValueMap<String, String>();params.add("username", USERNAME);params.add("password", PASSWORD);params.add("client_secret", CLIENTSECRET);params.add("client_id", CLIENTID);params.add("grant_type","password");HttpEntity<MultiValueMap<String, String>> request = new HttpEntity<MultiValueMap<String, String>>(params, headers);RestTemplate restTemplate = new RestTemplate();ResponseEntity<Map> response = restTemplate.postForEntity(uri, request, Map.class);System.out.println("StatusCode = " + response.getStatusCode()); Map<String, String> responseBody = response.getBody();accessToken = responseBody.get("access_token");instanceUrl = responseBody.get("instance_url");System.out.println("accessToken = " + accessToken); System.out.println("instanceUrl = " + instanceUrl); }catch(Exception e) {System.out.println(e.getMessage()); 		}}public static SalesforceAuthenticator getSalesforceToken() { try {if (salesforceAuthenticator == null) { salesforceAuthenticator = new SalesforceAuthenticator();return salesforceAuthenticator;}else {return salesforceAuthenticator;}}catch(Exception e) {e.printStackTrace();System.out.println(e.getMessage());}return null;}
}

其他的文件都不用改什么。

然后启动,
在这里插入图片描述
然后浏览器输入:http://localhost:8080/accounts,你的SF中Account一览就出来了。
在这里插入图片描述

参考文章:
https://www.coditation.com/blog/salesforce-integration-with-spring-boot-application
https://dzone.com/articles/leveraging-salesforce-without-using-salesforce
Gitlab salesforce-integration-service

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/767558.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

jenkins配置源码管理的git地址时,怎么使用不了 credential凭证信息

前提 Jenkins使用docker部署 问题 &#xff08;在jenlins中设置凭证的方式&#xff09;在Jenkins的任务重配置Git地址&#xff0c;并且设置了git凭证,但是验证不通过&#xff0c;报错; 无法连接仓库&#xff1a;Command "git ls-remote -h -- http://192.1XX.0.98:X02/…

模拟实现字符串库函数(一)

在C语言的标准库中提供了很多针对字符串的库函数&#xff0c;这篇文章我们会学习并模拟实现几个简单的库函数 求字符串长度函数strlen strlen函数我们在之前已经用过很多次了&#xff0c;同时也模拟实现过&#xff0c;但是都不是模仿标准库中的strlen来实现&#xff0c;首先我…

2024-03-24 思考-MBTI-简要记录

摘要: 2024-03-24 思考-MBTI-简要记录 MBTI16型人格: MBTI16型人格在人格研究和评价中得到了广泛的应用。MBTI是一种基于瑞士心理学家荣格在理论基础上发展起来的人格分类工具。为了准确判断个人的心态偏好&#xff0c;将每个人分为16种不同的人格类型。这种分类方法不仅为我们…

Red and Black (DFS BFS)

//新生训练 #include <iostream> #include <algorithm> #include <bits/stdc.h> using namespace std; int a, b, sum; char c[20][20]; void dfs(int x, int y) {c[x][y] #;if (x - 1 > 0 && c[x - 1][y] .){sum;dfs(x - 1, y);}if (x 1 <…

vue2 脚手架

安装 文档&#xff1a;https://cli.vuejs.org/zh/ 第一步&#xff1a;全局安装&#xff08;仅第一次执行&#xff09; npm install -g vue/cli 或 yarn global add vue/cli 备注&#xff1a;如果出现下载缓慢&#xff1a;请配置npm 淘宝镜像&#xff1a; npm config set regis…

使用 STL 容器发生异常的常见原因分析与总结

目录 1、概述 2、使用STL列表中的元素越界 3、遍历STL列表删除元素时对迭代器自加处理有问题引发越界 4、更隐蔽的遍历STL列表删除元素时引发越界的场景 5、多线程同时操作STL列表时没有加锁导致冲突 6、对包含STL列表对象的结构体进行memset操作导致STL列表对象内存出异…

python之(19)CPU性能分析常见工具

Python之(19)CPU性能分析常见工具 Author: Once Day Date: 2024年3月24日 一位热衷于Linux学习和开发的菜鸟&#xff0c;试图谱写一场冒险之旅&#xff0c;也许终点只是一场白日梦… 漫漫长路&#xff0c;有人对你微笑过嘛… 全系列文章可参考专栏:Python开发_Once-Day的博客…

深度学习 tablent表格识别实践记录

下载代码&#xff1a;https://github.com/asagar60/TableNet-pytorch 下载模型&#xff1a;https://drive.usercontent.google.com/download?id13eDDMHbxHaeBbkIsQ7RSgyaf6DSx9io1&exportdownload&confirmt&uuid1bf2e85f-5a4f-4ce8-976c-395d865a3c37 原理&#…

查看文件内容的指令:cat,tac,nl,more,less,head,tail,写入文件:echo

目录 cat 介绍 输入重定向 选项 -b -n -s tac 介绍 输入重定向 nl 介绍 示例 more 介绍 选项 less 介绍 搜索文本 选项 head 介绍 示例 选项 -n tail 介绍 示例 选项 echo 介绍 输出重定向 追加重定向 cat 介绍 将标准输入(键盘输入)的内容打…

pta L1-077 大笨钟的心情

L1-077 大笨钟的心情 分数 15 退出全屏 作者 陈越 单位 浙江大学 有网友问&#xff1a;未来还会有更多大笨钟题吗&#xff1f;笨钟回复说&#xff1a;看心情…… 本题就请你替大笨钟写一个程序&#xff0c;根据心情自动输出回答。 输入格式&#xff1a; 输入在一行中给出…

【ZYNQ】基于ZYNQ 7020的OPENCV源码交叉编译

目录 安装准备 检查编译器 安装OpenCV编译的依赖项 下载OpenCV源码 下载CMake 编译配置 编译器说明 参考链接 安装准备 使用的各个程序的版本内容如下&#xff1a; 类别 软件名称 软件版本 虚拟机 VMware VMware-workstation-full-15.5.0-14665864 操作系统 Ub…

线性表的合并之求解一般集合的并集问题(单链表)

目录 1问题描述&#xff1a; 2问题分析&#xff1a; 3代码如下&#xff1a; 4运行结果&#xff1a; 1问题描述&#xff1a; 已知两个集合A和B&#xff0c;现要求一个新的集合AAuB。例如&#xff0c;设 A&#xff08;7&#xff0c;5&#xff0c;3&#xff0c;11&#xff09;…

基于Matlab的血管图像增强算法,Matlab实现

博主简介&#xff1a; 专注、专一于Matlab图像处理学习、交流&#xff0c;matlab图像代码代做/项目合作可以联系&#xff08;QQ:3249726188&#xff09; 个人主页&#xff1a;Matlab_ImagePro-CSDN博客 原则&#xff1a;代码均由本人编写完成&#xff0c;非中介&#xff0c;提供…

设计数据库之外部模式:数据库的应用

Chapter5&#xff1a;设计数据库之外部模式&#xff1a;数据库的应用 笔记来源&#xff1a;《漫画数据库》—科学出版社 设计数据库的步骤&#xff1a; 概念模式 概念模式(conceptual schema)是指将现实世界模型化的阶段进而&#xff0c;是确定数据库理论结构的阶段。 概念模…

k8s笔记27--快速了解 k8s pod和cgroup的关系

k8s笔记27--快速了解 k8s pod和 cgroup 的关系 介绍pod & cgroup注意事项说明 介绍 随着云计算、云原生技术的成熟和广泛应用&#xff0c;K8S已经成为容器编排的事实标准&#xff0c;学习了解容器、K8S技术对于新时代的IT从业者显得极其重要了。 之前在文章 docker笔记13–…

【Web APIs】事件高级

目录 1.事件对象 1.1获取事件对象 1.2事件对象常用属性 2.事件流 1.1事件流的两个阶段&#xff1a;冒泡和捕获 1.2阻止事件流动 1.3阻止默认行为 1.4两种注册事件的区别 3.事件委托 1.事件对象 1.1获取事件对象 事件对象&#xff1a;也是一个对象&#xff0c;这个对象里…

电子电器架构 —— 诊断数据DTC具体故障篇

电子电器架构 —— 诊断数据DTC起始篇 我是穿拖鞋的汉子,魔都中坚持长期主义的汽车电子工程师 (Wechat:gongkenan2013)。 老规矩,分享一段喜欢的文字,避免自己成为高知识低文化的工程师: 本就是小人物,输了就是输了,不要在意别人怎么看自己。江湖一碗茶,喝完再挣扎…

算法---前缀和练习-2(和为k的子数组)

和为k的子数组 1. 题目解析2. 讲解算法原理3. 编写代码 1. 题目解析 题目地址&#xff1a;点这里 2. 讲解算法原理 创建一个无序映射&#xff08;哈希表&#xff09; hash&#xff0c;用于统计前缀和的出现次数。初始时&#xff0c;将前缀和为 0 的次数设为 1&#xff0c;表示…

牛客题霸-SQL篇(刷题记录二)

本文基于前段时间学习总结的 MySQL 相关的查询语法&#xff0c;在牛客网找了相应的 MySQL 题目进行练习&#xff0c;以便加强对于 MySQL 查询语法的理解和应用。 由于涉及到的数据库表较多&#xff0c;因此本文不再展示&#xff0c;只提供 MySQL 代码与示例输出。 以下内容是…

HarmonyOS应用开发实战 - Api9 拍照、拍视频、选择图片、选择视频、选择文件工具类

鸿蒙开发过程中&#xff0c;经常会进行系统调用&#xff0c;拍照、拍视频、选择图库图片、选择图库视频、选择文件。今天就给大家分享一个工具类。 1.话不多说&#xff0c;先展示样式 2.设计思路 根据官方提供的指南开发工具类&#xff0c;基础的拍照、拍视频、图库选照片、选…