• 【Java Web】开发关注、取关功能


    • 需求
      • 开发关注、取消关注功能;
      • 统计用户的关注数、粉丝数;
    • 关键
      • 若A关注了B,则A是B的粉丝follower,B是A的关注目标followee ;
      • 关注的目标可以是用户、帖子、题目等,在实现时这些目标抽象为实体。

    1. RedisKeyUtil

    用于生成相关的key

    package com.nowcoder.community.util;
    
    public class RedisKeyUtil {
        private static final String SPLIT = ":";
        private static final String PREFIX_ENTITY_LIKE = "like:entity";
        private static final String PREFIX_USER_LIKE = "like:user";
        private static final String PREFIX_FOLLOWER = "follower";
        private static final String PREFIX_FOLLOWEE = "followee";
    
        // 某个实体的赞对应的key
        // like:entity:entityType:entityId -> set(userId)
        public static String getEntityLikeKey(int entityType, int entityId){
            return PREFIX_ENTITY_LIKE + SPLIT + entityType + SPLIT + entityId;
        }
    
        /*
        某个用户的赞
        like:user:userId -> int
         */
        public static String getUserLikeKey(int userId){
            return PREFIX_USER_LIKE + SPLIT + userId;
        }
    
        // 某个用户关注的实体
        //followee:userId:entityType -> zset(entityId,now)
        public static String getFolloweeKey(int userId, int entityType){
            return PREFIX_FOLLOWEE + SPLIT + userId + SPLIT + entityType;
        }
    
        // 某个实体拥有的粉丝
        // follower:entityType:entityId -> zset(userId,now)
        public static String getFollowerKey(int entityType, int entityId){
            return PREFIX_FOLLOWER + SPLIT + entityType + SPLIT + entityId;
        }
    
    }
    
    
    • 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

    2. FollowService

    package com.nowcoder.community.service;
    
    import com.nowcoder.community.entity.User;
    import com.nowcoder.community.util.CommunityUtil;
    import com.nowcoder.community.util.HostHolder;
    import com.nowcoder.community.util.RedisKeyUtil;
    import org.apache.coyote.http2.HpackDecoder;
    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.dao.DataAccessException;
    import org.springframework.data.redis.core.RedisOperations;
    import org.springframework.data.redis.core.RedisTemplate;
    import org.springframework.data.redis.core.SessionCallback;
    import org.springframework.stereotype.Service;
    import org.springframework.web.bind.annotation.RequestMapping;
    import org.springframework.web.bind.annotation.RequestMethod;
    import org.springframework.web.bind.annotation.ResponseBody;
    
    import java.util.Date;
    
    @Service
    public class FollowService {
        @Autowired
        private RedisTemplate redisTemplate;
    
        public void follow(int userId, int entityType, int entityId){
            redisTemplate.execute(new SessionCallback() {
                @Override
                public Object execute(RedisOperations operations) throws DataAccessException {
                    String followeeKey = RedisKeyUtil.getFolloweeKey(userId,entityType);
                    String followerKey = RedisKeyUtil.getFollowerKey(entityType,entityId);
    
                    operations.multi();
                    redisTemplate.opsForZSet().add(followeeKey,entityId,System.currentTimeMillis());
                    redisTemplate.opsForZSet().add(followerKey,userId,System.currentTimeMillis());
                    return operations.exec();
                }
            });
        }
    
        public void unfollow(int userId, int entityType, int entityId){
            redisTemplate.execute(new SessionCallback() {
                @Override
                public Object execute(RedisOperations operations) throws DataAccessException {
                    String followeeKey = RedisKeyUtil.getFolloweeKey(userId,entityType);
                    String followerKey = RedisKeyUtil.getFollowerKey(entityType,entityId);
    
                    operations.multi();
                    redisTemplate.opsForZSet().remove(followeeKey,entityId);
                    redisTemplate.opsForZSet().remove(followerKey,userId);
                    return operations.exec();
                }
            });
        }
    
        // 查询关注的实体的数量
        public long findFolloweeCount(int userId, int entityType){
            String followeeKey = RedisKeyUtil.getFolloweeKey(userId,entityType);
            return redisTemplate.opsForZSet().zCard(followeeKey);
        }
    
        // 统计某一实体的粉丝数量
        public long findFollowerCount(int entityType, int entityId){
            String followerKey = RedisKeyUtil.getFollowerKey(entityType,entityId);
            return redisTemplate.opsForZSet().zCard(followerKey);
        }
    
        // 查询当前用户是否已关注该实体
        public boolean hasFollowed(int userId, int entityType, int entityId){
            String followedKey = RedisKeyUtil.getFolloweeKey(userId, entityType);
            return redisTemplate.opsForZSet().score(followedKey,entityId) != null;
        }
    }
    
    
    • 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

    3. FollowController

    package com.nowcoder.community.controller;
    
    import com.nowcoder.community.entity.User;
    import com.nowcoder.community.service.FollowService;
    import com.nowcoder.community.util.CommunityUtil;
    import com.nowcoder.community.util.HostHolder;
    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.stereotype.Controller;
    import org.springframework.web.bind.annotation.RequestMapping;
    import org.springframework.web.bind.annotation.RequestMethod;
    import org.springframework.web.bind.annotation.ResponseBody;
    
    @Controller
    public class FollowController {
    
        @Autowired
        private HostHolder hostHolder;
    
        @Autowired
        private FollowService followService;
    
        @RequestMapping(path = "/follow", method = RequestMethod.POST)
        @ResponseBody
        public String follow(int entityType, int entityId){
            User user = hostHolder.getUser();
            followService.follow(user.getId(), entityType, entityId);
    
            return CommunityUtil.getJSONString(0,"已关注!");
        }
    
        @RequestMapping(path = "/unfollow",method = RequestMethod.POST)
        @ResponseBody
        public String unfollow(int entityType, int entityId){
            User user = hostHolder.getUser();
            followService.unfollow(user.getId(), entityType, entityId);
    
            return CommunityUtil.getJSONString(0,"已取关!");
        }
    }
    
    
    • 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

    4. UserController 新增 getProfilePage方法

    package com.nowcoder.community.controller;
    
    import com.nowcoder.community.annotation.LoginRequired;
    import com.nowcoder.community.dao.UserMapper;
    import com.nowcoder.community.entity.User;
    import com.nowcoder.community.service.FollowService;
    import com.nowcoder.community.service.LikeService;
    import com.nowcoder.community.service.UserService;
    import com.nowcoder.community.util.CommunityConstant;
    import com.nowcoder.community.util.CommunityUtil;
    import com.nowcoder.community.util.HostHolder;
    import org.apache.commons.lang3.StringUtils;
    import org.slf4j.Logger;
    import org.slf4j.LoggerFactory;
    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.beans.factory.annotation.Value;
    import org.springframework.stereotype.Controller;
    import org.springframework.ui.Model;
    import org.springframework.web.bind.annotation.PathVariable;
    import org.springframework.web.bind.annotation.RequestMapping;
    import org.springframework.web.bind.annotation.RequestMethod;
    import org.springframework.web.multipart.MultipartFile;
    
    import javax.servlet.http.HttpServletResponse;
    import java.io.File;
    import java.io.FileInputStream;
    import java.io.IOException;
    import java.io.OutputStream;
    import java.util.Map;
    
    @Controller
    @RequestMapping(path = "/user")
    public class UserController implements CommunityConstant {
    
        private static final Logger logger = LoggerFactory.getLogger(UserController.class);
    
        @Value("${community.path.upload}")
        private String uploadPath;
    
        @Value("${community.path.domain}")
        private String domain;
    
        @Value("${server.servlet.context-path}")
        private String contextPath;
    
        @Autowired
        private UserService userService;
    
        @Autowired
        private HostHolder hostHolder;
    
        @Autowired
        private UserMapper userMapper;
    
        @Autowired
        private LikeService likeService;
    
        @Autowired
        private FollowService followService;
    
        @LoginRequired
        @RequestMapping(path = "/setting",method = RequestMethod.GET)
        public String getSettingPage(){
            return "/site/setting";
        }
    
        @LoginRequired
        @RequestMapping(path="/upload", method = RequestMethod.POST)
        public String uploadHeader(MultipartFile headerImage, Model model){
            if(headerImage == null){
                model.addAttribute("headerMsg","您还没有选择图片!");
            }
            // 获取原始文件名及其后缀
            String fileName = headerImage.getOriginalFilename();  // 原始文件名
            String suffix = fileName.substring(fileName.lastIndexOf(".")); //从最后一个点往后截取
            if(StringUtils.isBlank(suffix)){
                model.addAttribute("headerMsg","文件格式不正确");
            }
            // 为了避免同名覆盖,需要给每个头像生成不同的名字
            fileName = CommunityUtil.generateUUID() + suffix;
            // 确定文件存放路径
            File dest = new File(uploadPath + "/" + fileName);
            try {
                // 存储文件
                headerImage.transferTo(dest); // 将当前文件内容写进目标文件
            } catch (IOException e) {
                logger.error("上传文件失败"+e.getMessage());
                throw new RuntimeException("上传文件失败,服务器发生异常!", e);
            }
            // 更新当前用户头像路径(web访问路径)
            // http://localhost:8080/communtiy/user/header/xxx.png
            User user = hostHolder.getUser();
            String headerUrl = domain + contextPath + "/user/header/" + fileName;
            userService.updateHeader(user.getId(), headerUrl);
    
            // 头像更新成功,返回首页
            return "redirect:/index";
        }
    
        @RequestMapping(path = "/header/{filename}", method = RequestMethod.GET)
        public void getHeader(@PathVariable("filename") String fileName, HttpServletResponse response){
            // 服务器存放路径
            fileName = uploadPath + "/" + fileName;
            // 文件后缀
            String suffix = fileName.substring(fileName.lastIndexOf(".")+1);
            // 响应图片
            response.setContentType("image/"+suffix);
            try (
                    OutputStream os = response.getOutputStream();  // 输出流
                    FileInputStream fis = new FileInputStream(fileName);  // 输入流,读图片后才能输出
            ){
                byte[] buffer = new byte[1024];
                int b = 0;
                while((b = fis.read(buffer)) != -1){
                    os.write(buffer,0, b);
                }
            } catch (IOException e) {
                logger.error("读取头像失败:"+e.getMessage());
                throw new RuntimeException(e);
            }
        }
    
        @LoginRequired
        @RequestMapping(path = "/modifyPassword", method = RequestMethod.POST)
        public String modifyPassword(String originalPassword, String newPassword1, String newPassword2, Model model){
            if(StringUtils.isBlank(originalPassword)){
                model.addAttribute("originPasswordMsg","密码不能为空!");
                System.out.println("密码不能为空!");
                return "/site/setting";
            }
            if(StringUtils.isBlank(newPassword1)){
                model.addAttribute("newPasswordMsg1","密码不能为空!");
                return "/site/setting";
            }
            if(StringUtils.isBlank(newPassword2)){
                model.addAttribute("newPasswordMsg2","密码不能为空!");
                return "/site/setting";
            }
    
            User user = hostHolder.getUser();
            if(!user.getPassword().equals(CommunityUtil.md5(originalPassword+user.getSalt()))){  // 原密码不正确
                model.addAttribute("originPasswordMsg","密码不正确!");
                System.out.println("密码不正确!");
                return "/site/setting";
            }
            if(!newPassword1.equals(newPassword2)){  // 新密码两次输入不一致
                model.addAttribute("newPasswordMsg2","两次密码不一致!");
                return "/site/setting";
            }
            try {  // 修改数据库中密码
                userMapper.updatePassword(user.getId(), CommunityUtil.md5(newPassword1+user.getSalt()));
                return "redirect:/index";
            } catch (Exception e) {
                logger.error("修改密码失败:"+e.getMessage());
                throw new RuntimeException(e);
            }
        }
    
        @RequestMapping(path = "/profile/{userId}", method = RequestMethod.GET)
        public String getProfilePage(@PathVariable("userId") int userId, Model model){
            User user = userService.findUserById(userId);
            if(user == null){  // 防止恶意攻击
                throw new RuntimeException("该用户不存在");
            }
            // 查询的目标用户
            model.addAttribute("user",user);
    
            // 查询收到点赞数量
            int likeCount = likeService.findUserLikeCount(user.getId());
            model.addAttribute("likeCount",likeCount);
    
            // 查询用户关注了多少用户
            long followeeCount = followService.findFolloweeCount(userId, ENTITY_TYPE_USER);
            model.addAttribute("followeeCount",followeeCount);
    
            // 查询粉丝数量
            long followerCount = followService.findFollowerCount(ENTITY_TYPE_USER, userId);
            model.addAttribute("followerCount",followerCount);
    
            // 是否已关注
            boolean hasFollowed = false;
            if(hostHolder.getUser() != null)
                hasFollowed = followService.hasFollowed(hostHolder.getUser().getId(), ENTITY_TYPE_USER, userId);
            model.addAttribute("hasFollowed",hasFollowed);
    
            return "/site/profile";
        }
    }
    
    
    • 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

    5. profile.html

    <!doctype html>
    <html lang="en" xmlns:th="http://www.thymeleaf.org">
    <head>
    	<meta charset="utf-8">
    	<meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no">
    	<link rel="icon" th:href="@{/img/ucas.png}"/>
    	<link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/css/bootstrap.min.css" crossorigin="anonymous">
    	<link rel="stylesheet" th:href="@{/css/global.css}" />
    	<title>果壳网-个人主页</title>
    </head>
    <body>
    	<div class="nk-container">
    		<!-- 头部 -->
    		<header class="bg-dark sticky-top" th:replace="index::header">
    			<div class="container">
    				<!-- 导航 -->
    				<nav class="navbar navbar-expand-lg navbar-dark">
    					<!-- logo -->
    					<a class="navbar-brand" href="#"></a>
    					<button class="navbar-toggler" type="button" data-toggle="collapse" data-target="#navbarSupportedContent" aria-controls="navbarSupportedContent" aria-expanded="false" aria-label="Toggle navigation">
    						<span class="navbar-toggler-icon"></span>
    					</button>
    					<!-- 功能 -->
    					<div class="collapse navbar-collapse" id="navbarSupportedContent">
    						<ul class="navbar-nav mr-auto">
    							<li class="nav-item ml-3 btn-group-vertical">
    								<a class="nav-link" href="../index.html">首页</a>
    							</li>
    							<li class="nav-item ml-3 btn-group-vertical">
    								<a class="nav-link position-relative" href="letter.html">消息<span class="badge badge-danger">12</span></a>
    							</li>
    							<li class="nav-item ml-3 btn-group-vertical">
    								<a class="nav-link" href="register.html">注册</a>
    							</li>
    							<li class="nav-item ml-3 btn-group-vertical">
    								<a class="nav-link" href="login.html">登录</a>
    							</li>
    							<li class="nav-item ml-3 btn-group-vertical dropdown">
    								<a class="nav-link dropdown-toggle" href="#" id="navbarDropdown" role="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">
    									<img src="http://images.nowcoder.com/head/1t.png" class="rounded-circle" style="width:30px;"/>
    								</a>
    								<div class="dropdown-menu" aria-labelledby="navbarDropdown">
    									<a class="dropdown-item text-center" href="profile.html">个人主页</a>
    									<a class="dropdown-item text-center" href="setting.html">账号设置</a>
    									<a class="dropdown-item text-center" href="login.html">退出登录</a>
    									<div class="dropdown-divider"></div>
    									<span class="dropdown-item text-center text-secondary">nowcoder</span>
    								</div>
    							</li>
    						</ul>
    						<!-- 搜索 -->
    						<form class="form-inline my-2 my-lg-0" action="search.html">
    							<input class="form-control mr-sm-2" type="search" aria-label="Search" />
    							<button class="btn btn-outline-light my-2 my-sm-0" type="submit">搜索</button>
    						</form>
    					</div>
    				</nav>
    			</div>
    		</header>
    
    		<!-- 内容 -->
    		<div class="main">
    			<div class="container">
    				<!-- 选项 -->
    				<div class="position-relative">
    					<ul class="nav nav-tabs">
    						<li class="nav-item">
    							<a class="nav-link active" href="profile.html">个人信息</a>
    						</li>
    						<li class="nav-item">
    							<a class="nav-link" href="my-post.html">我的帖子</a>
    						</li>
    						<li class="nav-item">
    							<a class="nav-link" href="my-reply.html">我的回复</a>
    						</li>
    					</ul>
    				</div>
    				<!-- 个人信息 -->
    				<div class="media mt-5">
    					<img th:src="${user.headerUrl}" class="align-self-start mr-4 rounded-circle" alt="用户头像" style="width:50px;">
    					<div class="media-body">
    						<h5 class="mt-0 text-warning">
    							<span th:utext="${user.username}">nowcoder</span>
    							<input type="hidden" id="entityId" th:value="${user.id}">
    							<button type="button" th:class="|btn ${hasFollowed ? 'btn-secondary':'btn-info'} btn-sm float-right mr-5 follow-btn|"
    									th:if="${loginUser !=null && loginUser.id != user.id}"
    									th:text="${hasFollowed?'已关注':'关注TA'}">关注TA
    							</button>
    						</h5>
    						<div class="text-muted mt-3">
    							<span >注册于 <i class="text-muted" th:text="${#dates.format(user.createTime,'yyyy-MM-dd HH:mm:ss')}">2015-06-12 15:20:12</i></span>
    						</div>
    						<div class="text-muted mt-3 mb-5">
    							<span>关注了 <a class="text-primary" href="followee.html" th:text="${followeeCount}">5</a></span>
    							<span class="ml-4">关注者 <a class="text-primary" href="follower.html" th:text="${followerCount}">123</a></span>
    							<span class="ml-4">获得了 <i class="text-danger" th:text="${likeCount}">87</i> 个赞</span>
    						</div>
    					</div>
    				</div>
    			</div>
    		</div>
    
    		<!-- 尾部 -->
    		<footer class="bg-dark" th:replace="index::foot">
    			<div class="container">
    				<div class="row">
    					<!-- 二维码 -->
    					<div class="col-4 qrcode">
    						<img src="https://uploadfiles.nowcoder.com/app/app_download.png" class="img-thumbnail" style="width:136px;" />
    					</div>
    					<!-- 公司信息 -->
    					<div class="col-8 detail-info">
    						<div class="row">
    							<div class="col">
    								<ul class="nav">
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">关于我们</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">加入我们</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">意见反馈</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">企业服务</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">联系我们</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">免责声明</a>
    									</li>
    									<li class="nav-item">
    										<a class="nav-link text-light" href="#">友情链接</a>
    									</li>
    								</ul>
    							</div>
    						</div>
    						<div class="row">
    							<div class="col">
    								<ul class="nav btn-group-vertical company-info">
    									<li class="nav-item text-white-50">
    										公司地址:北京市朝阳区大屯路东金泉时代3-2708北京牛客科技有限公司
    									</li>
    									<li class="nav-item text-white-50">
    										联系方式:010-60728802(电话)&nbsp;&nbsp;&nbsp;&nbsp;admin@nowcoder.com
    									</li>
    									<li class="nav-item text-white-50">
    										牛客科技©2018 All rights reserved
    									</li>
    									<li class="nav-item text-white-50">ICP14055008-4 &nbsp;&nbsp;&nbsp;&nbsp;
    										<img src="http://static.nowcoder.com/company/images/res/ghs.png" style="width:18px;" />
    										京公网安备 11010502036488</li>
    								</ul>
    							</div>
    						</div>
    					</div>
    				</div>
    			</div>
    		</footer>
    	</div>
    
    	<script src="https://code.jquery.com/jquery-3.3.1.min.js" crossorigin="anonymous"></script>
    	<script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.7/umd/popper.min.js" crossorigin="anonymous"></script>
    	<script src="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/js/bootstrap.min.js" crossorigin="anonymous"></script>
    	<script th:src="@{/js/global.js}"></script>
    	<script th:src="@{/js/profile.js}"></script>
    </body>
    </html>
    
    
    • 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

    6. profile.js

    $(function(){
    	$(".follow-btn").click(follow);
    });
    
    function follow() {
    	var btn = this;
    	if($(btn).hasClass("btn-info")) {
    		// 关注TA
    		$.post(
    			CONTEXT_PATH + "/follow",
    			{"entityType":3, "entityId":$(btn).prev().val()},
    			function (data) {
    				data = $.parseJSON(data);
    				if(data.code == 0){
    					window.location.reload();
    				} else {
    					alert(data.msg);
    				}
    			}
    		);
    		// $(btn).text("已关注").removeClass("btn-info").addClass("btn-secondary");
    	} else {
    		// 取消关注
    		$.post(
    			CONTEXT_PATH + "/unfollow",
    			{"entityType":3, "entityId":$(btn).prev().val()},
    			function (data) {
    				data = $.parseJSON(data);
    				if(data.code == 0){
    					window.location.reload();
    				} else {
    					alert(data.msg);
    				}
    			}
    		);
    		// $(btn).text("关注TA").removeClass("btn-secondary").addClass("btn-info");
    	}
    }
    
    • 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
  • 相关阅读:
    农户建档管理系统的设计与实现-计算机毕业设计源码20835
    linux基础4---内存
    JS进阶-编程思想
    CAD/CAM/CAE SDK 国庆大放送:Eyeshot 2023.X Crack
    SpringMVC的拦截器和JSR303的使用
    【win11】注册表修改fix 右键没有新建
    银行面试加密算法之DES算法
    第k小的数
    奇数数列求和
    智能指针梳理
  • 原文地址:https://blog.csdn.net/qq_42251120/article/details/132741330