Я на самом деле только что получил это работает в моем проекте JSP! Хорошо, вот что вам нужно знать. Метод, который вы пытаетесь использовать, называется подходом «на стороне сервера» (также существует подход на стороне клиента, который может совместно использовать один и тот же код. Есть два URL-адреса, которые вы будете использовать (я обернул все это в помощник). Я назвал FacebookConfig, который читает то, что ему нужно, из файла facebook.properties:
import java.io.IOException;
import java.io.InputStream;
import java.util.Properties;
import lombok.Cleanup;
import st.fan.model.users.Listener;
public class FacebookConfig {
public static String auth_uri;
public static String id;
public static String key;
static{
Properties properties = new Properties();
try {
@Cleanup InputStream in = Thread.currentThread().getContextClassLoader().getResourceAsStream("facebook.properties");
properties.load(in);
auth_uri = (String)properties.get("auth_uri");
id = (String)properties.get("id");
key = (String)properties.get("key");
} catch (IOException e) {
e.printStackTrace();
}
}
public static String getOAuthDialogUrl() {
return "https://www.facebook.com/dialog/oauth?client_id="+id+"&redirect_uri="+auth_uri+"&scope=email";
}
public static String getOAuthUrl(String code) {
return "https://graph.facebook.com/oauth/access_token?client_id="+id+"&redirect_uri="+auth_uri+"&client_secret="+key+"&code="+code;
}
public static String getGraphUrl(String token) {
return "https://graph.facebook.com/me?access_token="+token;
}
public static String getProfilePictureUrl(Listener profile) {
return "https://graph.facebook.com/"+profile.getFacebookId()+"/picture";
}
public static String getProfilePictureUrl(Listener profile, String size) {
return "https://graph.facebook.com/"+profile.getFacebookId()+"/picture?type="+size;
}
}
Теперь пользователь перенаправлен на getOAuthDialogUrl (), который включает URL-адрес сервлета с именем http://example.com/auth/facebook/Auth, который имеет этот метод doGet ()
public void doGet(HttpServletRequest request, HttpServletResponse response) throws IOException, ServletException {
Transaction tx = null;
Session dao = SessionFactoryUtil.getInstance().getCurrentSession();
String redirect = "/auth/facebook/sorry";
try {
String code = request.getParameter("code");
if(code != null) {
String[] pairs = NetUtils.fetch(new URL(FacebookConfig.getOAuthUrl(code))).toString().split("&");
String accessToken = null;
Integer expires = null;
for (String pair : pairs) {
String[] kv = pair.split("=");
if (kv.length == 2) {
if (kv[0].equals("access_token")) {
accessToken = kv[1];
}
if (kv[0].equals("expires")) {
expires = Integer.valueOf(kv[1]);
}
}
}
if(accessToken != null && expires != null) {
try {
JSONObject fb_profile = new JSONObject(NetUtils.fetch(new URL(FacebookConfig.getGraphUrl(accessToken))));
tx = dao.beginTransaction();
ListenerSession session = authenticate(request, dao);
if(session == null) {
session = createSession(response, dao);
}
String facebookid = fb_profile.getString("id");
String name = fb_profile.getString("name");
String email = fb_profile.getString("email");
String username = facebookid;
if(fb_profile.has("username")) {
username = fb_profile.getString("username");
}
Listener user = ListenerDAO.findByFacebookId(facebookid, dao);
if(user != null) {
user.setDisplayName(name);
user.setEmail(email);
dao.save(user);
} else {
user = new Listener();
user.setUsername(username);
user.setDisplayName(name);
user.setEmail(email);
user.setDateCreated(new DateTime());
user.setFacebookId(facebookid);
user.setStatus(ListenerStatus.ACTIVE);
dao.save(user);
}
ListenerSessionDAO.link(session, user, dao);
redirect = "/";
tx.commit();
} catch (JSONException e) {
log.error("Parsing Facebook Graph Response", e);
}
} else {
log.error("Expected values not found!");
log.error("accessToken="+accessToken);
log.error("expires="+expires);
}
} else {
log.error("Missing 'code' param!");
}
} catch(Exception e) {
e.printStackTrace(System.out);
} finally {
if(dao.isOpen()) {
dao.close();
}
}
response.sendRedirect(redirect);
}
И (в дополнение к использованию Hibernate, Project Lombok и простой библиотеки JSON с именем org.json) я использую простую вспомогательную функцию fetch (), которая принимает URL-адрес и возвращает содержимое в виде строки с таким кодом:
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.net.URL;
import java.net.URLConnection;
public class NetUtils {
public static String fetch(URL url) throws IOException {
URLConnection connection = url.openConnection();
String line;
StringBuilder builder = new StringBuilder();
BufferedReader reader = new BufferedReader(new InputStreamReader(connection.getInputStream()));
while((line = reader.readLine()) != null) {
builder.append(line);
}
return builder.toString();
}
}
Это должно оторвать вас от земли:)