分布式鎖

為什么要用分布式鎖

  1. 數(shù)據(jù)庫樂觀鎖
  2. redis分布式鎖
  3. zookeeper分布式鎖

使用分布式鎖的場景

實現(xiàn)分布式鎖的方案

必要條件

1.互斥杨伙。同一時刻,多臺服務(wù)器的多個請求只允許一個請求加鎖成功
2.避免死鎖传藏。 加鎖的客戶端在持有鎖期間由于宕機網(wǎng)絡(luò)延遲等原因沒有主動解鎖,也能保證鎖會釋放,不應(yīng)想其他請求獲取鎖成功
3.解鈴還須系鈴人 加鎖和解鎖的客戶端要保持一致毯侦。


數(shù)據(jù)庫樂觀鎖實現(xiàn)或字段唯一性約束

此處代碼省略

redis分布式鎖實現(xiàn)

 /**
     * 嘗試獲取鎖
     * @param key
     * @param value 為了滿足解鈴還須系鈴人西壮,此處傳入requestId,標識哪個客戶端加的鎖〗芯可以用 UUID.randomUUID().toString()生成
     * @param expireTime    過期時間 避免鎖持有者后續(xù)發(fā)生崩潰而未解鎖 造成死鎖
     * @param unit          過期時間單位
     * @return 是否加鎖成功
     */
    public static boolean tryLock(String key, String value, Long expireTime, TimeUnit unit) {
        return redisService.setIfAbsent(key, value, expireTime, unit);
    }
public<K, V> boolean setIfAbsent(final K key,V value,Long expireTime,TimeUnit unit) {
        boolean result = false;
        try {
            ValueOperations<K, V> operations = redisTemplate.opsForValue();
            //原子操作
            result = operations.setIfAbsent(key,value,expireTime,unit);
        } catch (Exception e) {
            logger.error("setIfAbsent error: key {}, value {},expireTime {}",key,value,expireTime,e);
        }
        return result;
    }

執(zhí)行上面的方法款青,如果當前鎖(key)不能存在,那么就進行加鎖操作同時對鎖設(shè)置有效期返回true霍狰。 value是加鎖客戶端的標識抡草。如果當前鎖(key)已存在,不做任何操作返回false蔗坯。
注意:加鎖和設(shè)置時間要是一條命令康震,保證原子性。不能兩條命令分開做宾濒。如果加鎖后客戶端突然崩潰腿短,導(dǎo)致鎖沒有設(shè)置過期時間,將會發(fā)生死鎖

/**
     * 解鎖
     * @param key
     * @param value 此處傳入requestId绘梦,請求標識
     * @return 是否釋放鎖成功
     */
    public static boolean unLock(String key,String value) {
        String script = "if redis.call('get', KEYS[1]) == ARGV[1] then return redis.call('del', KEYS[1]) else return 0 end";
        return redisService.execute(key,value,script);
    }

Lua腳本作用:首先獲取鎖對應(yīng)的value值橘忱,檢查是否與requestId相等,如果相等則刪除鎖(解鎖)卸奉。

zookepeer分布式鎖實現(xiàn)

基于臨時有序節(jié)點的特性實現(xiàn)和wahcher機制實現(xiàn)钝诚。 001 002 003
為了避免驚群效應(yīng),每個節(jié)點只監(jiān)聽比自己大的前一個節(jié)點即可榄棵。否則會帶來巨大的性能開銷凝颇。

//就不用zkCliend費勁去寫了,curator 可以非常方便的使用zk分布式鎖
@Override
    public void lock() throws DistributedLockException {
        try{
            interProcessMutex.acquire();
        } catch (Exception e){
            throw new DistributedLockException("加鎖異常: ", e);
        }
    }

    @Override
    public boolean tryLock(Long time, TimeUnit timeUnit) throws DistributedLockException {
        try {
            return interProcessMutex.acquire(time, timeUnit);
        } catch (Exception e) {
            throw new DistributedLockException("加鎖異常: ", e);
        }
    }

    @Override
    public void unlock() throws DistributedLockException {
        try {
            interProcessMutex.release();
        } catch (Exception e) {
            throw new DistributedLockException("釋放鎖異常: ", e);
        }
    }


三者比較:

