在现有原生工程中以pod组件形式集成Flutter

创建Flutter模块

与纯Flutter工程不同,在原生工程中接入Flutter,是以 Flutter Module 的形式接入的。

假设我们已有一个iOS工程在 some/path/MyApp 路径下,使用如下命令创建Flutter模块:

$ cd some/path/
$ flutter create -t module my_flutter

命令完成后,会在some/path/my_flutter下生成Flutter模块,目录下有隐藏的.ios包含了此模块的iOS Flutter工程。创建时要求Module名称为全小写,否则将创建失败。

my_flutter
├── .android
│   ├── Flutter
│   ├── app
│   ├── build.gradle
│   ├── gradle
│   ├── gradle.properties
│   ├── gradlew
│   ├── gradlew.bat
│   ├── include_flutter.groovy
│   ├── local.properties
│   └── settings.gradle
│
├── .ios # 该module的Flutter工程
│   ├── Config
│   ├── Flutter # 插件、App.framework、Flutter.framework生成的目录
│   ├── Runner
│   ├── Runner.xcodeproj
│   └── Runner.xcworkspace
│
├── README.md
│
├── lib
│   └── main.dart # 默认创建的带main函数入口的Dart文件
├── pubspec.lock # 完整依赖链和版本信息,类似Podfile.lock
└── pubspec.yaml # 依赖库管理,类似Podfile
让宿主工程依赖Flutter模块
  1. Podfile中添加如下内容:

    flutter_application_path = 'path/to/my_flutter/'
    eval(File.read(File.join(flutter_application_path, '.ios', 'Flutter', 'podhelper.rb')), binding)
    
  2. 运行pod install

    podHelp.rb 这个ruby脚本会关闭Pod工程内Flutter target的bitcode,并将Flutter.framework和Plugin相关的pod集成到工程中。

    当我们在some/path/my_flutter/pubspec.yaml改变Flutter插件依赖时,都需要运行flutter packages get来刷新podhelper.rb中的插件列表,然后再运行pod install来更新宿主工程。

   # Ensure that ENABLE_BITCODE is set to NO, add a #include to Generated.xcconfig, and
   # add a run script to the Build Phases.
   post_install do |installer|
       installer.pods_project.targets.each do |target|
           target.build_configurations.each do |config|
               # 关闭pod工程的bitcode
               config.build_settings['ENABLE_BITCODE'] = 'NO'
               next if  config.base_configuration_reference == nil
               xcconfig_path = config.base_configuration_reference.real_path
               File.open(xcconfig_path, 'a+') do |file|
                   # 在xcconfig中导入Flutter的xcconfig
                   file.puts "#include \"#{File.realpath(File.join(framework_dir, 'Generated.xcconfig'))}\""
               end
           end
       end
   end

另外由于podHelp.rb是通过 post_install hook 来关闭pod工程的bitcode和引入Generated.xcconfig ,如果原生工程的 Podfile 中也使用了 post_install 则两者会冲突,解决方式可以将 podHelp.rbpost_install 所处理的逻辑封装成一个方法,在工程的 Podfile 中调用。

  1. 关闭原生工程的bitcode。由于Flutter并不支持bitcode,且脚本只是关闭了pod工程的bitcode,因此需要再将原生工程的bitcode关闭。
添加build phase来构建Dart代码

在原生宿主工程的Build Phase中,添加New Run Script Phase,输入脚本内容:

# build模式 会构建App.framework,将Flutter.framework放置到engine目录中
# embed模式 会将两个framework拷贝到.app内的Frameworks目录中

"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh" build
"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh" embed

确保新添加的Run ScriptTarget Denpendenies之后,现在我们可以编译集成Flutter之后的工程了。脚本会将Dart代码编译成App.framework嵌入工程中。

在原生工程中年使用FlutterViewController

AppDelegate.h 中,修改继承关系,让它继承自FlutterAppDelegate ,添加 FlutterEngine类型的属性:

#import 
#import 

@interface AppDelegate : FlutterAppDelegate
@property (nonatomic,strong) FlutterEngine *flutterEngine;
@end

