SlackClient.java

  1. package no.nav.data.team.integration.slack;

  2. import com.github.benmanes.caffeine.cache.Cache;
  3. import com.github.benmanes.caffeine.cache.Caffeine;
  4. import com.github.benmanes.caffeine.cache.LoadingCache;
  5. import lombok.extern.slf4j.Slf4j;
  6. import no.nav.data.common.exceptions.NotFoundException;
  7. import no.nav.data.common.exceptions.TechnicalException;
  8. import no.nav.data.common.security.SecurityProperties;
  9. import no.nav.data.common.security.azure.support.MailLog;
  10. import no.nav.data.common.storage.StorageService;
  11. import no.nav.data.common.utils.JsonUtils;
  12. import no.nav.data.common.utils.MetricUtils;
  13. import no.nav.data.common.web.TraceHeaderRequestInterceptor;
  14. import no.nav.data.team.contact.domain.SlackChannel;
  15. import no.nav.data.team.contact.domain.SlackUser;
  16. import no.nav.data.team.integration.slack.dto.SlackDtos.Channel;
  17. import no.nav.data.team.integration.slack.dto.SlackDtos.CreateConversationRequest;
  18. import no.nav.data.team.integration.slack.dto.SlackDtos.CreateConversationResponse;
  19. import no.nav.data.team.integration.slack.dto.SlackDtos.ListChannelResponse;
  20. import no.nav.data.team.integration.slack.dto.SlackDtos.PostMessageRequest;
  21. import no.nav.data.team.integration.slack.dto.SlackDtos.PostMessageRequest.Block;
  22. import no.nav.data.team.integration.slack.dto.SlackDtos.PostMessageResponse;
  23. import no.nav.data.team.integration.slack.dto.SlackDtos.Response;
  24. import no.nav.data.team.integration.slack.dto.SlackDtos.UserResponse;
  25. import no.nav.data.team.integration.slack.dto.SlackDtos.UserResponse.User;
  26. import no.nav.data.team.resource.NomClient;
  27. import org.apache.commons.collections4.ListUtils;
  28. import org.apache.commons.lang3.StringUtils;
  29. import org.springframework.boot.web.client.RestTemplateBuilder;
  30. import org.springframework.http.HttpEntity;
  31. import org.springframework.http.HttpHeaders;
  32. import org.springframework.http.MediaType;
  33. import org.springframework.http.ResponseEntity;
  34. import org.springframework.stereotype.Service;
  35. import org.springframework.util.Assert;
  36. import org.springframework.util.LinkedMultiValueMap;
  37. import org.springframework.util.MultiValueMap;
  38. import org.springframework.web.client.RestTemplate;

  39. import java.time.Duration;
  40. import java.util.ArrayList;
  41. import java.util.List;
  42. import java.util.Map;
  43. import java.util.stream.Collectors;

  44. import static java.util.Comparator.comparing;
  45. import static java.util.Objects.requireNonNull;
  46. import static no.nav.data.common.utils.StartsWithComparator.startsWith;
  47. import static no.nav.data.common.utils.StreamUtils.toMap;

  48. @Slf4j
  49. @Service
  50. public class SlackClient {

  51.     private static final String LOOKUP_BY_EMAIL = "/users.lookupByEmail?email={email}";
  52.     private static final String LOOKUP_BY_ID = "/users.info?user={userId}";
  53.     private static final String OPEN_CONVERSATION = "/conversations.open";
  54.     private static final String POST_MESSAGE = "/chat.postMessage";
  55.     private static final String LIST_CONVERSATIONS = "/conversations.list";

  56.     private static final int MAX_BLOCKS_PER_MESSAGE = 50;
  57.     private static final int MAX_CHARS_PER_BLOCK = 3000;
  58.     private static final String SINGLETON = "SINGLETON";

  59.     private final NomClient nomClient;
  60.     private final RestTemplate restTemplate;
  61.     private final SecurityProperties securityProperties;
  62.     private final StorageService storage;

  63.     private final Cache<String, User> userCache;
  64.     private final LoadingCache<String, String> conversationCache;
  65.     private final LoadingCache<String, Map<String, Channel>> channelCache;

  66.     public SlackClient(NomClient nomClient, RestTemplateBuilder restTemplateBuilder, SlackProperties properties, SecurityProperties securityProperties,
  67.             StorageService storage) {
  68.         this.nomClient = nomClient;
  69.         this.securityProperties = securityProperties;
  70.         this.storage = storage;
  71.         restTemplate = restTemplateBuilder
  72.                 .additionalInterceptors(TraceHeaderRequestInterceptor.correlationInterceptor())
  73.                 .rootUri(properties.getBaseUrl())
  74.                 .defaultHeader(HttpHeaders.AUTHORIZATION, "Bearer " + properties.getToken())
  75.                 .build();

  76.         this.userCache = MetricUtils.register("slackUserCache",
  77.                 Caffeine.newBuilder().recordStats()
  78.                         .expireAfterWrite(Duration.ofMinutes(60))
  79.                         .maximumSize(1000).build());
  80.         this.conversationCache = MetricUtils.register("slackConversationCache",
  81.                 Caffeine.newBuilder().recordStats()
  82.                         .expireAfterWrite(Duration.ofMinutes(60))
  83.                         .maximumSize(1000).build(this::doOpenConversation));
  84.         this.channelCache = MetricUtils.register("slackChannelCache",
  85.                 Caffeine.newBuilder().recordStats()
  86.                         .expireAfterWrite(Duration.ofMinutes(30))
  87.                         .maximumSize(1).build(k -> toMap(getChannels(), Channel::getId)));
  88.     }

  89.     public List<SlackChannel> searchChannel(String name) {
  90.         return getChannelCached().values().stream()
  91.                 .filter(channel -> StringUtils.containsIgnoreCase(channel.getName(), name))
  92.                 .sorted(comparing(Channel::getName, startsWith(name)))
  93.                 .map(Channel::toDomain)
  94.                 .collect(Collectors.toList());
  95.     }

  96.     public SlackChannel getChannel(String channelId) {
  97.         var channel = getChannelCached().get(channelId);
  98.         return channel != null ? channel.toDomain() : null;
  99.     }

  100.     public SlackUser getUserByIdent(String ident) {
  101.         var email = nomClient.getByNavIdent(ident).orElseThrow().getEmail();
  102.         return getUserByEmail(email);
  103.     }

  104.     public SlackUser getUserByEmail(String email) {
  105.         var user = userCache.get("EMAIL." + email, k -> doGetUserByEmail(email));
  106.         return user != null ? user.toDomain() : null;
  107.     }

  108.     public SlackUser getUserBySlackId(String userId) {
  109.         var user = userCache.get("ID." + userId, k -> doGetUserById(userId));
  110.         return user != null ? user.toDomain() : null;
  111.     }

  112.     public String openConversation(String channelId) {
  113.         return conversationCache.get(channelId);
  114.     }

  115.     private Map<String, Channel> getChannelCached() {
  116.         return requireNonNull(channelCache.get(SINGLETON));
  117.     }

  118.     private List<Channel> getChannels() {
  119.         var headers = new HttpHeaders();
  120.         headers.setContentType(MediaType.MULTIPART_FORM_DATA);

  121.         var all = new ArrayList<Channel>();
  122.         ListChannelResponse list;
  123.         String cursor = null;
  124.         do {
  125.             // Operation does not support json requests
  126.             MultiValueMap<String, String> reqForm = new LinkedMultiValueMap<>();
  127.             if (cursor != null) {
  128.                 reqForm.add("cursor", cursor);
  129.             }
  130.             reqForm.add("limit", "1000");
  131.             reqForm.add("exclude_archived", "true");

  132.             var response = restTemplate.postForEntity(LIST_CONVERSATIONS, new HttpEntity<>(reqForm, headers), ListChannelResponse.class);
  133.             list = checkResponse(response);
  134.             cursor = list.getResponseMetadata().getNextCursor();
  135.             all.addAll(list.getChannels());
  136.         } while (!StringUtils.isBlank(cursor));
  137.         return all;
  138.     }

  139.     private User doGetUserByEmail(String email) {
  140.         try {
  141.             var response = restTemplate.getForEntity(LOOKUP_BY_EMAIL, UserResponse.class, email);
  142.             UserResponse user = checkResponse(response);
  143.             return user.getUser();
  144.         } catch (Exception e) {
  145.             if (e.getMessage().contains("users_not_found")) {
  146.                 log.debug("Couldn't find user for email {}", email);
  147.                 return null;
  148.             }
  149.             throw new TechnicalException("Failed to get userId for " + email, e);
  150.         }
  151.     }

  152.     private User doGetUserById(String id) {
  153.         try {
  154.             var response = restTemplate.getForEntity(LOOKUP_BY_ID, UserResponse.class, id);
  155.             UserResponse user = checkResponse(response);
  156.             return user.getUser();
  157.         } catch (Exception e) {
  158.             if (e.getMessage().contains("users_not_found")) {
  159.                 log.debug("Couldn't find user for id {}", id);
  160.                 return null;
  161.             }
  162.             throw new TechnicalException("Failed to get user for id " + id, e);
  163.         }
  164.     }

  165.     public void sendMessageToUser(String email, String subject, List<Block> blocks) {
  166.         try {
  167.             if (getUserByEmail(email) == null) {
  168.                 log.warn("Notification for email {} with subject {} could not be sent. Slack user does not exist. Message will not be sent", email, subject);
  169.             } else {
  170.                 var userId = getUserByEmail(email).getId();
  171.                 if (userId == null) {
  172.                     throw new NotFoundException("Couldn't find slack user for email" + email);
  173.                 }
  174.                 sendMessageToUserId(userId, subject, blocks);
  175.             }
  176.         } catch (Exception e) {
  177.             throw new TechnicalException("Failed to send message to " + email + " " + JsonUtils.toJson(blocks), e);
  178.         }
  179.     }

  180.     public void sendMessageToUserId(String userId, String subject, List<Block> blocks) {
  181.         try {
  182.             var channel = openConversation(userId);
  183.             if (getUserBySlackId(userId) == null) {
  184.                 log.warn("Notification for user id {} with subject {} could not be sent. Slack user does not exist. Message will not be sent", userId, subject);
  185.             } else {
  186.                 var userName = getUserBySlackId(userId).getName();
  187.                 List<List<Block>> partitions = ListUtils.partition(splitLongBlocks(blocks), MAX_BLOCKS_PER_MESSAGE);
  188.                 partitions.forEach(partition -> doSendMessageToChannel(channel, subject, partition, no.nav.data.team.contact.domain.Channel.SLACK_USER, userName));
  189.             }
  190.         } catch (Exception e) {
  191.             throw new TechnicalException("Failed to send message to " + userId + " " + JsonUtils.toJson(blocks), e);
  192.         }
  193.     }

  194.     public void sendMessageToChannel(String channel, String subject, List<Block> blocks) {
  195.         try {
  196.             if (getChannel(channel) == null) {
  197.                 log.warn("Notification for channel id {} with subject {} could not be sent. Channel does not exist or might be archived. Message will not be sent", channel, subject);
  198.             } else {
  199.                 var channelName = getChannel(channel).getName();
  200.                 List<List<Block>> partitions = ListUtils.partition(splitLongBlocks(blocks), MAX_BLOCKS_PER_MESSAGE);
  201.                 partitions.forEach(partition -> doSendMessageToChannel(channel, subject, partition, no.nav.data.team.contact.domain.Channel.SLACK, channelName));
  202.             }
  203.         } catch (Exception e) {
  204.             throw new TechnicalException("Failed to send message to " + channel + " " + JsonUtils.toJson(blocks), e);
  205.         }
  206.     }

  207.     private void doSendMessageToChannel(String channel, String subject, List<Block> blockKit, no.nav.data.team.contact.domain.Channel channelType, String channelName) {
  208.         try {
  209.             log.info("Sending slack message to {}", channel);
  210.             if (securityProperties.isDev()) {
  211.                 blockKit.add(0, Block.header("[DEV]"));
  212.             }
  213.             var request = new PostMessageRequest(channel, blockKit);
  214.             var response = restTemplate.postForEntity(POST_MESSAGE, request, PostMessageResponse.class);
  215.             checkResponse(response);
  216.             storage.save(MailLog.builder().to(channel + " - " + channelName).subject(subject).body(JsonUtils.toJson(blockKit)).channel(channelType).build());
  217.         } catch (Exception e) {
  218.             throw new TechnicalException("Failed to send message to channel " + channel, e);
  219.         }
  220.     }

  221.     private String doOpenConversation(String userId) {
  222.         try {
  223.             var response = restTemplate.postForEntity(OPEN_CONVERSATION, new CreateConversationRequest(userId), CreateConversationResponse.class);
  224.             CreateConversationResponse create = checkResponse(response);
  225.             return create.getChannel().getId();
  226.         } catch (Exception e) {
  227.             throw new TechnicalException("Failed to get channel for " + userId, e);
  228.         }
  229.     }

  230.     private <T extends Response> T checkResponse(ResponseEntity<T> response) {
  231.         Assert.notNull(response.getBody(), "empty body");
  232.         Assert.isTrue(response.getBody().isOk(), "Not ok error: " + response.getBody().getError());
  233.         return (T) response.getBody();
  234.     }

  235.     private List<Block> splitLongBlocks(List<Block> blocks) {
  236.         var newBlocks = new ArrayList<Block>();
  237.         for (Block block : blocks) {
  238.             if (block.getText() == null || block.getText().getText().length() <= MAX_CHARS_PER_BLOCK) {
  239.                 newBlocks.add(block);
  240.             } else {
  241.                 var text = block.getText().getText();
  242.                 var lines = StringUtils.splitPreserveAllTokens(text, StringUtils.LF);
  243.                 var sb = new StringBuilder(StringUtils.LF);
  244.                 for (String line : lines) {
  245.                     if (sb.length() + line.length() >= MAX_CHARS_PER_BLOCK) {
  246.                         newBlocks.add(block.withText(sb.toString()));
  247.                         sb = new StringBuilder(StringUtils.LF);
  248.                     }
  249.                     sb.append(line).append(StringUtils.LF);
  250.                 }
  251.                 newBlocks.add(block.withText(sb.toString()));
  252.             }
  253.         }
  254.         return newBlocks;
  255.     }
  256. }