數(shù)據(jù)庫:
1.這把鎖強依賴數(shù)據(jù)庫的可用性疹鳄,數(shù)據(jù)庫是一個單點拧略,一旦數(shù)據(jù)庫掛掉,會導(dǎo)致業(yè)務(wù)系統(tǒng)不可用瘪弓。
2.這把鎖沒有失效時間垫蛆,一旦解鎖操作失敗,就會導(dǎo)致鎖記錄一直在數(shù)據(jù)庫中杠茬,其他線程無法再獲得到鎖月褥。
3.這把鎖只能是非阻塞的弛随,因為數(shù)據(jù)的insert操作,一旦插入失敗就會直接報錯。沒有獲得鎖的線程并不會進入排隊隊列扰法,要想再次獲得鎖就要再次觸發(fā)獲得鎖操作密任。
4.這把鎖是非重入的,同一個線程在沒有釋放鎖之前無法再次獲得該鎖。因為數(shù)據(jù)中數(shù)據(jù)已經(jīng)存在了走贪。
5.數(shù)據(jù)庫是寶貴的系統(tǒng)資源佛猛,考慮是否會影響 正常業(yè)務(wù)的使用。

redis:
1.失效時間我設(shè)置多長時間為好坠狡?如何設(shè)置的失效時間太短继找,方法沒等執(zhí)行完,鎖就自動釋放了逃沿,那么就會產(chǎn)生并發(fā)問題婴渡。如果設(shè)置的時間太長,其他獲取鎖的線程就可能要平白的多等一段時間凯亮。這個問題使用數(shù)據(jù)庫實現(xiàn)分布式鎖同樣存在
2.非阻塞边臼?while重復(fù)執(zhí)行。
3.非可重入假消?在一個線程獲取到鎖之后柠并,把當前主機信息和線程信息保存起來,下次再獲取之前先檢查自己是不是當前鎖的擁有者富拗。
4.可以使用緩存來代替數(shù)據(jù)庫來實現(xiàn)分布式鎖臼予,這個可以提供更好的性能,同時啃沪,很多緩存服務(wù)都是集群部署的瘟栖,可以避免單點問題。并且很多緩存服務(wù)都提供了可以用來實現(xiàn)分布式鎖的方法谅阿,比如Tair的put方法半哟,redis的setnx方法等。并且签餐,這些緩存服務(wù)也都提供了對數(shù)據(jù)的過期自動刪除的支持寓涨,可以直接設(shè)置超時時間來控制鎖的釋放。

性能好氯檐,實現(xiàn)起來較為方便戒良。
通過超時時間來控制鎖的失效時間并不是十分的靠譜。

zk:
1.鎖無法釋放冠摄?使用Zookeeper可以有效的解決鎖無法釋放的問題糯崎,因為在創(chuàng)建鎖的時候,客戶端會在ZK中創(chuàng)建一個臨時節(jié)點河泳,一旦客戶端獲取到鎖之后突然掛掉(Session連接斷開)沃呢,那么這個臨時節(jié)點就會自動刪除掉。其他客戶端就可以再次獲得鎖拆挥。

2.非阻塞鎖薄霜?使用Zookeeper可以實現(xiàn)阻塞的鎖,客戶端可以通過在ZK中創(chuàng)建順序節(jié)點,并且在節(jié)點上綁定監(jiān)聽器惰瓜,一旦節(jié)點有變化否副,Zookeeper會通知客戶端,客戶端可以檢查自己創(chuàng)建的節(jié)點是不是當前所有節(jié)點中序號最小的崎坊,如果是备禀,那么自己就獲取到鎖,便可以執(zhí)行業(yè)務(wù)邏輯了奈揍。

3.不可重入痹届?使用Zookeeper也可以有效的解決不可重入的問題,客戶端在創(chuàng)建節(jié)點的時候打月,把當前客戶端的主機信息和線程信息直接寫入到節(jié)點中队腐,下次想要獲取鎖的時候和當前最小的節(jié)點中的數(shù)據(jù)比對一下就可以了。如果和自己的信息一樣奏篙,那么自己直接獲取到鎖柴淘,如果不一樣就再創(chuàng)建一個臨時的順序節(jié)點,參與排隊秘通。

4.單點問題为严?使用Zookeeper可以有效的解決單點問題,ZK是集群部署的肺稀,只要集群中有半數(shù)以上的機器存活第股,就可以對外提供服務(wù)。

Curator提供的InterProcessMutex是分布式鎖的實現(xiàn)话原。acquire方法用戶獲取鎖夕吻,release方法用于釋放鎖。