重写application:didFinishLaunchingWithOptions:方法:

#import  // Only if you have Flutter Plugins

#include "AppDelegate.h"

@implementation AppDelegate

// This override can be omitted if you do not have any Flutter Plugins.
- (BOOL)application:(UIApplication *)application
    didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
    // 初始化Flutter引擎
  self.flutterEngine = [[FlutterEngine alloc] initWithName:@"io.flutter" project:nil];
  [self.flutterEngine runWithEntrypoint:nil];
  // 注册插件
  [GeneratedPluginRegistrant registerWithRegistry:self.flutterEngine];
  return [super application:application didFinishLaunchingWithOptions:launchOptions];
}

@end

使用FlutterViewController

#import 
#import "AppDelegate.h"
#import "ViewController.h"

@implementation ViewController
- (void)viewDidLoad {
    [super viewDidLoad];
    UIButton *button = [UIButton buttonWithType:UIButtonTypeCustom];
    [button addTarget:self
               action:@selector(handleButtonAction)
     forControlEvents:UIControlEventTouchUpInside];
    [button setTitle:@"Press me" forState:UIControlStateNormal];
    [button setBackgroundColor:[UIColor blueColor]];
    button.frame = CGRectMake(80.0, 210.0, 160.0, 40.0);
    [self.view addSubview:button];
}

- (void)handleButtonAction {
    FlutterEngine *flutterEngine = [(AppDelegate *)[[UIApplication sharedApplication] delegate] flutterEngine];
    FlutterViewController *flutterViewController = [[FlutterViewController alloc] initWithEngine:flutterEngine nibName:nil bundle:nil];
    [self presentViewController:flutterViewController animated:false completion:nil];
}
@end

到这里,一个集成Flutter的原生工程就能正常运行了,点击VC上的按钮将进入一个Flutter的页面中。

当编写了多个widget时,我们也可以使用路由来展示不同的widgets:

[flutterViewController setInitialRoute:@"route1"];

如果应用的AppDelegate已经继承自某个基类,且不方便直接修改继承关系,则需要自己去实现FlutterAppLifeCycleProvider协议。

热加载

在混编工程中,也可以使用热加载。区别于纯Flutter工程的完善的热加载支持,混编工程的热加载需要通过命令行工具和Dart Observatory的web页面。

首先使用 flutter attach 让flutter等待连接

cd path/to/flutter_module
flutter attach -d device-uuid
Waiting for a connection from Flutter on iPhone 7...

然后在原生工程中Run起工程,然后让flutter附加到进程上。

attach成功后,就可以编辑flutter module中的Dart代码,在命令行中输入r即可热加载。

并且热加载需要管理员权限来执行 stream 操作,当没有管理员权限时在终端执行flutter attach 会在等待一段时间后自动断开,容易让人不知所以。而在VS Code中对纯Flutter工程进行热加载调试时,会有相应的提示。这也体现了千面所说的两种混编工程热加载支持还所有不足。

Flutter与原生相互调用

Flutter调用原生方法

Flutter与原生之间的调用是以MethodChannel为桥梁来完成的 ,在Native中通过FlutterMethodChannel设置代码调用逻辑callHandler,在Flutter中通过MethodChannel来触发原生代码。

原生代码:

#import 

FlutterEngine *flutterEngine = [(AppDelegate *)[[UIApplication sharedApplication] delegate] engine];
    NSString *channelName = @"callNative";
    FlutterMethodChannel *methodChannel = [FlutterMethodChannel methodChannelWithName:channelName binaryMessenger:flutterEngine];
    // 处理fullter调用
    [methodChannel setMethodCallHandler:^(FlutterMethodCall * _Nonnull call, FlutterResult _Nonnull result) {
        if ([call.method isEqualToString:@"changeColor"]) {
            UIColor *randomColor = [UIColor colorWithRed:arc4random_uniform(255) / 255. green:arc4random_uniform(255) / 255. blue:arc4random_uniform(255) / 255. alpha:1];
            self.view.backgroundColor = randomColor;
            result(@"Native color did changed!");
        }
        else {
            result(FlutterMethodNotImplemented);
        }
    }];

