网络编程 -- RPC实现原理 -- 目录

  啦啦啦

V3——RPC -- 远程方法调用 及 null的传输 + Spring

  服务提供商:

    1. 配置 rpc03_server.xml 注入 服务提供商 rpcServiceProvider并指定初始化方法 及 服务实例 IUserService

    2. 读取 服务消费者 请求的 MethodStaics ,通过反射获取服务端实例方法的返回值。返回值为null值,则映射为NullWritable实例返回。不为null,则不加以约束。

  服务代理商:

    1. 配置 rpc03_client.xml 注入 服务代理商 RPCObjectProxy并指定 目标对象 RPCClient 及 代理的接口 lime.pri.limeNio.netty.rpc03.service.IUserService

    2. List<User> users = userService.queryAll(10, 4); : 调用 目标对象的  Object invokeMethod(MethodStaics methodStaics);  方法,通过TCP/IP将MethodStaics实例发送至服务提供商。

    3. 读取 服务提供商返回值。返回值为NullWritable实例,则映射为null值。其他实例,则不加以约束。

服务提供商:

  XML : rpc03_server.xml

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xmlns:context="http://www.springframework.org/schema/context" xmlns:aop="http://www.springframework.org/schema/aop"xmlns:p="http://www.springframework.org/schema/p"xsi:schemaLocation="   http://www.springframework.org/schema/beans classpath:/org/springframework/beans/factory/xml/spring-beans-4.1.xsd http://www.springframework.org/schema/context classpath:/org/springframework/context/config/spring-context-4.1.xsd http://mybatis.org/schema/mybatis-spring http://mybatis.org/schema/mybatis-spring.xsd http://www.springframework.org/schema/aop classpath:org/springframework/aop/config/spring-aop-4.1.xsd"
    default-lazy-init="false"><bean id="rpcServiceProvider" class="lime.pri.limeNio.netty.rpc03.core.server.RPCServiceProvider"init-method="start" destroy-method="close"><constructor-arg index="0" value="9999" /></bean><bean id="IUserService" class="lime.pri.limeNio.netty.rpc03.service.impl.UserService" /></beans>

  Class : RPCServiceProvider 实现ApplicationContextAware 获取通过容器的getBean()方法获取 服务实例