5.使用ZK實現(xiàn)的分布式鎖好像完全符合了本文開頭我們對一個分布式鎖的所有期望繁仁。但是涉馅,其實并不是,Zookeeper實現(xiàn)的分布式鎖其實存在一個缺點黄虱,那就是性能上可能并沒有緩存服務(wù)那么高稚矿。因為每次在創(chuàng)建鎖和釋放鎖的過程中,都要動態(tài)創(chuàng)建捻浦、銷毀瞬時節(jié)點來實現(xiàn)鎖功能晤揣。ZK中創(chuàng)建和刪除節(jié)點只能通過Leader服務(wù)器來執(zhí)行,然后將數(shù)據(jù)同不到所有的Follower機器上朱灿。

6.其實昧识,使用Zookeeper也有可能帶來并發(fā)問題,只是并不常見而已母剥≈团担考慮這樣的情況形导,由于網(wǎng)絡(luò)抖動环疼,客戶端可ZK集群的session連接斷了习霹,那么zk以為客戶端掛了,就會刪除臨時節(jié)點炫隶,這時候其他客戶端就可以獲取到分布式鎖了淋叶。就可能產(chǎn)生并發(fā)問題。這個問題不常見是因為zk有重試機制伪阶,一旦zk集群檢測不到客戶端的心跳煞檩,就會重試,Curator客戶端支持多種重試策略栅贴。多次重試之后還不行的話才會刪除臨時節(jié)點斟湃。(所以,選擇一個合適的重試策略也比較重要檐薯,要在鎖的粒度和并發(fā)之間找一個平衡凝赛。)

總結(jié)

上面幾種方式,哪種方式都無法做到完美坛缕。就像CAP一樣墓猎,在復(fù)雜性、可靠性赚楚、性能等方面無法同時滿足毙沾,所以,根據(jù)不同的應(yīng)用場景選擇最適合自己的才是王道宠页。

從理解的難易程度角度(從低到高)
數(shù)據(jù)庫 > 緩存 > Zookeeper

從實現(xiàn)的復(fù)雜性角度(從低到高)
Zookeeper >= 緩存 > 數(shù)據(jù)庫

從性能角度(從高到低)
緩存 > Zookeeper >= 數(shù)據(jù)庫

從可靠性角度(從高到低)
Zookeeper > 緩存 > 數(shù)據(jù)庫

坑:

如圖所示左胞,curator 加鎖成功后leases下回創(chuàng)建臨時節(jié)點,


image.png

在釋放鎖后举户,此目錄并不會刪掉罩句。


zk分布式鎖目錄

因此需要一個定時任務(wù),定時清理目錄敛摘。

public class LockBackGroundConf {

    /** 執(zhí)行頻率, 默認一小時一次, 單位秒 */
    private Long frequency = 60*60L;
    /** 刪除幾天前的數(shù)據(jù), 默認1天前的數(shù)據(jù), 單位秒 */
    private Long beforeTime = 24*60*60L;

}
public class LockBackGroundThread extends Thread{

    private Logger logger = LoggerFactory.getLogger(getClass());

    CuratorFramework client;

    protected LockBackGroundThread(CuratorFramework client){
        this.client = client;
        this.setDaemon(true);
        this.setName("ZkMutexDistributedLock---background");
    }

    @Override
    public synchronized void run() {
        super.run();
        try {
            while (true){
                //TODO  后期可以通過配置中心  配置
                LockBackGroundConf conf = new LockBackGroundConf();
                deleteInvalidNode(conf);
                // 默認一小時執(zhí)行一次(配置中心可配)
                Thread.currentThread().wait(conf.getFrequency()*1000);
            }
        } catch (Exception e) {
            e.printStackTrace();
        }

    }

    private void deleteInvalidNode(LockBackGroundConf conf) throws Exception{
        String projectDir = ZkMutexDistributedLockFactory.lockPath + ZkMutexDistributedLockFactory.projectName;
        Stat exitDir = client.checkExists().forPath(projectDir.substring(0, projectDir.length()-1));
        if(exitDir == null){
            logger.error("根目錄尚未創(chuàng)建门烂,本次清理結(jié)束--" + projectDir);
            return;
        }
        List<String> paths = client.getChildren().forPath(projectDir.substring(0, projectDir.length()-1));
        Date date = new Date();
        paths.forEach(currPath -> {
            try{
                Stat stat = new Stat();
                client.getData().storingStatIn(stat).forPath(projectDir + currPath);
                // 默認刪除一天前無效的數(shù)據(jù)。 子節(jié)點為0兄淫,說明當前節(jié)點無效
                if(stat.getMtime()<(date.getTime() - (conf.getBeforeTime()*1000)) && stat.getNumChildren() == 0){
                    // 只刪除空目錄
                    client.delete().forPath(projectDir + currPath);
                    logger.info("刪除路徑: " + projectDir + currPath);
                }
            }catch (Exception e){
                logger.error("刪除節(jié)點失敗: ", e);
            }
        });

    }

初始化zk客戶端的時候屯远,啟動后臺線程清理空目錄。