Flutter侧代码:

import 'package:flutter/services.dart';

MaterialButton(
  color: Colors.blue,
  textColor: Colors.white,
  child: Text("call native"),
  onPressed: () async {
    var methodChannel = MethodChannel('callNative');
    String res =  await methodChannel.invokeMethod('changeColor');
    Toast.show(res, context, duration: Toast.LENGTH_LONG);
  },
)
原生调用Flutter

原生调用Flutter的方式与上面一致,双方互换,在Flutter侧设置callHandler,在原生通过FlutterMethodChannel调用相关方法。

Flutter代码:

import 'package:flutter/services.dart';

Future changeCount (MethodCall call) {
  if (call.method == 'changeCount') {
    var args = call.arguments;
    setState(() {
      _counter = args[0];
    });
    return Future.value("Flutter count did change!");
  }
  throw MissingPluginException();
}

var channel = MethodChannel('callFlutter');
channel.setMethodCallHandler(changeCount);

原生代码:

#import 

FlutterEngine *flutterEngine = [(AppDelegate *)[[UIApplication sharedApplication] delegate] engine];
NSString *channelName = @"callFlutter";
FlutterMethodChannel *methodChannel = [FlutterMethodChannel methodChannelWithName:channelName binaryMessenger:flutterEngine];
[methodChannel invokeMethod:@"changeCount" arguments:@[@(arc4random_uniform(255))] result:^(id  _Nullable result) {
    NSString *message;
    if ([result isKindOfClass:[FlutterError class]]) {
        message = @"Flutter运行失败";
    }
    else if ([result isEqual:FlutterMethodNotImplemented]) {
        message = @"Flutter 未实现此方法";
    } else {
        message = result ? : @"Flutter调用成功";
    }
    [self.view makeToast:message];
}];

Flutter调用原生方法时,可以获取到原生callHandler中设置的结果作为返回值。

原生调用Flutter时,在invokeMethod:arguments:result:方法中的result 获取返回值。当Flutter运行失败时,result回调中会是一个FlutterError实例,如果Flutter侧未实现该方法,则会是一个FlutterMethodNotImplemented对象,其他值包括nil均表示调用成功。

隔离开发环境

假设团队中有一部分负责Flutter开发,其他人还是在原生环境下开发,按上面的方式把Flutter接入到一个工程中后,如果要团队的所有人员都能正常运行这个工程,则需要所有人都配置Flutter环境。

因此,需要将Flutter的开发环境与原生的开发环境通隔离,过Pod的方式将Flutter的所有产物导入到原生工程中。

Flutter产物主要有如下几个:

  • Flutter引擎相关的 Flutter.framework

  • Dart 代码相关的 App.framework

  • 插件注册入口 FlutterPluginRegistrant

  • 原生相关插件 plugins

通过接入了Flutter的混编工程可以看到,Flutter.frameworkFlutterPluginRegistrant 和各个插件都是以pod的形式接入,而 App.framework 是通过 xcode_backend.sh 脚本从Flutter Module中拷贝到App内的。

因此我们主要处理收集 App.framework 并提供podspec文件即可。

这里示例脚本收集了App.frameworkFlutter.framework ,并将插件相关的产物编译为静态库。收集完成后将podspec修改为本地pod的方式方便验证。

#!/bin/bash
#

export FLUTTER_ROOT=/Users/lindubo505/Documents/flutter
export PUB_HOSTED_URL=https://pub.flutter-io.cn
export FLUTTER_STORAGE_BASE_URL=https://storage.flutter-io.cn
export PATH="$PATH:/Users/lindubo505/Documents/flutter/bin"


