范文健康探索娱乐情感热点
投稿投诉
热点动态
科技财经
情感日志
励志美文
娱乐时尚
游戏搞笑
探索旅游
历史星座
健康养生
美丽育儿
范文作文
教案论文
国学影视

一个注解搞定责任链,学还是不学?

  背景
  在繁琐的业务流程处理中,通常采用面向过程的设计方法将流程拆分成N个步骤,每个步骤执行独立的逻辑。 public void process(params){     doFirst(params);     doSecond(params);     ....     doLast(params); }
  但是这样剥离仍然是不彻底的,修改其中一个步骤仍然可能影响其他步骤(同一个类修改,不符合开闭原则)。在这种场景下,有一种经典的设计模式-责任链模式,可以将这些子步骤封装成独立的handler,然后通过pipeline将其串联起来。
  常见的责任链模式会设计如下:
  总体来看,纯手动编写有以下问题: 正确性:实现复杂度较高,短时间手工编写容易出错 开发效率:涉及多个类的实现,需要花费不少时间进行测试非业务的pipeline流程,ROI不高 复用性:不同业务流程难以复用同一套pipeline的关键代码
  那有没有一套靠谱的框架能够解决上述问题呢?有的,它就是foldright/auto-pipeline,是责任链领域的"lombok"!
  Quirk Start
  下面以读取系统配置为例,读取逻辑如下: 从本地配置文件读取,读取成功则直接返回,否则执行下一步 从系统变量读取,返回对应的值
  为了实现这个需求,读取配置接口定义如下: public interface ConfigSource {     String get(String key); }
  如果使用auto-pipeline,该如何
  以下大部分内容引至auto-pipeline官网: https://github.com/foldright/auto-pipeline
  1.引入Maven依赖      com.foldright.auto-pipeline     auto-pipeline-processor     0.2.0     provided 
  2.在需要生成pipeline的接口上加上@AutoPipeline
  只需为这个接口加上@AutoPipeline @AutoPipeline public interface ConfigSource {     String get(String key);
  3.实现pipeline的handler public class MapConfigSourceHandler implements ConfigSourceHandler {     private final Map map;       public MapConfigSourceHandler(Map map) {         this.map = map;     }       @Override     public String get(String key, ConfigSourceHandlerContext context) {         String value = map.get(key);         if (StringUtils.isNotBlank(value)) {             return value;         }         return context.get(key);     } }   public class SystemConfigSourceHandler implements ConfigSourceHandler {     public static final SystemConfigSourceHandler INSTANCE = new SystemConfigSourceHandler();       @Override     public String get(String key, ConfigSourceHandlerContext context) {         String value = System.getProperty(key);         if (StringUtils.isNotBlank(value)) {             return value;         }         return context.get(key);     } }
  4.使用pipeline Map mapConfig = new HashMap(); mapConfig.put("hello", "world"); ConfigSourceHandler mapConfigSourceHandler = new MapConfigSourceHandler(mapConfig);   ConfigSource pipeline = new ConfigSourcePipeline()         .addLast(mapConfigSourceHandler)         .addLast(SystemConfigSourceHandler.INSTANCE);   pipeline.get("hello"); // get value "world" // from mapConfig / mapConfigSourceHandler   pipeline.get("java.specification.version") // get value "1.8" // from system properties / SystemConfigSourceHandler
  实现原理
  业务接口通过生成的Pipeline构造实现,Pipeline负责责任链的组装及调用链表的首个节点(head)。首个节点如果处理完成有返回值,则直接返回;否则传递给下一个节点。如果处理到最后一个节点(tail)返回仍然为空,则直接返回空。
  以获取配置为例:
  用户实现: ConfigSource 用户自定义的 获取配置的接口 Handler实现: MapConfigSourceHandler 、SystemConfigSourceHandler AutoPipeline生成 ConfigSourcePipeline 含义:责任链管道 核心作用:将ConfigSourceHandler 串联成链表 ConfigSourceHandlerContext 含义:Handler的上下文,相比传统责任链,新增了获取全局Pipeline的能力 AbstractConfigSourceHandlerContext 含义:Handler的上下文的抽象类 数据结构:主要由三个部分组成:pre、next、handler 核心作用:通过handler().get(key , findNextCtx()) 实现了 String get(String key) 方法 DefaultConfigSourceHandlerContext 持有ConfigSourceHandler对象的默认实现类
  源码解读
  目录
  auto-pipeline-annotations 框架包含的注解:AutoPipeline、PipelineDirection
  AutoPipeline 生成pipeline的核心注解 PipelineDirection pipeline处理的顺序方向 auto-pipeline-processor
  AutoPipelineProcessor 生成pipeline的入口类 SourceGeneratorFacade 源代码生成器 auto-pipeline-examples 一些实例,比如获取配置、rpc、merger
  生成原理
  通过SPI的方式注册编译时注解@AutoPipelineProcessor,在编译过程中通过javapoet框架生成业务pipeline源代码。 注册编译时注解编写注解类:AutoPipelineProcessor   继承JDK的 AbstractProcessor   , 实现process 方法 在resources  目录下新建文件夹:META-INF/services 在META-INF/services 里面新增spi文件:javax.annotation.processing.Processor  ,文件写入需要继承AbstractProcessor  的全类名
  相关类介绍: Processor 提供注解处理,它遵循SPI规约进行拓展 AbstractProcessor 注解处理器主要拓展处理类 生成源代码
  JDK术语介绍: ProcessingEnvironment 注解处理工具的集合 Element 是一个接口,表示一个程序元素,它可以是包、类、方法或者一个变量 PackageElement 表示一个包程序元素,提供对有关包及其成员的信息的访问。 ExecutableElement 表示某个类或接口的方法、构造方法或初始化程序(静态或实例),包括注释类型元素。 TypeElement 表示一个类或接口程序元素,提供对有关类型及其成员的信息的访问。注意,枚举类型是一种类,而注解类型是一种接口。 VariableElement 表示一个字段、enum 常量、方法或构造方法参数、局部变量或异常参数。 Filer 文件管理器,主要负责生成源代码、class 或者辅助文件
  JavaPoet技术介绍: TypeSpec 用于生成类、接口、枚举的工具类 MethodSpec 用于生成构造方法或者普通的方法的工具类 关键代码解读生成入口:AutoPipelineProcessor#processoverride fun process(annotations: Set, roundEnv: RoundEnvironment): Boolean {     val elements = roundEnv.getElementsAnnotatedWith(AutoPipeline::class.java)     if (elements.isEmpty()) {         return false     }       for (element in elements) {         if (element.kind != ElementKind.INTERFACE) {             error(element, "${(element as TypeElement).qualifiedName} is not a interface! Only interface can annotated with @${AutoPipeline::class.simpleName}")             return false         }           if (!element.modifiers.contains(Modifier.PUBLIC)) {             error(element, "interface ${(element as TypeElement).qualifiedName} is not public! Only public interface can annotated with @${AutoPipeline::class.simpleName}")             return false         }           if (element is TypeElement) {             doProcess(element)         }     }       return false }通过roundEnv 获取所有被AutoPipeline注释修饰的类,如果没有则直接返回 遍历elements,处理每个element (被注解的类必须是public修饰的接口) 生成源码门户:SourceGeneratorFacade#genSourceCode
  生成相关源代码,一个源文件采用一个特定的代码生成器生成,各个类的生成器继承AbstractGenerator
  源代码生成类:HandlerGenerator#gen
  下面以HandlerGenerator#gen 为例: fun gen() {     // 生成类     val handlerTypeBuilder = TypeSpec.interfaceBuilder(desc.handlerRawClassName)         .addTypeVariables(desc.entityDeclaredTypeVariables)         .addModifiers(Modifier.PUBLIC)       // 构建handlerContext参数     val contextParam = ParameterSpec.builder(         desc.handlerContextTypeName, desc.handlerContextRawClassName.asFieldName()     ).build()       // 为原来接口的每个方法额外添加handlerContext参数     desc.entityMethods.forEach {         val operationMethod = createMethodSpecBuilder(it.executableElement)             .addParameter(contextParam)             .build()           handlerTypeBuilder.addMethod(operationMethod)     }       // 生成源码     javaFileBuilder(desc.handlerRawClassName.packageName(), handlerTypeBuilder.build())         .build()         .writeTo(filer) }
  编译Debug探秘
  可以通过Idea Maven自带的Debug工具 调试编译过程 在项目的maven compile上右键,点击Debug "${moduleName}" 在AutoPipelineProcessor#process方法上加上断连,即可断点Debug源码
  场景实战
  下面举一个项目中真实的例子-消息分级限流。
  消息发送的流量现状: 同一个请求可能包含有多个AppKey的消息 同一个请求可能包含多个消息分级的消息 同一个请求的消息可能经过多个接口 每个消息都会有对应的Appkey、消息分级
  限流规则如下: 需要对消息所属的AppKey进行单独限流 仅对营销类消息进行限流,IM&实时类消息无需限流 如果一个消息已经被一个接口限流过,经过下一个接口时不应该被限流 对于同一个请求,只有整体限流和整体不限流 两种情况,不允许部分成功部分失败的情况(历史遗留问题)
  面对这种的场景,该如何设计呢? 首先是将限流规则拆分成三个步骤:消息分级处理、去重处理、请求限流令牌处理 将整体限流和整体不限流抽象成合并策略,通过proxy的方式对外暴露
  代码设计如下: 限流接口类 /**  * 消息限流器  */ @AutoPipeline public interface MessageThrottler {       /**      * 节流单个消息      *      * @param messageThrottlerToken 消息限流令牌      * @return 是否被节流      */     boolean throttle(MessageThrottlerToken messageThrottlerToken);       /**      * 节流多个消息。任意一个消息被节流将返回true,否则返回false      *      * @param messageThrottlerTokens 多个消息限流令牌      * @return 是否被节流      */     boolean anyThrottle(List messageThrottlerTokens);       /**      * 节流多个消息。所有消息被节流才会返回true, 否则返回false      *      * @param messageThrottlerTokens 多个消息限流令牌      * @return 是否被节流      */     boolean allThrottle(List messageThrottlerTokens); }将限流规则拆分成三个不同的处理类 ClassificationThrottlerHandler   /**  * 消息分类节流器  *  * 

* 目前仅针对营销消息进行节流 */ public class ClassificationThrottlerHandler implements MessageThrottlerHandler { @Override public boolean throttle(MessageThrottlerToken messageThrottlerToken, MessageThrottlerHandlerContext context) { if (!ClassificationConstant.MARKETING.equals(messageThrottlerToken.getClassification())) { return false; } return context.throttle(messageThrottlerToken); } @Override public boolean anyThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext context) { if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } // 获取营销消息 List marketingMessageThrottlerTokens = messageThrottlerTokens.stream().filter(messageThrottlerToken -> { return ClassificationConstant.MARKETING.equals(messageThrottlerToken.getClassification()); }).collect(Collectors.toList()); // 如果营销消息为空,说明消息均不需要被限流,直接返回false if (CollectionUtils.isEmpty(marketingMessageThrottlerTokens)) { return false; } return context.anyThrottle(marketingMessageThrottlerTokens); } @Override public boolean allThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext context) { if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } // 获取营销消息 List marketingMessageThrottlerTokens = messageThrottlerTokens.stream().filter(messageThrottlerToken -> { return ClassificationConstant.MARKETING.equals(messageThrottlerToken.getClassification()); }).collect(Collectors.toList()); // 存在非营销消息,非营销消息不会被限流 if (marketingMessageThrottlerTokens.size() < messageThrottlerTokens.size()) { return false; } return context.allThrottle(marketingMessageThrottlerTokens); } }DuplicateThrottlerHandler @Slf4j public class DuplicateThrottlerHandler implements MessageThrottlerHandler { @Override public boolean throttle(MessageThrottlerToken messageThrottlerToken, MessageThrottlerHandlerContext context) { if (messageThrottlerToken.isThrottled()) { return false; } boolean throttleResult = context.throttle(messageThrottlerToken); messageThrottlerToken.markThrottled(); return throttleResult; } @Override public boolean anyThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext context) { if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } // 过滤掉已经被限流的消息 List needMessageThrottlerTokens = messageThrottlerTokens.stream() .filter(messageThrottlerToken -> !messageThrottlerToken.isThrottled()).collect(Collectors.toList()); if (CollectionUtils.isEmpty(needMessageThrottlerTokens)) { return false; } boolean throttleResult = context.anyThrottle(needMessageThrottlerTokens); needMessageThrottlerTokens.forEach(messageThrottlerToken -> messageThrottlerToken.markThrottled()); return throttleResult; } @Override public boolean allThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext context) { if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } // 过滤掉已经被限流的消息 List needMessageThrottlerTokens = messageThrottlerTokens.stream() .filter(messageThrottlerToken -> !messageThrottlerToken.isThrottled()).collect(Collectors.toList()); if (CollectionUtils.isEmpty(needMessageThrottlerTokens)) { return false; } boolean throttleResult = context.allThrottle(needMessageThrottlerTokens); needMessageThrottlerTokens.forEach(messageThrottlerToken -> messageThrottlerToken.markThrottled()); return throttleResult; } } AcquireThrottlerHandler /** * 请求令牌处理类 */ public class AcquireThrottlerHandler implements MessageThrottlerHandler { private static final Logger apiThrottlerLog = LoggerFactory.getLogger("api.throttler.log"); @Autowired private ThrottlerProxy throttlerProxy; @Autowired private ThrottlerModeConfiguration throttlerModeConfiguration; private boolean throttle(AcquireToken acquireToken) { // 获取限流模式 ThrottlerMode throttlerMode = throttlerModeConfiguration.getThrottlerMode(acquireToken.getAppKey(), acquireToken.getThrottleTag()); // 执行限流 return !throttlerProxy.tryAcquireWithAppKey(throttlerMode, acquireToken.getAppKey(), acquireToken.getPermits()); } @Override public boolean throttle(MessageThrottlerToken messageThrottlerToken, MessageThrottlerHandlerContext context) { boolean throttled = throttle(new AcquireToken(messageThrottlerToken.getThrottleTag(), messageThrottlerToken.getAppKey(), messageThrottlerToken.getPermits())); // 限流日志埋点 if (SendSwitch.THROTTLER_ONLY_WATCH || throttled) { log(messageThrottlerToken.getAppKey(), messageThrottlerToken.getPermits(), messageThrottlerToken.getThrottleTag(), throttled); } return throttled; } @Override public boolean anyThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext context) { return throttle(messageThrottlerTokens, acquireTokens -> acquireTokens.stream().anyMatch(this::throttle) ); } @Override public boolean allThrottle(List messageThrottlerTokens, MessageThrottlerHandlerContext messageThrottlerHandlerContext) { return throttle(messageThrottlerTokens, acquireTokens -> acquireTokens.stream().allMatch(this::throttle) ); } private static boolean throttle(List messageThrottlerTokens, Function function) { if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } List acquireTokens = messageThrottlerTokens.stream() .collect(Collectors.groupingBy(messageThrottlerToken -> messageThrottlerToken.getAppKey())) .entrySet() .stream() .map(messageEntry -> { String appKey = messageEntry.getKey(); int permits = messageEntry.getValue().stream() .map(messageThrottlerToken -> messageThrottlerToken.getPermits()) .reduce(Integer::sum).orElse(1); String throttlerTag = messageEntry.getValue().get(0).getThrottleTag(); return new AcquireToken(throttlerTag, appKey, permits); }).collect(Collectors.toList()); boolean throttled = function.apply(acquireTokens); // 限流日志埋点 if (SendSwitch.THROTTLER_ONLY_WATCH || throttled) { messageThrottlerTokens.forEach(messageThrottlerToken -> { log(messageThrottlerToken.getAppKey(), messageThrottlerToken.getPermits(), messageThrottlerToken.getThrottleTag(), throttled); }); } return throttled; } private static void log(String appKey, int permits, String throttlerTag, boolean throtted) { List metrics = new ArrayList<>(); metrics.add(appKey); metrics.add(String.valueOf(permits)); metrics.add(throttlerTag); metrics.add(String.valueOf(throtted)); String logContent = StringUtils.join(metrics, "|"); apiThrottlerLog.info(logContent); } @Data @AllArgsConstructor private static class AcquireToken { private final String throttleTag; private final String appKey; private final int permits; } }消息限流代理 /** * 消息限流代理 */ @Slf4j public class MessageThrottlerProxy { @Autowired private AcquireThrottlerHandler acquireThrottlerHandler; private MessageThrottler messageThrottler; @PostConstruct public void init() { messageThrottler = new MessageThrottlerPipeline() .addLast(new ClassificationThrottlerHandler()) .addLast(new DuplicateThrottlerHandler()) .addLast(acquireThrottlerHandler); } /** * 限流单个消息 * * @param messageThrottlerToken 单个消息令牌 * @return 是否限流成功 */ public boolean throttle(MessageThrottlerToken messageThrottlerToken) { if (!SendSwitch.ENABLE_API_THROTTLER) { return false; } try { boolean throttled = messageThrottler.throttle(messageThrottlerToken); return SendSwitch.THROTTLER_ONLY_WATCH ? false : throttled; } catch (Exception e) { log.error("Failed to throttle messageSendDTO:" + messageThrottlerToken, e); // throttle内部异常不应该影响正常请求,遇到此情况直接降级限流通过 return false; } } /** * 限流多个消息, 合并策略可通过 {@link SendSwitch#THROTTLER_MERGE_STRATEGY} 开关控制 * * @param messageThrottlerTokens 多个消息令牌 * @return 是否限流成功 */ public boolean throttle(List messageThrottlerTokens) { if (!SendSwitch.ENABLE_API_THROTTLER) { return false; } if (CollectionUtils.isEmpty(messageThrottlerTokens)) { return false; } MergeStrategy mergeStrategy = MergeStrategy.getByName(SendSwitch.THROTTLER_MERGE_STRATEGY); if (mergeStrategy == null) { log.error("illegal throttler mergeStrategy:" + SendSwitch.THROTTLER_MERGE_STRATEGY); return false; } try { boolean throttled = mergeStrategy.throttle(messageThrottler, messageThrottlerTokens); return SendSwitch.THROTTLER_ONLY_WATCH ? false : throttled; } catch (Exception e) { log.error("Failed to throttle messageSendDTO:" + messageThrottlerTokens, e); // throttle内部异常不应该影响正常请求,遇到此情况直接降级限流通过 return false; } } public enum MergeStrategy { ALL { @Override public boolean throttle(MessageThrottler messageThrottler, List messageThrottlerTokens) { return messageThrottler.allThrottle(messageThrottlerTokens); } }, ANY { @Override public boolean throttle(MessageThrottler messageThrottler, List messageThrottlerTokens) { return messageThrottler.anyThrottle(messageThrottlerTokens); } }; public static MergeStrategy getByName(String name) { MergeStrategy[] values = values(); for (MergeStrategy value : values) { if (value.name().equalsIgnoreCase(name)) { return value; } } return null; } public abstract boolean throttle(MessageThrottler messageThrottler, List messageThrottlerTokens); } }   ps: 相关类并未全部列出,仅展示主要逻辑   原文链接:https://mp.weixin.qq.com/s/wR0NByDFWs5RDgWS2Jn6yA


篮网心动吗?9换1!5个首轮啊!但阿杜却开心不起来话说自从阿杜二次申请离队后,他与篮网之间的关系就再也无法挽回了,在会面中,阿杜当着蔡老板的面,让他在主教练纳什总经理马克斯与他二选一。最终蔡老板站在了管理层那一方。随后篮网加快了阿林志颖车祸25天首曝近照!手臂贴纱布消瘦泛青,疑与Kimi紧紧相握饿了吗?戳右边关注我们,每天给您送上最新出炉的娱乐硬核大餐!8月16日,距离林志颖发生车祸已经过去25天,妻子陈若仪在社交账号上晒出他的近照,并配文挺过风雨,终究会看见曙光。曝光的异性之间动了真情,却又不能在一起,那就记住这3句话吧我要上头条情感情感事务所如果你也是有故事的人就来找我,点击关注,想成为你真诚的朋友!作者七七原创作品,抄袭必究!1忘记在哪里看过这么一段话,人世间最让人感到无能为力的事情,莫过于就中韩外长见面刚过一周,韩美将举行联合军演,上万韩民众冒雨抗议近期,韩国外长朴振在山东青岛与中国外长王毅举行会谈,双方就萨德问题达成了一致意见,积极寻找妥善处理该问题的方法,让其不成为影响中韩关系的绊脚石。但时间刚刚过去一周,韩国就将联合美军带一群女同事去KTV,我喝多了趴着装睡,没想到她们会公开议论什么样子的男生,才能让女生眼前一亮那?我就过一个生日,他们一人送我一个蛋糕,吃不完怎么办西瓜是冰好了,没有办法拿出来了道路千万条,安全第一条这些都是大自然的神奇之处你还真是一个比较罔顾严厉警告,美议员再访台推高两岸紧张图左为马基对于美国众议院议长佩洛西率团访问台湾地区,国务委员外交部长王毅曾于8月5日晚在柬埔寨首都金边召开记者会,发出严厉警告美国不要轻举妄动,不要制造更大危机。国委的话言犹在耳,19年重庆升学宴变悲剧,被告7人抗议我无罪,男人的死谁负责(本文内涉及的人名皆为化名)2019年8月4日,这是张福的儿子永远不能忘记的日子,他回想起那天中午,父亲张福还和他笑呵呵地说去参加朋友儿子的升学宴,没想到只过了几个小时,他和父亲便吃河南人的粮,骂河南人的娘,坑河南人的娃我是地道的河南人,80年代出生于豫东平原,因为格局和见识问题,无法从全局出发,高瞻远瞩,提出问题解决问题,只能片面地从一个河南人真实经历的一切,来证明河南人活的不容易。关于吃河南人司登冲锋枪伦敦打字机如何评价司登冲锋枪第一次世界大战时,由于保守自大的英国官方对冲锋枪并不感兴趣,所以英国陆军断然拒绝了采用冲锋枪。二战初期,英联邦军队没有装备制式冲锋枪,面对拥有大量自动化轻武器的德2020年四川男子一生未婚,却在江苏多了个闺女,DNA鉴定亲生的2020年的一天,51岁的单身汉老刘正走在回家的路上,突然电话响起,接到电话后,对方突然来了句你有个女儿亲生女儿在江苏,想不想认一认?老刘二话不说就挂断了电话,毕竟他一辈子都没出过大范围降温确定影响南方,5省高温暂时减弱!分析警惕危险天气8月14日,随着冷空气的下渗和阴雨天气的发展,西北地区东部华北东北等地出现了相当显著的降温,不少站点甚至出现了24小时15度以上的剧烈降温,意味着和之前相比8月14日显著转凉。例如
女排世锦赛最新夺冠赔率出炉,意大利成夺冠热门,中国女排则再次被看轻,你怎么看?7数据前十排名证中国女排存两软肋意大利攻守一体最具冠军相6强主帅齐聚名古屋,中国意大利日本荷兰塞尔维亚美国,中国与美国荷兰分在一组,日本与意大利塞尔维亚分在一组,6强战是6进4的比大家有没有听过?或见过,做了好事得到福报的人?我的一个朋友,09年在义乌开小货车,负责给工厂送货,有一次客户催货,当天晚上一定要交到客户手上,因为客户做的是外贸的,在晚上12点以前货送不到客户手上就不要了,朋友是货车司机接到公如果恒大没有外援,在中超可以排在第几位?各队都取消外援,恒大依然排在第一。我想这个没人有异议吧。甚至恒大的优势更明显。不过恒大现在主力普遍年龄过大,可接班人却没有什么突出的。许新勉强可以,廖力生越踢越差,这还是最重要培养辽宁男篮已锁定今年CBA联赛半程冠军,能否再度圆梦总冠军?半程过后,辽宁男篮毫无疑问是夺冠的最大热门,而郭艾伦也绝对是MVP大热。在大胜北京男篮的比赛中,郭艾伦独砍36分9助攻8篮板2抢断,数据全面,霸气侧漏,标志性的突破上篮一打一个准,华硕GX501败家之眼怎么样?大兄弟er你好,我是数字尾巴编辑胖圆耗子。台北电脑展上,NVIDIA推出了全新MaxQ设计理念,其宣传概念非常惊人让游戏笔记本在保持性能强大的前提下,更加地轻薄与安静。紧随MaxQ黑色小脚裤配什么上衣和鞋好看?时尚上头条黑色小脚裤是一款很显瘦也能显身材的裤子,经常能看到一些女生穿,不止如此,在明星穿搭中更是能经常看到黑色小脚裤的影子。不过很多女生对这款裤子有些疑惑,看到别人穿小脚裤都是同有哪些口红色系是你买多少都不嫌多的?豆沙色系豆沙色系的口红我入的不少,Macbrickola,雅诗兰黛420,narsdv等等。算是一个实用日常的色系,没有季节性,也基本不踩雷。Macbrickola我觉得这个试色图存折到期后要不要取出来重新存?存折到期之后到底要不要取出来再重新存进去,这个问题估计很多朋友都会有类似的疑问。但就我个人而言,如果存折到期的话,我肯定会先把它取出来,然后再做其他考虑,这里面最重要的原因就是取出宝马5系跟奥迪A6怎么选择?优缺点是什么?我开了宝马530,又开了奥迪A6L,经过一段时间的相处,五味杂陈,终于知道了奥迪为什么越来越不受待见的原因了,奉劝大家选豪华品牌前要三思而行,只有分清它们的优缺点,才能买车不后悔!扎心为什么小时候你尿床可被原谅,而癌症卧床的父母却不可以?谢谢邀请。也是,小宝宝生草落地,从一尺五高到长大成人,父母为孩子费尽了心,一把屎一把尿,从来没有哪个父母会嫌弃自己孩子麻烦受累。父母老了,重病在床,大小便失禁,躺在床上不能动。按道可以就每个朝代,推荐一部经典历史剧吗?康熙微服私访记近些年来,影视界涌现出许多引人入胜的历史剧作品,使人看了直呼过瘾。试举如下先秦秦汉封神英雄榜老子传奇虎符传奇孙子大传屈原孔子大秦帝国芈月传大汉贤后卫子夫昭君出塞汉刘邦