    private static synchronized void init() {
        if(client==null){
            String IPAndPort = PropertiesReader.getProperties("zkConfig").getProperty("lockServers");
            String projectName = ProjectUtils.PROJECT_NAME.toLowerCase();
            if(StringUtils.isEmpty(IPAndPort) || StringUtils.isEmpty(projectName)){
                logger.error("zk鎖啟動失敗缺少配置--IP和端口號/項目名");
                throw new RuntimeException("zk鎖啟動異常--缺少配置--IP和端口號/項目名");
            }
            ZkMutexDistributedLockFatory.projectName = projectName+"/";
            client = CuratorFrameworkFactory.builder().connectString(IPAndPort).retryPolicy(new ExponentialBackoffRetry(1000, 3)).build();
            client.start();
            // 啟動后臺線程
            LockBackGroundThread backGroundThread = new LockBackGroundThread(client);
            backGroundThread.start();
        }
    }

其他

分布式鎖的各種實現(xiàn)見仁見智捕虽,在適當?shù)膱鼍斑x擇合適的實現(xiàn)即可慨丐。在開發(fā)中,我們可以講分布式鎖的實現(xiàn)封裝在公共模塊泄私,對專注于業(yè)務(wù)開發(fā)的 程序員大兄弟們 屏蔽 底層實現(xiàn)的差異房揭,讓他們用最簡單的方式备闲,就可以讓某一方法實現(xiàn)分布式鎖的效果,沒錯正是自定義注解+AOP的形式捅暴。

@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface CustomerLock {

    /**
     * lock key
     * eg  #arg.id
     *
     * @return
     */
    String lockKey();

    /**  后綴
     * @return
     */
    String lockSuffix() default "";

    /** 前綴
     * @return
     */
    String lockPrefix() default "";

    /** 分割符
     * @return
     */
    String separator() default "#";

    /**  實現(xiàn)類對應(yīng)的名稱 默認使用redis
     * @return
     */
    String lockType() default "";

    /**
     * 是否使用嘗試鎖恬砂。
     */
    boolean tryLock() default false;

    /**
     * 最長等待時間。
     * 該字段只有當tryLock()返回true才有效蓬痒。
     */
    int waitTime() default 0;

    /**
     * 鎖超時時間泻骤。
     * 超時時間過后,鎖自動釋放梧奢。
     * 建議:
     * 盡量縮簡需要加鎖的邏輯狱掂。
     */
    int leaseTime() default 30;

    TimeUnit timeUnit() default TimeUnit.SECONDS;
}
@Component
@Aspect
@EnableAspectJAutoProxy
public class DistributedLockAspect {
    
    public static final Logger logger = LoggerFactory.getLogger(DistributedLockAspect.class);

    @Pointcut("@annotation(com.gpmall.commons.lock.annotation.CustomerLock)")
    public void distributedLockPointcut() {
    }

    @Around("distributedLockPointcut()")
    public Object doAround(ProceedingJoinPoint pjp) throws Throwable {
        //組成key
        //切點所在的類
        Method method = ((MethodSignature) pjp.getSignature()).getMethod();
        final String lockKey = getLockKey(method, pjp.getArgs());
        return startLock(lockKey, pjp, method);
    }

    private Object startLock(final String lockKey, ProceedingJoinPoint pjp, Method method) throws Throwable {
        CustomerLock annotation = method.getAnnotation(CustomerLock.class);
        boolean tryLock = annotation.tryLock();
        if (tryLock) {
            return tryLock(pjp, annotation, lockKey);
        } else {
            return lock(pjp, annotation, lockKey);
        }
    }