if [ ! -d "./product" ];then
mkdir ./product
else
echo "文件夹已经存在"
rm -rf ./product/*
fi

config='Debug'
appConfig="$(echo $config | tr '[:upper:]' '[:lower:]')"

echo "===清理Flutter历史编译==="
flutter clean

echo "===重新生成plugin索引==="
flutter packages get

# 删除原生成的App.framework
rm -rf ./.ios/Flutter/App.framework
echo "===生成App.framework==="
echo "flutter build ios --${appConfig}"
flutter build ios --${appConfig}

# 创建放置产物的目录
if [ ! -d "./product/app" ];then
mkdir ./product/app
fi

# 收集App.framework,生成podspec
cp -fr ./.ios/Flutter/App.framework ./product/app
cp -f $FLUTTER_ROOT/App.podspec ./product/app

# 收集Flutter.framework与podspec
echo "===拷贝Flutter.framework==="
cp -fr ./.ios/Flutter/engine ./product/engine


echo "===生成plugin的静态库==="

while read -r line
do 
    if [[ ! "$line" =~ ^// ]]; then
        array=(${line//=/ })
        plugin_name=${array[0]}
        cd .ios/Pods
        echo "生成lib${plugin_name}.a..."
        /usr/bin/env xcrun xcodebuild build -configuration ${config} ARCHS='arm64 armv7' -target ${plugin_name} BUILD_DIR=../../build/ios -sdk iphoneos -quiet
        /usr/bin/env xcrun xcodebuild build -configuration ${config} ARCHS='x86_64' -target ${plugin_name} BUILD_DIR=../../build/ios -sdk iphonesimulator -quiet
        echo "合并lib${plugin_name}.a..."
        if [[ ! -d "../../product/lib${plugin_name}" ]]; then
            mkdir "../../product/lib${plugin_name}"
        fi
        lipo -create "../../build/ios/${config}-iphonesimulator/${plugin_name}/lib${plugin_name}.a" "../../build/ios/${config}-iphoneos/${plugin_name}/lib${plugin_name}.a" -o "../../product/lib${plugin_name}/lib${plugin_name}.a"
        echo "复制头文件"
        classes=${array[1]}ios/Classes
        for header in `find "$classes" -name *.h`; do
            cp -f $header "../../product/lib${plugin_name}/"
        done

        echo "复制podspec文件"
        specDir=${array[1]}ios
        for spec in `find "$specDir" -name *.podspec`; do
            cp -f $spec "../../product/lib${plugin_name}/"
        done
    else 
        echo "读取文件出错"
    fi
done < .flutter-plugins

echo "===生成注册入口的二进制库文件==="
for reg_enter_name in "FlutterPluginRegistrant"
do
    echo "生成libFlutterPluginRegistrant.a..."
    /usr/bin/env xcrun xcodebuild build -configuration ${config} ARCHS='arm64 armv7' -target FlutterPluginRegistrant BUILD_DIR=../../build/ios -sdk iphoneos -quiet
    /usr/bin/env xcrun xcodebuild build -configuration ${config} ARCHS='x86_64' -target FlutterPluginRegistrant BUILD_DIR=../../build/ios -sdk iphonesimulator -quiet

    if [[ ! -d "../../product/lib${reg_enter_name}" ]]; then
        mkdir "../../product/lib${reg_enter_name}"
    fi

    echo "合并lib${reg_enter_name}.a..."
    lipo -create "../../build/ios/${config}-iphonesimulator/$reg_enter_name/lib${reg_enter_name}.a" "../../build/ios/${config}-iphoneos/${reg_enter_name}/lib${reg_enter_name}.a" -o "../../product/lib${reg_enter_name}/lib${reg_enter_name}.a"
    echo "复制头文件"
    classes="../Flutter/${reg_enter_name}/Classes"
    for header in `find "$classes" -name *.h`; do
        cp -f $header "../../product/lib${reg_enter_name}/"
    done

    echo "复制podspec文件"
    specDir="../Flutter/${reg_enter_name}"
    for spec in `find "$specDir" -name *.podspec`; do
        cp -f $spec "../../product/lib${reg_enter_name}/"
    done
done

# 修改podspec为本地pod
python ../../changePodSpec.py ../../product

# podspec
# 替换原s.source  => s.source           = { :path => '.' }

# 增加s.vendored_libraries = './*.a'

# 替换s.source_files = 'Classes/**/*',为 s.source_files = './*.{h}'
# 删除s.public_header_files = 'Classes/**/*.h'