package lime.pri.limeNio.netty.rpc03.core.server;import java.lang.reflect.Method;
import java.util.List;import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.serializer.SerializerFeature;import io.netty.bootstrap.ServerBootstrap;
import io.netty.buffer.ByteBuf;
import io.netty.buffer.Unpooled;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelFutureListener;
import io.netty.channel.ChannelHandlerAdapter;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioServerSocketChannel;
import io.netty.handler.codec.LengthFieldBasedFrameDecoder;
import io.netty.handler.codec.LengthFieldPrepender;
import io.netty.handler.codec.MessageToMessageCodec;
import io.netty.util.CharsetUtil;
import lime.pri.limeNio.netty.rpc03.core.assist.MethodStaics;
import lime.pri.limeNio.netty.rpc03.core.assist.NullWritable;public class RPCServiceProvider implements ApplicationContextAware {private ServerBootstrap serverBootstrap;private EventLoopGroup boss;private EventLoopGroup worker;private int port;private ApplicationContext act;public RPCServiceProvider() {super();}public RPCServiceProvider(int port) {this.serverBootstrap = new ServerBootstrap();this.boss = new NioEventLoopGroup();this.worker = new NioEventLoopGroup();this.serverBootstrap.group(boss, worker);this.serverBootstrap.channel(NioServerSocketChannel.class);this.port = port;}public void start() {serverBootstrap.childHandler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel ch) throws Exception {ChannelPipeline pipeline = ch.pipeline();pipeline.addLast(new LengthFieldPrepender(2)).addLast(new LengthFieldBasedFrameDecoder(65535, 0, 2, 0, 2)).addLast(new MessageToMessageCodec<ByteBuf, Object>() {@Overrideprotected void encode(ChannelHandlerContext ctx, Object msg, List<Object> out)throws Exception {out.add(Unpooled.buffer().writeBytes(JSON.toJSONString(msg, SerializerFeature.WriteClassName).getBytes(CharsetUtil.UTF_8)));}@Overrideprotected void decode(ChannelHandlerContext ctx, ByteBuf msg, List<Object> out)throws Exception {out.add(JSON.parse(msg.toString(CharsetUtil.UTF_8)));}}).addLast(new ChannelHandlerAdapter() {@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {MethodStaics methodStaics = (MethodStaics) msg;Object bean = act.getBean(methodStaics.getTargetInterface().getSimpleName());Method method = bean.getClass().getDeclaredMethod(methodStaics.getMethod(),methodStaics.getParameterTypes());Object invoke = method.invoke(bean, methodStaics.getArgs());// 如果返回值为空,则返回NullWritable实例代替传输invoke = null == invoke ? new NullWritable() : invoke;ChannelFuture channelFuture = ctx.writeAndFlush(invoke);channelFuture.addListener(ChannelFutureListener.FIRE_EXCEPTION_ON_FAILURE);channelFuture.addListener(ChannelFutureListener.CLOSE_ON_FAILURE);channelFuture.addListener(ChannelFutureListener.CLOSE);}@Overridepublic void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {System.err.println(cause);}});}});/*** 绑定监听端口并启动服务 注意 : 启动的服务是阻塞的,防止阻塞Spring工厂需要采用异步启动*/new Thread() {public void run() {try {System.out.println("服务启动@" + port + " ...");ChannelFuture channelFuture = serverBootstrap.bind(port).sync();channelFuture.channel().closeFuture().sync();} catch (InterruptedException e) {System.out.println(e);} finally {}};}.start();}public void close() {boss.shutdownGracefully();worker.shutdownGracefully();}public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {this.act = applicationContext;}
}

  Class : IUserService

package lime.pri.limeNio.netty.rpc03.service;import java.util.List;import lime.pri.limeNio.netty.rpc03.entity.User;public interface IUserService {User queryById(Integer id);List<User> queryByName(String name);List<User> queryAll(Integer pageSize, Integer pageNum);
}

  Class : UserService

package lime.pri.limeNio.netty.rpc03.service.impl;import java.util.ArrayList;
import java.util.Date;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;import lime.pri.limeNio.netty.rpc03.entity.User;
import lime.pri.limeNio.netty.rpc03.service.IUserService;public class UserService implements IUserService {private static Map<Integer, User> userMap = new ConcurrentHashMap<Integer, User>();static {for (int i = 1; i <= 100; i++) {userMap.put(i, new User(i, "lime_" + i, new Date()));}}public User queryById(Integer id) {return userMap.get(id);}public List<User> queryAll(Integer pageSize, Integer pageNum) {int stNum = (pageNum - 1) * pageSize + 1;int enNum = pageNum * pageSize;List<User> result = new ArrayList<User>();for (int i = stNum; i <= enNum; i++) {result.add(userMap.get(i));}return result;}public List<User> queryByName(String name) {List<User> result = null;Iterator<User> iterator = userMap.values().iterator();while (iterator.hasNext()) {User user = iterator.next();if (user.getName().equals(name)) {if (null == result)result = new ArrayList<User>();result.add(user);}}return result;}}

服务代理商:

  Class :

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xmlns:context="http://www.springframework.org/schema/context" xmlns:aop="http://www.springframework.org/schema/aop"xmlns:p="http://www.springframework.org/schema/p"xsi:schemaLocation="   http://www.springframework.org/schema/beans classpath:/org/springframework/beans/factory/xml/spring-beans-4.1.xsd http://www.springframework.org/schema/context classpath:/org/springframework/context/config/spring-context-4.1.xsd http://mybatis.org/schema/mybatis-spring http://mybatis.org/schema/mybatis-spring.xsd http://www.springframework.org/schema/aop classpath:org/springframework/aop/config/spring-aop-4.1.xsd"
    default-lazy-init="false"><bean id="userService" class="lime.pri.limeNio.netty.rpc03.core.client.proxy.RPCObjectProxy"><constructor-arg index="0" ref="rpcClient" /><constructor-arg index="1" value="lime.pri.limeNio.netty.rpc03.service.IUserService" /></bean><bean id="rpcClient" class="lime.pri.limeNio.netty.rpc03.core.client.impl.RemoteRPCClient"destroy-method="close"><constructor-arg index="0" ref="hostAndPort" /></bean><bean id="hostAndPort" class="lime.pri.limeNio.netty.rpc03.core.client.assist.HostAndPort"><constructor-arg index="0" value="127.0.0.1" /><constructor-arg index="1" value="9999" /></bean></beans>

  Class : RPCObjectProxy

package lime.pri.limeNio.netty.rpc03.core.client.proxy;import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
import java.lang.reflect.Proxy;import org.springframework.beans.factory.FactoryBean;import lime.pri.limeNio.netty.rpc03.core.assist.MethodStaics;
import lime.pri.limeNio.netty.rpc03.core.client.rpcClient.RPCClient;/*** 通过接口动态创建代理对象* * @author lime* @param <T>**            实现FactoryBean接口,与Spring整合* */
public class RPCObjectProxy implements InvocationHandler, FactoryBean<Object> {private RPCClient rpcClient;private Class<?> targetInterface;public RPCObjectProxy() {super();}public RPCObjectProxy(RPCClient rpcClient, Class<?> targetInterface) {super();this.rpcClient = rpcClient;this.targetInterface = targetInterface;}public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {return rpcClient.invokeMethod(new MethodStaics(targetInterface, method.getName(), args, method.getParameterTypes()));}// 产生代理对象public Object getObject() throws Exception {return Proxy.newProxyInstance(RPCObjectProxy.class.getClassLoader(), new Class[] { targetInterface }, this);}public Class<?> getObjectType() {return targetInterface;}public boolean isSingleton() {return true;}
}

  Class : RPCClient

package lime.pri.limeNio.netty.rpc03.core.client.rpcClient;import lime.pri.limeNio.netty.rpc03.core.assist.MethodStaics;/*** 通过RPCClient实现对远程方法的调用* * @author lime**/
public interface RPCClient {Object invokeMethod(MethodStaics methodStaics);void close();
}

  Class : RemoteRPCClient

package lime.pri.limeNio.netty.rpc03.core.client.rpcClient.impl;import java.net.InetSocketAddress;
import java.util.List;import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.serializer.SerializerFeature;import io.netty.bootstrap.Bootstrap;
import io.netty.buffer.ByteBuf;
import io.netty.buffer.Unpooled;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelFutureListener;
import io.netty.channel.ChannelHandlerAdapter;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioSocketChannel;
import io.netty.handler.codec.LengthFieldBasedFrameDecoder;
import io.netty.handler.codec.LengthFieldPrepender;
import io.netty.handler.codec.MessageToMessageCodec;
import io.netty.util.CharsetUtil;
import lime.pri.limeNio.netty.rpc03.core.assist.MethodStaics;
import lime.pri.limeNio.netty.rpc03.core.assist.NullWritable;
import lime.pri.limeNio.netty.rpc03.core.client.assist.HostAndPort;
import lime.pri.limeNio.netty.rpc03.core.client.rpcClient.RPCClient;/*** 通过TCP/IP协议实现远程方法调用* * @author lime**/
public class RemoteRPCClient implements RPCClient {private Bootstrap bootstrap;private EventLoopGroup worker;private HostAndPort hostAndPort;public RemoteRPCClient() {super();}public RemoteRPCClient(HostAndPort hostAndPost) {this.hostAndPort = hostAndPost;// 初始化数据this.bootstrap = new Bootstrap();this.worker = new NioEventLoopGroup();this.bootstrap.group(this.worker);this.bootstrap.channel(NioSocketChannel.class);}public Object invokeMethod(final MethodStaics methodStaics) {bootstrap.handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel ch) throws Exception {ChannelPipeline pipeline = ch.pipeline();pipeline.addLast(new LengthFieldBasedFrameDecoder(65535, 0, 2, 0, 2)).addLast(new LengthFieldPrepender(2)).addLast(new MessageToMessageCodec<ByteBuf, Object>() {@Overrideprotected void encode(ChannelHandlerContext ctx, Object msg, List<Object> out)throws Exception {out.add(Unpooled.buffer().writeBytes(JSON.toJSONString(msg, SerializerFeature.WriteClassName).getBytes(CharsetUtil.UTF_8)));}@Overrideprotected void decode(ChannelHandlerContext ctx, ByteBuf msg, List<Object> out)throws Exception {out.add(JSON.parse(msg.toString(CharsetUtil.UTF_8)));}}).addLast(new ChannelHandlerAdapter() {@Overridepublic void channelActive(ChannelHandlerContext ctx) throws Exception {ChannelFuture channelFuture = ctx.writeAndFlush(methodStaics);channelFuture.addListener(ChannelFutureListener.FIRE_EXCEPTION_ON_FAILURE);channelFuture.addListener(ChannelFutureListener.CLOSE_ON_FAILURE);}@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {methodStaics.setResult(msg);}@Overridepublic void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {System.err.println(cause);}});}});ChannelFuture channelFuture;try {channelFuture = bootstrap.connect(new InetSocketAddress(hostAndPort.getHost(), hostAndPort.getPort())).sync();channelFuture.channel().closeFuture().sync();} catch (InterruptedException e) {// TODO Auto-generated catch block
            e.printStackTrace();}// 服务端返回值为null,处理方式return methodStaics.getResult() instanceof NullWritable ? null : methodStaics.getResult();}public void close() {worker.shutdownGracefully();}}

  Class : HostAndPort

package lime.pri.limeNio.netty.rpc03.core.client.assist;import java.io.Serializable;public class HostAndPort implements Serializable{/*** */private static final long serialVersionUID = 1L;private String host;private int port;public HostAndPort() {super();// TODO Auto-generated constructor stub
    }public HostAndPort(String host, int port) {super();this.host = host;this.port = port;}public String getHost() {return host;}public void setHost(String host) {this.host = host;}public int getPort() {return port;}public void setPort(int port) {this.port = port;}@Overridepublic String toString() {return "HostAndPort [host=" + host + ", port=" + port + "]";}}

辅助类:

  Class : MethodStaics

package lime.pri.limeNio.netty.rpc03.core.assist;import java.io.Serializable;
import java.util.Arrays;/*** @author lime**/
public class MethodStaics implements Serializable{/*** */private static final long serialVersionUID = 1L;private Class<?> targetInterface;private String method;private Object[] args;private Class[] parameterTypes;private Object result;public MethodStaics() {super();// TODO Auto-generated constructor stub
    }public MethodStaics(Class<?> targetInterface, String method, Object[] args, Class[] parameterTypes) {super();this.targetInterface = targetInterface;this.method = method;this.args = args;this.parameterTypes = parameterTypes;}@Overridepublic String toString() {return "MethodStaics [targetInterface=" + targetInterface + ", method=" + method + ", args="+ Arrays.toString(args) + ", parameterTypes=" + Arrays.toString(parameterTypes) + "]";}public Class<?> getTargetInterface() {return targetInterface;}public void setTargetInterface(Class<?> targetInterface) {this.targetInterface = targetInterface;}public String getMethod() {return method;}public void setMethod(String method) {this.method = method;}public Object[] getArgs() {return args;}public void setArgs(Object[] args) {this.args = args;}public Class[] getParameterTypes() {return parameterTypes;}public void setParameterTypes(Class[] parameterTypes) {this.parameterTypes = parameterTypes;}public Object getResult() {return result;}public void setResult(Object result) {this.result = result;}}

  Class : NullWritable

package lime.pri.limeNio.netty.rpc03.core.assist;import java.io.Serializable;public class NullWritable implements Serializable{/*** */private static final long serialVersionUID = 1L;}

  Class : User

package lime.pri.limeNio.netty.rpc03.entity;import java.io.Serializable;
import java.util.Date;public class User implements Serializable {/*** */private static final long serialVersionUID = 1L;private int id;private String name;private Date birth;public User() {super();// TODO Auto-generated constructor stub
    }public User(int id, String name, Date birth) {super();this.id = id;this.name = name;this.birth = birth;}@Overridepublic String toString() {return "User [id=" + id + ", name=" + name + ", birth=" + birth + "]";}public int getId() {return id;}public void setId(int id) {this.id = id;}public String getName() {return name;}public void setName(String name) {this.name = name;}public Date getBirth() {return birth;}public void setBirth(Date birth) {this.birth = birth;}}

测试类:

  Class : TtServer

package lime.pri.limeNio.netty.rpc03.tT;import org.springframework.context.support.ClassPathXmlApplicationContext;public class TtServer {public static void main(String[] args) throws Exception {new ClassPathXmlApplicationContext("classpath:spring/rpc03_server.xml");}
}

  Class : TtClient

package lime.pri.limeNio.netty.rpc03.tT;import java.util.List;import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;import lime.pri.limeNio.netty.rpc03.entity.User;
import lime.pri.limeNio.netty.rpc03.service.IUserService;public class TtClient {public static void main(String[] args) throws Exception {ApplicationContext ctx = new ClassPathXmlApplicationContext("classpath:spring/rpc03_client.xml");IUserService userService = (IUserService) ctx.getBean("userService");System.out.println("queryByName");List<User> usersWithName = userService.queryByName("lime");System.out.println(usersWithName);System.out.println("queryAll");List<User> users = userService.queryAll(10, 3);for (User user : users) {System.out.println(user);}System.out.println("queryById");User user = userService.queryById(23);System.out.println(user);}
}

  Console : Server

六月 25, 2017 2:08:04 下午 org.springframework.context.support.ClassPathXmlApplicationContext prepareRefresh
信息: Refreshing org.springframework.context.support.ClassPathXmlApplicationContext@17f052a3: startup date [Sun Jun 25 14:08:04 CST 2017]; root of context hierarchy
六月 25, 2017 2:08:04 下午 org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
信息: Loading XML bean definitions from class path resource [spring/rpc03_server.xml]
服务启动@9999 ...

  Console : Client

六月 25, 2017 2:08:18 下午 org.springframework.context.support.ClassPathXmlApplicationContext prepareRefresh
信息: Refreshing org.springframework.context.support.ClassPathXmlApplicationContext@17f052a3: startup date [Sun Jun 25 14:08:18 CST 2017]; root of context hierarchy
六月 25, 2017 2:08:18 下午 org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
信息: Loading XML bean definitions from class path resource [spring/rpc03_client.xml]
queryByName
null
queryAll
User [id=21, name=lime_21, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=22, name=lime_22, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=23, name=lime_23, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=24, name=lime_24, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=25, name=lime_25, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=26, name=lime_26, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=27, name=lime_27, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=28, name=lime_28, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=29, name=lime_29, birth=Sun Jun 25 14:08:04 CST 2017]
User [id=30, name=lime_30, birth=Sun Jun 25 14:08:04 CST 2017]
queryById
User [id=23, name=lime_23, birth=Sun Jun 25 14:08:04 CST 2017]

啦啦啦

网络编程 -- RPC实现原理 -- RPC -- 迭代版本V3 -- 远程方法调用 整合 Spring相关推荐

  1. 网络编程 -- RPC实现原理 -- RPC -- 迭代版本V4 -- 远程方法调用 整合 Spring 自动注册...

    网络编程 -- RPC实现原理 -- 目录 啦啦啦 V4--RPC -- 远程方法调用 + Spring 自动注册 服务提供商: 1. 配置 rpc04_server.xml 注入 服务提供商 rpc ...

  2. 【Java 网络编程】网络通信原理、TCP、UDP 回显服务

    一.网络发展历史 互联网从何而来? 这要追溯到上个世纪 50 - 60 年代,当时正逢美苏争霸冷战,核武器给战争双方提供了足够的威慑力,想要保全自己,就要保证自己的反制手段是有效的. 如何保证能够反击 ...

  3. java网络编程的通信原理_11 - 网络编程之设备间通信原理

    一.网络编程 1表现形式:一台机子上的应用程序和另外一个设备的程序之间能够互相交换数据. 2 7层网络结构 硬件层:解决硬件连接问题 数据链路层:解决硬件之间能够向指定设备传输数据 IP:为设备提供一 ...

  4. aio 系统原理 Java_Java新一代网络编程模型AIO原理及Linux系统AIO介绍

    从JDK 7版本开始,Java新加入的文件和网络io特性称为nio2(new io 2, 因为jdk1.4中已经有过一个nio了),包含了众多性能和功能上的改进,其中最重要的部分,就是对异步io的支持 ...

  5. linux线程同步 epoll,Linux网络编程--epoll 模型原理详解以及实例

    1.简介 Linux I/O多路复用技术在比较多的TCP网络服务器中有使用,即比较多的用到select函数.Linux 2.6内核中有提高网络I/O性能的新方法,即epoll . epoll是什么?按 ...

  6. Netty框架架构解析+API+运行流程+网络编程文章集锦

    新手入门:目前为止最透彻的的Netty高性能原理和框架架构解析 <!-- 作者区域 --><div class="author"><a class=& ...

  7. 18.Socket网络编程

    JavaSE高级 网络编程 第一章 网络编程入门 1.1软件结构 C/S结构 :全称为Client/Server结构,是指客户端和服务器结构.常见程序有QQ.迅雷等软件. B/S结构 :全称为Brow ...

  8. JavaSE高级 网络编程

    JavaSE高级 网络编程 教学目标 能够辨别UDP和TCP协议特点 UDP 无连接,基于数据包,发出去就不管了,性能好,可能丢失数据. TCP有连接,基于通信管道,可靠传输. 能够说出TCP协议下两 ...

  9. Beej网络编程指南《三》

    9手册 在Unix世界里,有很多手册.它们有小部分描述了你可以使用的单个函数. 当然,手动的东西太难打了.我的意思是,在Unix世界里,没有人,包括我自己,喜欢打那么多.事实上,我可以长篇大论地说我有 ...

最新文章

  1. python读取多个文件夹图片_python或C++读取指定文件夹下的所有图片
  2. [爬虫-python]爬取京东100页的图书(机器学习)的信息(价格,打折后价格,书名,作者,好评数,差评数,总评数)
  3. 英特尔显示器音频_骁龙865、全球最快32寸显示器、高达联名路由……这场发布会为电竞玩家带来多少高科技?...
  4. 前端酷炫效果参考_2020年大前端发展趋势
  5. python中remove用法_python中remove的一些坑
  6. 最大规模传统零售升级揭晓 100家大润发线上线下同步加入天猫618
  7. Entity Framework 4 数据事务操作
  8. jQuery.each方法
  9. 计算学生成绩 c语言,c语言项目实战2学生成绩的输入与计算.ppt
  10. c语言自学的视频,最适合自学的C语言自学视频
  11. Lora服务器:Chirpstack连接Lora网关实战
  12. 内网穿透之HTTP穿透
  13. python is not defined
  14. php 专业英语,给大家推荐几个专业英语翻译功能强大的网站
  15. ubuntu下查看软件安装信息
  16. 医疗行业虚拟化终端管理平台解决方案
  17. 创业公司怎样才能有效的进行员工股权激励
  18. 思必驰完成5亿元融资,国家禁毒大数据在昆明投入使用
  19. 什么是抽象类?(简述)
  20. 棋牌游戏服务器开发心得

热门文章

  1. Servlet,过滤器,监听器,拦截器的区别
  2. hadoop HDFS常用文件操作命令
  3. gdb图形化调试工具总结
  4. Android大图裁剪解决办法
  5. 两次关于软考网络工程师的经历
  6. 思科PIX防火墙的实际应用配置
  7. django模板的导入
  8. WWDC2018总结
  9. MQTT 协议 Client ID 长度不能超过23个字符
  10. 软件开发文档模板 (学习)