    private Object lock(ProceedingJoinPoint pjp, CustomerLock annotation, String lockKey) throws Throwable {
        int leaseTime = annotation.leaseTime();
        TimeUnit timeUnit = annotation.timeUnit();
        String type = annotation.lockType();
        DistributedLock distributedLock = getByType(type);
        try {
            distributedLock.lock(lockKey, timeUnit, leaseTime);
            return pjp.proceed();
        } finally {
            distributedLock.unlock(lockKey);
        }
    }

    private Object tryLock(ProceedingJoinPoint pjp, CustomerLock customerLock, String lockKey) throws Throwable {
        int leaseTime = customerLock.leaseTime();
        int waitTime = customerLock.waitTime();
        TimeUnit timeUnit = customerLock.timeUnit();
        String type = customerLock.lockType();
        DistributedLock distributedLock = getByType(type);

        try {
            if (waitTime == 0) {
                if (distributedLock.tryLock(lockKey)) {
                    return pjp.proceed();
                }
            } else {
                distributedLock.tryLock(lockKey, timeUnit, waitTime, leaseTime);
                return pjp.proceed();
            }
        } finally {
            distributedLock.unlock(lockKey);
        }
        return null;
    }


    /**
     * 生成分布式鎖key
     *
     * @param method
     * @param args
     * @return
     */
    public String getLockKey(Method method, Object[] args) {
        Objects.requireNonNull(method);
        CustomerLock annotation = method.getAnnotation(CustomerLock.class);
        String lockKey = parseKey(annotation.lockKey(), method, args),
                separator = annotation.separator(),
                prefix = annotation.lockPrefix(),
                suffix = annotation.lockSuffix();
        if (StringUtils.isBlank(lockKey)) {
            throw new IllegalArgumentException(String.format("lock [%s] is error", lockKey));
        }
        StringBuilder keyGenerator = new StringBuilder();
        if (StringUtils.isNotBlank(prefix)) {
            keyGenerator.append(prefix).append(separator);
        }
        keyGenerator.append(lockKey.trim());
        if (StringUtils.isNotBlank(suffix)) {
            keyGenerator.append(separator).append(suffix);
        }
        lockKey = keyGenerator.toString().trim();
        // key不允許為空
        if (StringUtils.isBlank(lockKey)) {
            throw new IllegalArgumentException("Can't get or generate lock accurately!");
        }
        logger.info("generator lock_key [" + lockKey + "]");
        return lockKey;
    }


    /**
     * 獲取緩存的key
     * key 定義在注解上,支持SPEL表達式
     */
    private String parseKey(String key, Method method, Object[] args) {
        //獲取被攔截方法參數(shù)名列表(使用Spring支持類庫)
        LocalVariableTableParameterNameDiscoverer u =
                new LocalVariableTableParameterNameDiscoverer();
        String[] paraNameArr = u.getParameterNames(method);

        //使用SPEL進行key的解析
        ExpressionParser parser = new SpelExpressionParser();
        //SPEL上下文
        StandardEvaluationContext context = new StandardEvaluationContext();
        //把方法參數(shù)放入SPEL上下文中
        for (int i = 0; i < paraNameArr.length; i++) {
            context.setVariable(paraNameArr[i], args[i]);
        }
        return parser.parseExpression(key).getValue(context, String.class);
    }

    //通過 dubbo-SPI 的設(shè)計 選擇分布式鎖  實現(xiàn)
    private DistributedLock getByType(String type) {
        return (DistributedLock) ExtensionLoader.getExtensionLoader(DistributedLock.class).getExtension(type);
    }

通過 dubbo-SPI 的設(shè)計 選擇分布式鎖 實現(xiàn),默認redis 了解dubbo-SPI

@LockSpi("redis")
public interface DistributedLock {
    void lock(String key) throws DistributedLockException;

    boolean tryLock(String key) throws DistributedLockException;

    void lock(String lockKey, TimeUnit unit, int timeout) throws DistributedLockException;

    /**
     * 嘗試獲取鎖
     *
     * @param lockKey
     * @param unit      時間單位
     * @param waitTime  最多等待時間
     * @param leaseTime 上鎖后自動釋放鎖時間
     * @return
     */
    boolean tryLock(String lockKey, TimeUnit unit, int waitTime, int leaseTime) throws DistributedLockException;

    /**
     * 釋放鎖
     * @param lockKey
     * @throws DistributedLockException
     */
    void unlock(String lockKey) throws DistributedLockException;
}

使用