# sed  -n ‘s/^jcdd/ganji/p’ device_info.podspec
# sed -n '/^[\s]*s.source[\s]+[\d\D]*}/d' device_info.podspec
# sed 's/^[\s]*s.source[\s]+[\d\D]*}/replace/g' device_info.podspec


changePodSpec.py:

#!/usr/bin/python
# -*- coding: utf-8 -*-

import os,sys,re


def replaceOrAdd(content, pattern, mark, new_desc):
    print("pattern: %s" % pattern)
    match = re.search(pattern, content, flags=re.MULTILINE)
    if match:
        res = match.group()
        print("match: %s" % res)
        content = content.replace(res, new_desc)
    else:
        print("unmatch: %s" % pattern)
        content = content.replace(mark, mark + '\n  ' + new_desc)
    return content

def modifyspecsInDir(floder):
    output = os.popen('find %s -name "*.podspec"' % floder)
    allLines = output.readlines()

    for line in allLines:
        specPath = line.strip()
        with open(specPath, 'r+') as f:
            content = f.read()
            # 替换原s.source  => s.source           = { :path => '.' }
            # 替换s.source_files = 'Classes/**/*',为 s.source_files = '*.{h}'
            # 增加s.vendored_libraries = '*.a'
            # 删除s.public_header_files = 'Classes/**/*.h'
            # re.sub(pattern,repl,string,count,flags)

            # re.compile(r'%s = [-\\.$()/\w]+?;' % childrenNodeName)
            # version_pattern = "s\\.version[\\s]+[\\d\\D]+?[}'\"]{1}$"
            version_pattern = r"s\.version[\s]+[\d\D]+?['}\"]$"
            match = re.search(version_pattern, content, flags=re.MULTILINE)
            try:
                version_des = match.group()
            except Exception as e:
                raise e
            

            source_pattern = r"s\.source[\s]+[\d\D]+?['}\"]$"
            source_desc = r"s.source = { :path => '.' }"

            source_files_pattern = r"s\.source_files[\s]+[\d\D]+?['}\"]$"
            source_files_desc = r"s.source_files = '*.{h}'"

            public_header_files_pattern = r"s\.public_header_files[\s]+[\d\D]+?['}\"]$"

            vendored_libraries_pattern = r"s\.vendored_libraries[\s]+[\d\D]+?['}\"]$"
            vendored_libraries_desc = r"s.vendored_libraries = '*.a'"

            

            content = replaceOrAdd(content, source_pattern,version_des, source_desc)

            index = content.find("s.vendored_frameworks")
            if index < 0:
                print("not framework podspec")
                content = replaceOrAdd(content, source_files_pattern, version_des, source_files_desc)
                content = replaceOrAdd(content, vendored_libraries_pattern, version_des, vendored_libraries_desc)
                content = replaceOrAdd(content, public_header_files_pattern, version_des, '')                   
            else:
                print('skip framework podspec')



            f.seek(0, 0)
            f.truncate()
            f.write(content)



if __name__ == '__main__':
    try:
        floder = sys.argv[1]
        # floder = '/Users/lindubo505/Desktop/NativeApp/flutter_module/product'
        modifyspecsInDir(os.path.abspath(floder))
    except Exception as e:
        raise e

收集完成后,修改工程的Podfile

删除:

  flutter_application_path = '/Users/lindubo505/Desktop/NativeApp/flutter_module'
  eval(File.read(File.join(flutter_application_path, '.ios', 'Flutter', 'podhelper.rb')), binding)

改为依赖本地pod

  pod 'Flutter', :path => 'flutter_module/product/engine'
  pod 'App', :path => 'flutter_module/product/app'
  pod 'device_info', :path => 'flutter_module/product/libdevice_info'
  pod 'FlutterPluginRegistrant', :path => 'flutter_module/product/libFlutterPluginRegistrant'
  pod 'image_picker', :path => 'flutter_module/product/libimage_picker'

最后删除工程Build Phase 中添加的 Run Script

"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh" build
"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh" embed

接入成本

包体积变大
IPA包体积 大小 备注
初始化原生工程,无Flutter 25 KB
接入Flutter 17.6 MB 主要差异为:
  1. App.framework 6.1MB
  2. Flutter.framework 37.9 MB |
内存增长
内存 使用情况 备注
原生页面 12.7 M iPhone 7 12.3.1
原生页面+Flutter页面 83.2 M iPhone 7 12.3.1
无法跨越原生代码

Flutter虽然具有跨平台能力,但实际开发中并躲不开原生代码,这反而对Flutter开发者提出了更高的要求,需要去了解两个平台的知识,理想中一个Flutter开发顶替两个终端开发并不存在。

即使官方提供的Dart UI组件也区分了Google的Material和苹果的Cuprtino两种风格,如果想在两端展示各自风格的UI特点,会让开发者十分头痛。

组合而非继承

Flutter提倡“组合”,而不是“继承”。在iOS开发中,我们经常会继承UIView,重写UIView的某个生命周期函数,再添加一些方法和属性,来完成一个自定义的View。但是在Flutter中这些都是不可能的——属性都是final的,例如你继承了了一个Container,你是不能在它的生命周期中修改他的属性的。你始终需要嵌套组合几种Widget,例如RowContainerListViewWidget。这种方法非常不符合直觉,初学时很难想明白如何构建一个完整的组件。

并且这样组合模式让Dart内的UI代码显得非常不简洁,层层的括号嵌套让人眼花缭乱,尤其是在对比SwiftUI后更加明显。

SliverList(
  delegate: SliverChildBuilderDelegate(
    (context, index) {
      final landmark = landmarks[index];
      return LandmarkCell(
        landmark: landmark,
        onTap: () {
          Navigator.push(
            context,
            CupertinoPageRoute(
              builder: (context) => LandmarkDetail(
                landmark: landmark,
              ),
            ),
          );
        },
      );
    },
    childCount: landmarks.length,
  ),
)
ForEach(userData.landmarks) { landmark in
  NavigationButton( destination: LandmarkDetail(landmark: landmark))
 {
    LandmarkRow(landmark: landmark)
  }
}

两者都实现了一个可以点击的列表页,都调用了一个自定义 Cell 。

其他

官方在Flutter 2019 RoadMap中也提出了2019年的计划:

  • 基础优化,包括bug修复、性能表现、错误信息、API文档等方面。

  • 易于接入,提供新的module模板、更友好的文档页面、提供最佳实践、丰富iOS风格组件

  • 生态系统,更好的C/C++支持、更多官方插件包、map/WebView组件完善、Google service接入、本地数据存储等。

  • 工具完善,编辑器支持的完善、支持 Language Server ProtocolDart DevTools完善等。

参考:

[Add-Flutter-to-existing-apps](https://github.com/flutter/flutter/wiki/Add-Flutter-to-existing-apps

Flutter Platform Channels

[有赞 Flutter 混编方案](https://tech.youzan.com/you-zan-flutter-hun-bian-fang-an/

[闲鱼Flutter混合工程持续集成的最佳实践](https://juejin.im/post/5b5811f3e51d4519700f6979

SwiftUI vs Flutter

[浅谈Flutter的优缺点](https://segmentfault.com/a/1190000017164263

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 194,088评论 5 459
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 81,715评论 2 371
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 141,361评论 0 319
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 52,099评论 1 263
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 60,987评论 4 355
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 46,063评论 1 272
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 36,486评论 3 381
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 35,175评论 0 253
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 39,440评论 1 290
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 34,518评论 2 309
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 36,305评论 1 326
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 32,190评论 3 312
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 37,550评论 3 298
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 28,880评论 0 17
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 30,152评论 1 250
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 41,451评论 2 341
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 40,637评论 2 335

推荐阅读更多精彩内容