    @Override
    @CustomerLock(lockKey = "#request.tradeNo",lockType = "zookeeper", tryLock = true)
    public PaymentResponse execPay(PaymentRequest request) {
        PaymentResponse paymentResponse=new PaymentResponse();
        try {
              ……
         }
    }

開發(fā)過程中 通過spi的方式 實現(xiàn)分布式鎖策略亲轨,當業(yè)務(wù)小伙伴 不滿足于現(xiàn)有的策略 想要拓展分布式鎖時趋惨,只需要實現(xiàn)DistributedLock 接口 然后在 META-INF/lock 下建立com.gpmall.commons.lock.DistributedLock文件,配置一下即可惦蚊,例如:


image.png

工具包開發(fā)者都是通過spi搞的器虾, 業(yè)務(wù)開發(fā)者也當然也可以通過spi去拓展, 就像dubbo官網(wǎng)文檔上所說养筒,平等對待三方包一樣曾撤。大家都一樣,不搞特殊~~

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末晕粪,一起剝皮案震驚了整個濱河市挤悉,隨后出現(xiàn)的幾起案子,更是在濱河造成了極大的恐慌巫湘,老刑警劉巖装悲,帶你破解...
    沈念sama閱讀 218,386評論 6 506
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異尚氛,居然都是意外死亡诀诊,警方通過查閱死者的電腦和手機,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 93,142評論 3 394
  • 文/潘曉璐 我一進店門阅嘶,熙熙樓的掌柜王于貴愁眉苦臉地迎上來属瓣,“玉大人,你說我怎么就攤上這事讯柔÷胀埽” “怎么了?”我有些...
    開封第一講書人閱讀 164,704評論 0 353
  • 文/不壞的土叔 我叫張陵魂迄,是天一觀的道長粗截。 經(jīng)常有香客問我,道長捣炬,這世上最難降的妖魔是什么熊昌? 我笑而不...
    開封第一講書人閱讀 58,702評論 1 294
  • 正文 為了忘掉前任绽榛,我火速辦了婚禮,結(jié)果婚禮上婿屹,老公的妹妹穿的比我還像新娘灭美。我一直安慰自己,他們只是感情好选泻,可當我...
    茶點故事閱讀 67,716評論 6 392
  • 文/花漫 我一把揭開白布冲粤。 她就那樣靜靜地躺著美莫,像睡著了一般页眯。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上厢呵,一...
    開封第一講書人閱讀 51,573評論 1 305
  • 那天窝撵,我揣著相機與錄音,去河邊找鬼襟铭。 笑死碌奉,一個胖子當著我的面吹牛,可吹牛的內(nèi)容都是我干的寒砖。 我是一名探鬼主播赐劣,決...
    沈念sama閱讀 40,314評論 3 418
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼哩都!你這毒婦竟也來了魁兼?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 39,230評論 0 276
  • 序言:老撾萬榮一對情侶失蹤漠嵌,失蹤者是張志新(化名)和其女友劉穎咐汞,沒想到半個月后,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體儒鹿,經(jīng)...
    沈念sama閱讀 45,680評論 1 314
  • 正文 獨居荒郊野嶺守林人離奇死亡化撕,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 37,873評論 3 336
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了约炎。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片植阴。...
    茶點故事閱讀 39,991評論 1 348
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖圾浅,靈堂內(nèi)的尸體忽然破棺而出掠手,到底是詐尸還是另有隱情,我是刑警寧澤贱傀,帶...
    沈念sama閱讀 35,706評論 5 346
  • 正文 年R本政府宣布惨撇,位于F島的核電站,受9級特大地震影響府寒,放射性物質(zhì)發(fā)生泄漏魁衙。R本人自食惡果不足惜报腔,卻給世界環(huán)境...
    茶點故事閱讀 41,329評論 3 330
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望剖淀。 院中可真熱鬧纯蛾,春花似錦、人聲如沸纵隔。這莊子的主人今日做“春日...
    開封第一講書人閱讀 31,910評論 0 22
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽捌刮。三九已至碰煌,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間绅作,已是汗流浹背芦圾。 一陣腳步聲響...
    開封第一講書人閱讀 33,038評論 1 270
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留俄认,地道東北人个少。 一個月前我還...
    沈念sama閱讀 48,158評論 3 370
  • 正文 我出身青樓,卻偏偏與公主長得像眯杏,于是被迫代替她去往敵國和親夜焦。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 44,941評論 2 355

推薦閱讀更多精彩內(nèi)容