├── .gitattributes ├── .github └── workflows │ ├── CD.yml │ └── CI.yml ├── .gitignore ├── LICENSE ├── README-CN.md ├── README.md ├── cnki2bibtex ├── __init__.py ├── bibtex_entry.py ├── cnki2bib.py ├── cnki_entry.py ├── entry.py └── misc │ ├── __init__.py │ ├── check.py │ └── configure.py ├── requirements.txt ├── setup.py └── tests ├── assets ├── ChineseColon.net ├── Classic5Test.net ├── CoverAllTest15Entries.net ├── LotsOfEnglish.net ├── mixed.net ├── nameyear │ ├── ChineseColon.bib │ ├── Classic5Test.bib │ ├── CoverAllTest15Entries.bib │ ├── LotsOfEnglish.bib │ ├── mixed.bib │ └── withLineBreakInAddress.bib ├── title │ ├── ChineseColon.bib │ ├── Classic5Test.bib │ ├── CoverAllTest15Entries.bib │ ├── LotsOfEnglish.bib │ ├── mixed.bib │ └── withLineBreakInAddress.bib └── withLineBreakInAddress.net └── test.py /.gitattributes: -------------------------------------------------------------------------------- 1 | *.net linguist-detectable=false 2 | *.bib linguist-detectable=false 3 | -------------------------------------------------------------------------------- /.github/workflows/CD.yml: -------------------------------------------------------------------------------- 1 | name: Deploy to PyPI 2 | 3 | on: 4 | release: 5 | types: [published] 6 | 7 | jobs: 8 | deploy: 9 | runs-on: ubuntu-latest 10 | steps: 11 | - uses: actions/checkout@v1 12 | - name: Set up Python 13 | uses: actions/setup-python@v1 14 | with: 15 | python-version: '3.x' 16 | - name: Install dependencies 17 | run: | 18 | python -m pip install --upgrade pip 19 | pip install setuptools wheel twine 20 | - name: Build and publish 21 | env: 22 | TWINE_USERNAME: ${{ secrets.PYPI_USERNAME }} 23 | TWINE_PASSWORD: ${{ secrets.PYPI_PASSWORD }} 24 | run: | 25 | python setup.py sdist bdist_wheel 26 | twine upload dist/* 27 | -------------------------------------------------------------------------------- /.github/workflows/CI.yml: -------------------------------------------------------------------------------- 1 | name: CI 2 | 3 | on: [push] 4 | 5 | jobs: 6 | build: 7 | 8 | runs-on: ubuntu-latest 9 | 10 | steps: 11 | - uses: actions/checkout@v1 12 | - name: Set up Python 3.7 13 | uses: actions/setup-python@v1 14 | with: 15 | python-version: 3.7 16 | - name: Install dependencies 17 | run: | 18 | python -m pip install --upgrade pip 19 | pip install -r requirements.txt 20 | - name: Install testing packages 21 | run: pip install nose 22 | - name: Run tests 23 | run: nosetests 24 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Byte-compiled / optimized / DLL files 2 | __pycache__/ 3 | *.py[cod] 4 | *$py.class 5 | 6 | # C extensions 7 | *.so 8 | 9 | # Distribution / packaging 10 | .Python 11 | build/ 12 | develop-eggs/ 13 | dist/ 14 | downloads/ 15 | eggs/ 16 | .eggs/ 17 | lib/ 18 | lib64/ 19 | parts/ 20 | sdist/ 21 | var/ 22 | wheels/ 23 | *.egg-info/ 24 | .installed.cfg 25 | *.egg 26 | MANIFEST 27 | 28 | # PyInstaller 29 | # Usually these files are written by a python script from a template 30 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 31 | *.manifest 32 | *.spec 33 | 34 | # Installer logs 35 | pip-log.txt 36 | pip-delete-this-directory.txt 37 | 38 | # Unit test / coverage reports 39 | htmlcov/ 40 | .tox/ 41 | .coverage 42 | .coverage.* 43 | .cache 44 | nosetests.xml 45 | coverage.xml 46 | *.cover 47 | .hypothesis/ 48 | .pytest_cache/ 49 | 50 | # Translations 51 | *.mo 52 | *.pot 53 | 54 | # Django stuff: 55 | *.log 56 | local_settings.py 57 | db.sqlite3 58 | 59 | # Flask stuff: 60 | instance/ 61 | .webassets-cache 62 | 63 | # Scrapy stuff: 64 | .scrapy 65 | 66 | # Sphinx documentation 67 | docs/_build/ 68 | 69 | # PyBuilder 70 | target/ 71 | 72 | # Jupyter Notebook 73 | .ipynb_checkpoints 74 | 75 | # pyenv 76 | .python-version 77 | 78 | # celery beat schedule file 79 | celerybeat-schedule 80 | 81 | # SageMath parsed files 82 | *.sage.py 83 | 84 | # Environments 85 | .env 86 | .venv 87 | env/ 88 | venv/ 89 | ENV/ 90 | env.bak/ 91 | venv.bak/ 92 | 93 | # Spyder project settings 94 | .spyderproject 95 | .spyproject 96 | 97 | # Rope project settings 98 | .ropeproject 99 | 100 | # mkdocs documentation 101 | /site 102 | 103 | # mypy 104 | .mypy_cache/ 105 | 106 | # vscode 107 | .vscode/ 108 | 109 | # distribution 110 | .pypirc 111 | 112 | # custom 113 | .DS_Store 114 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2019 Vopaaz 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /README-CN.md: -------------------------------------------------------------------------------- 1 | # CNKI_2_BibTeX 2 | 3 | 将中国知网导出的 NoteExpress 文献记录转换成 BibTeX 文献记录。 4 | 5 | [![Downloads](https://pepy.tech/badge/cnki2bib)](https://pepy.tech/project/cnki2bib) 6 | ![PyPI](https://img.shields.io/pypi/v/cnki2bib) 7 | [![Actions Status](https://github.com/Vopaaz/CNKI_2_BibTeX/workflows/CI/badge.svg)](https://github.com/Vopaaz/CNKI_2_BibTeX/actions) 8 | [![codecov](https://codecov.io/gh/Vopaaz/CNKI_2_BibTeX/branch/master/graph/badge.svg)](https://codecov.io/gh/Vopaaz/CNKI_2_BibTeX) 9 | 10 | - [CNKI_2_BibTeX](#cnki2bibtex) 11 | - [开始](#%e5%bc%80%e5%a7%8b) 12 | - [环境要求](#%e7%8e%af%e5%a2%83%e8%a6%81%e6%b1%82) 13 | - [安装](#%e5%ae%89%e8%a3%85) 14 | - [使用](#%e4%bd%bf%e7%94%a8) 15 | - [最后...](#%e6%9c%80%e5%90%8e) 16 | - [Windows 上的骚操作](#windows-%e4%b8%8a%e7%9a%84%e9%aa%9a%e6%93%8d%e4%bd%9c) 17 | - [在知网上导出 .net 文件](#%e5%9c%a8%e7%9f%a5%e7%bd%91%e4%b8%8a%e5%af%bc%e5%87%ba-net-%e6%96%87%e4%bb%b6) 18 | - [在知网上将 .net 文件内容复制到剪贴板](#%e5%9c%a8%e7%9f%a5%e7%bd%91%e4%b8%8a%e5%b0%86-net-%e6%96%87%e4%bb%b6%e5%86%85%e5%ae%b9%e5%a4%8d%e5%88%b6%e5%88%b0%e5%89%aa%e8%b4%b4%e6%9d%bf) 19 | 20 | ## 开始 21 | 22 | ### 环境要求 23 | 24 | - Python3 25 | 26 | ### 安装 27 | 28 | ``` 29 | pip install cnki2bib 30 | ``` 31 | 32 | ### 使用 33 | 34 | 请确认 `cnki2bib` 被安装到了你的 `PATH` 中。 35 | 36 | ``` 37 | cnki2bib [OPTIONS] [INPUTFILE] 38 | ``` 39 | 40 | 参数: 41 | 42 | - `INPUTFILE`: 43 | - 输入要转换的 .net 文件。如果留空,则会尝试读取剪贴板中的内容。 44 | 45 | 选项: 46 | 47 | - `-c, --copy / -nc, --no-copy` 48 | - 是否将转换结果复制到剪贴板中 49 | - 默认:`True` 50 | 51 | - `-od, --outputDefault / -nod, --no-outputDefault` 52 | - 是否创建一个默认的输出 .bib 文件 53 | - 这个文件与输入的 .net 文件同名,并且在它同一个目录下 54 | - 如果输入使用的是剪贴板,则会创建在当前的工作目录 55 | - 默认:`True` 56 | 57 | - `-o, --outputfile FILENAME` 58 | - 指定一个输出的 .bib 文件 59 | 60 | - `-f, --id-format [title|nameyear]` 61 | - 选择 BibTeX 条目 ID 的格式 62 | - 文章标题的前几个单词(或中文字符的拼音) 63 | - 第一作者的姓名(若是中文则取其拼音)+ 发表年份 64 | - 默认:`title` 65 | - 当指定过一次这个选项之后,你的选择会被保存在 `~/.cnki2bib.cfg` 中,之后使用无需再次选择这一选项 66 | 67 | - `--help` 68 | - 显示英文帮助 69 | 70 | ### 最后... 71 | 72 | 开始使用 BibTeX 来管理你的文献吧! 73 | 74 | ## 双击以使用 75 | 76 | 你可以在 Python/Scripts 文件夹中找到 `cnki2bib.exe` 并且将其设置为打开 .net 文件的默认程序。 77 | 78 | 之后,当你双击一个 .net 文件,相应的 BibTeX 结果会被复制到你的剪贴板,同时在同一目录下会创建同名 .bib 文件。 79 | 80 | 如果发生问题。请用命令行来查看错误信息并尽情 issue~ 81 | 82 | ## 在知网上导出 .net 文件 83 | 84 | ![FxL8Cq.png](https://s2.ax1x.com/2019/01/14/FxL8Cq.png) 85 | 86 | ## 在知网上将 .net 文件内容复制到剪贴板 87 | 88 | ![FxL8Cq.png](https://github.com/SNBQT/share-images/blob/master/cnki2bib.png?raw=true) 89 | 90 | **你必须允许 Flash 才能看到“复制到剪贴板”按钮。** 91 | 92 | 复制之后,直接在 console 中使用命令 `cnki2bib`. 相应的 BibTeX 输出会被复制到你的剪贴板,同时在工作目录下会创建一个 `out.bib` 文件。 :smile: 93 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # CNKI_2_BibTeX 2 | 3 | Converting the NoteExpress (.net) file exported by CNKI (中国知网) to BibTeX (.bib) file. 4 | 5 | 将中国知网导出的 NoteExpress 文献记录转换成 BibTeX 文献记录。[中文 README](README-CN.md) 6 | 7 | [![Downloads](https://pepy.tech/badge/cnki2bib)](https://pepy.tech/project/cnki2bib) 8 | ![PyPI](https://img.shields.io/pypi/v/cnki2bib) 9 | [![Actions Status](https://github.com/Vopaaz/CNKI_2_BibTeX/workflows/CI/badge.svg)](https://github.com/Vopaaz/CNKI_2_BibTeX/actions) 10 | [![codecov](https://codecov.io/gh/Vopaaz/CNKI_2_BibTeX/branch/master/graph/badge.svg)](https://codecov.io/gh/Vopaaz/CNKI_2_BibTeX) 11 | 12 | 13 | 14 | 15 | 16 | - [CNKI_2_BibTeX](#cnki_2_bibtex) 17 | - [Getting Started](#getting-started) 18 | - [Prerequisites](#prerequisites) 19 | - [Installation](#installation) 20 | - [Using](#using) 21 | - [Finally...](#finally) 22 | - [Double-click to use](#double-click-to-use) 23 | - [Export NoteExpress .net File on CNKI](#export-noteexpress-net-file-on-cnki) 24 | - [Copy NoteExpress Entry content to the clipboard.](#copy-noteexpress-entry-content-to-the-clipboard) 25 | 26 | 27 | 28 | 29 | ## Getting Started 30 | 31 | ### Prerequisites 32 | 33 | - Python3 34 | 35 | ### Installation 36 | 37 | ``` 38 | pip install cnki2bib 39 | ``` 40 | 41 | ### Using 42 | 43 | Make sure it's in your `PATH`. 44 | 45 | ``` 46 | cnki2bib [OPTIONS] [INPUTFILE] 47 | ``` 48 | 49 | Arguments: 50 | 51 | - `INPUTFILE`: 52 | - The input .net file to be converted. If left blank, the contents in the clipboard will be used. 53 | 54 | Options: 55 | 56 | - `-c, --copy / -nc, --no-copy` 57 | - Whether or not to copy the result to clipboard. 58 | - Default: `True` 59 | 60 | - `-od, --outputDefault / -nod, --no-outputDefault` 61 | - Whether or not to create a default .bib file. 62 | - It has the same name as the source .net file in its directory. 63 | - Or if the input source is clipboard, it will be 'out.bib' in current working directory. 64 | - Default: `True` 65 | 66 | - `-o, --outputfile FILENAME` 67 | - Create a certain output .bib file. 68 | 69 | - `-f, --id-format [title|nameyear]` 70 | - Choose the format of the ID of BibTeX entries. 71 | - The first several words (or their pinyin) in the title 72 | - The first author (or the pinyin) plus year. 73 | - Default: `title` 74 | - Once you have assigned a format, your choice will be saved in `~/.cnki2bib.cfg`. It is unnecessary to type this choice since then. 75 | 76 | - `--help` 77 | - Show this message and exit. 78 | 79 | 80 | ### Finally... 81 | 82 | Start using BibTeX to manage the literature references. 83 | 84 | ## Double-click to use 85 | 86 | You can find `cnki2bib.exe` in your Python/Scripts and set it as the default program to open the .net file. 87 | 88 | Then when you double-click a .net file, the corresponding BibTeX Entries will be copied to your clipboard, and a .bib file would be created on the same directory. 89 | 90 | Use the console to check for Exception if it does not work as expected, and issue is welcomed. 91 | 92 | 93 | ## Export NoteExpress .net File on CNKI 94 | 95 | ![FxL8Cq.png](https://s2.ax1x.com/2019/01/14/FxL8Cq.png) 96 | 97 | ## Copy NoteExpress Entry content to the clipboard. 98 | 99 | ![FxL8Cq.png](https://github.com/SNBQT/share-images/blob/master/cnki2bib.png?raw=true) 100 | 101 | **You have to enable Flash to see the "Copy to clipboard" button.** 102 | 103 | Then just run `cnki2bib` in the terminal. The corresponding BibTeX Entries will be copied to your clipboard, and an 'out.bib' file is created at the current directory. :smile: 104 | -------------------------------------------------------------------------------- /cnki2bibtex/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Vopaaz/CNKI_2_BibTeX/d163498e5e54f8591574e68f4ba6eac6d61b34ee/cnki2bibtex/__init__.py -------------------------------------------------------------------------------- /cnki2bibtex/bibtex_entry.py: -------------------------------------------------------------------------------- 1 | import logging 2 | import re 3 | from collections import defaultdict 4 | 5 | import jieba 6 | from pypinyin import lazy_pinyin as pinyin 7 | 8 | from cnki2bibtex.entry import Entry, NOT_FOUND 9 | from cnki2bibtex.misc.check import check_entry_has_valid_fields, check_bib_entry_has_id 10 | from cnki2bibtex.misc.configure import get_id_format 11 | 12 | 13 | class BibTeXEntry(Entry): 14 | 15 | rules = [] 16 | 17 | @classmethod 18 | def cnki_entry_is_this_bib_entry_type(cls, cnki_entry): 19 | if not cls.rules or not isinstance(cls.rules, list): 20 | raise RulesNotValidException(cls.rules) 21 | for rule in cls.rules: 22 | if cls.__cnki_entry_match_this_rule(cnki_entry, rule): 23 | return True 24 | return False 25 | 26 | @staticmethod 27 | def __cnki_entry_match_this_rule(cnki_entry, rule): 28 | for key, target in rule.items(): 29 | if cnki_entry[key] != target: 30 | return False 31 | return True 32 | 33 | def __init__(self, cnki_entry=None): 34 | self.fields = defaultdict(lambda: None) 35 | self.id = None 36 | if cnki_entry: 37 | self.generate_fields(cnki_entry) 38 | self.generate_id(cnki_entry) 39 | 40 | def generate_id(self, cnki_entry): 41 | id_format = get_id_format() 42 | if id_format == "title": 43 | self.generate_id_in_title_format(cnki_entry) 44 | elif id_format == "nameyear": 45 | self.generate_id_in_name_year_format(cnki_entry) 46 | 47 | def generate_id_in_name_year_format(self, cnki_entry): 48 | name = cnki_entry["Author"].split(";")[0].split(",")[0].split(",")[0] 49 | name = name.replace(" ", "").replace(u"\u3000", "") 50 | year = cnki_entry["Year"] 51 | if self.__is_full_english(name): 52 | self.id = name + year 53 | else: 54 | self.id = "".join([i.title() for i in pinyin(name)]) + year 55 | 56 | def generate_id_in_title_format(self, cnki_entry): 57 | title = cnki_entry["Title"] 58 | title = re.sub(r"[0-9]", "", title) 59 | title = re.sub(r"[_,;]", "", title) 60 | if self.__is_full_english(title): 61 | title_words = title.strip().split(" ") 62 | self.id = "".join(title_words[0 : min(len(title_words), 4)]) 63 | else: 64 | jieba.setLogLevel(logging.INFO) 65 | title = title.replace(" ", "").replace(u"\u3000", "") 66 | title_words = list(jieba.cut(title)) 67 | string_to_convert = "".join(title_words[0 : min(len(title_words), 3)]) 68 | self.id = "".join(pinyin(string_to_convert)) 69 | 70 | def __is_full_english(self, string): 71 | return not re.search(u"[\u4e00-\u9fa5]", string) 72 | 73 | def generate_fields(self, cnki_entry): 74 | self.generate_required_fields_and_mark_recorded(cnki_entry) 75 | self.generate_optional_fields(cnki_entry) 76 | self.fix_entry_differences() 77 | 78 | def fix_entry_differences(self): 79 | if "author" in self: 80 | self["author"] = self["author"].strip(";").replace(";;", " and ").replace(";", " and ") 81 | if not self.__is_full_english(self["author"]): 82 | self["author"] = self["author"].replace(",", " and ").replace(",", " and ") 83 | for field_name, field_content in self.items(): 84 | self[field_name] = field_content.replace(r"&", r"\&").replace(r"_", r"\_") 85 | 86 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 87 | raise NotImplementedError 88 | 89 | def generate_optional_fields(self, cnki_entry): 90 | for field_name in cnki_entry: 91 | if cnki_entry.field_is_not_recorded(field_name) and field_name not in ["Reference Type", NOT_FOUND]: 92 | self.record_one_optional_field(cnki_entry, field_name) 93 | 94 | def record_one_optional_field(self, cnki_entry, field_name): 95 | save_field_names = field_name.split("/") 96 | NOT_SET_LOWER_FIELD_NAME_LIST = ["ISBN", "ISSN"] 97 | for save_field_name in save_field_names: 98 | save_field_name = "".join(save_field_name.strip().split(" ")).replace(",", "") 99 | if save_field_name not in NOT_SET_LOWER_FIELD_NAME_LIST: 100 | self.fields[save_field_name.lower()] = cnki_entry[field_name] 101 | else: 102 | self.fields[save_field_name] = cnki_entry[field_name] 103 | cnki_entry.mark_fields_are_recorded(field_name) 104 | 105 | @check_entry_has_valid_fields 106 | @check_bib_entry_has_id 107 | def to_bib_file_string(self): 108 | string = "" 109 | string += r"@" 110 | string += self.__class__.__name__ 111 | string += r"{" 112 | string += self.id 113 | string += ",\n" 114 | for key, value in self.items(): 115 | string += "\t{key} = {{{value}}},\n".format(key=key, value=value) 116 | string += r"}" 117 | string += "\n\n" 118 | return string 119 | 120 | 121 | class Article(BibTeXEntry): 122 | 123 | rules = [{"Reference Type": "Journal Article"}] 124 | 125 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 126 | self["author"] = cnki_entry["Author"] 127 | self["title"] = cnki_entry["Title"] 128 | self["journal"] = cnki_entry["Journal"] 129 | self["year"] = cnki_entry["Year"] 130 | cnki_entry.mark_fields_are_recorded("Author", "Title", "Journal", "Year") 131 | 132 | 133 | class Book(BibTeXEntry): 134 | 135 | rules = [{"Reference Type": "Book"}] 136 | 137 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 138 | self["author"] = cnki_entry["Author"] 139 | self["title"] = cnki_entry["Title"] 140 | self["publisher"] = cnki_entry["Publisher"] 141 | self["year"] = cnki_entry["Date"].split("-")[0] 142 | cnki_entry.mark_fields_are_recorded("Author", "Title", "Publisher") 143 | 144 | def generate_optional_fields(self, cnki_entry): 145 | cnki_entry["month"] = cnki_entry["Date"].split("-")[1] 146 | if "图书印刷版ISBN" in cnki_entry: 147 | cnki_entry["ISBN"] = cnki_entry.pop("图书印刷版ISBN") 148 | super().generate_optional_fields(cnki_entry) 149 | 150 | 151 | class Booklet(BibTeXEntry): 152 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 153 | 154 | 155 | class InBook(BibTeXEntry): 156 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 157 | 158 | 159 | class InCollection(BibTeXEntry): 160 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 161 | 162 | 163 | class InProceedings(BibTeXEntry): 164 | rules = [{"Reference Type": "Conference Proceedings"}] 165 | 166 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 167 | self["author"] = cnki_entry["Author"] 168 | self["title"] = cnki_entry["Title"] 169 | self["booktitle"] = cnki_entry["Tertiary Title"] 170 | self["year"] = cnki_entry["Year"] 171 | cnki_entry.mark_fields_are_recorded("Author", "Title", "Tertiary Title", "Year") 172 | 173 | 174 | class Manual(BibTeXEntry): 175 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 176 | 177 | 178 | class MastersThesis(BibTeXEntry): 179 | rules = [{"Reference Type": "Thesis", "Type of Work": "硕士"}] 180 | 181 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 182 | self["author"] = cnki_entry["Author"] 183 | self["title"] = cnki_entry["Title"] 184 | self["school"] = cnki_entry["Publisher"] 185 | self["year"] = cnki_entry["Year"] 186 | cnki_entry.mark_fields_are_recorded("Author", "Title", "Publisher", "Year") 187 | 188 | 189 | class PhdThesis(BibTeXEntry): 190 | rules = [{"Reference Type": "Thesis", "Type of Work": "博士"}] 191 | 192 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 193 | self["author"] = cnki_entry["Author"] 194 | self["title"] = cnki_entry["Title"] 195 | self["school"] = cnki_entry["Publisher"] 196 | self["year"] = cnki_entry["Year"] 197 | cnki_entry.mark_fields_are_recorded("Author", "Title", "Publisher", "Year") 198 | 199 | 200 | class Proceedings(BibTeXEntry): 201 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no way to extract the proceeding citation info on CNKI. 202 | 203 | 204 | class TechReport(BibTeXEntry): 205 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 206 | 207 | 208 | class Unpublished(BibTeXEntry): 209 | rules = [{NOT_FOUND: NOT_FOUND}] # There seems to be no entry on CNKI matches this type. 210 | 211 | 212 | class Misc(BibTeXEntry): 213 | rules = [{NOT_FOUND: NOT_FOUND}] # Misc is the entry that matches any case. 214 | 215 | def generate_required_fields_and_mark_recorded(self, cnki_entry): 216 | pass 217 | 218 | 219 | class BibTeXContentStringFactory(object): 220 | SPECIFIED_ENTRY_TYPE_LIST = [ 221 | Article, 222 | Book, 223 | Booklet, 224 | InBook, 225 | InCollection, 226 | InProceedings, 227 | Manual, 228 | MastersThesis, 229 | PhdThesis, 230 | Proceedings, 231 | TechReport, 232 | Unpublished, 233 | ] 234 | 235 | @classmethod 236 | def give_bib_file_content_string(cls, cnki_entries): 237 | full_string = "" 238 | for cnki_entry in cnki_entries: 239 | found = False 240 | 241 | for entry_type in cls.SPECIFIED_ENTRY_TYPE_LIST: 242 | if entry_type.cnki_entry_is_this_bib_entry_type(cnki_entry): 243 | full_string += entry_type(cnki_entry).to_bib_file_string() 244 | found = True 245 | break 246 | 247 | if not found: 248 | full_string += Misc(cnki_entry).to_bib_file_string() 249 | 250 | return full_string 251 | 252 | 253 | class RulesNotValidException(Exception): 254 | def __init__(self, rules): 255 | self.message = str(rules) + " is not valid. It should be a list whose elements are dictionaries." 256 | self.args = (self.message,) 257 | 258 | 259 | class OneRuleIsNotValidException(Exception): 260 | def __init__(self, rule): 261 | self.message = str(rule) + " is not valid. It should be a dictionary whose values are simply String." 262 | self.args = (self.message,) 263 | 264 | -------------------------------------------------------------------------------- /cnki2bibtex/cnki2bib.py: -------------------------------------------------------------------------------- 1 | import click 2 | import pyperclip 3 | import logging 4 | import os 5 | 6 | from cnki2bibtex.bibtex_entry import BibTeXContentStringFactory 7 | from cnki2bibtex.cnki_entry import CNKIEntryFactory 8 | from cnki2bibtex.misc.configure import set_id_format 9 | 10 | 11 | def get_bib_file_content_string(cnki_file_content): 12 | cnki_entries = CNKIEntryFactory().give_all_entries(cnki_file_content) 13 | return BibTeXContentStringFactory.give_bib_file_content_string(cnki_entries) 14 | 15 | 16 | def copy_to_clipboard(content): 17 | pyperclip.copy(content) 18 | 19 | 20 | @click.command() 21 | @click.argument("inputFile", type=click.Path(exists=True, dir_okay=False), required=False) 22 | @click.option( 23 | "--copy/--no-copy", "-c/-nc", default=True, help="Whether or not to copy the result to clipboard. Default: True" 24 | ) 25 | @click.option( 26 | "--outputDefault/--no-outputDefault", 27 | "-od/-nod", 28 | default=True, 29 | help="Whether or not to create a default .bib file. It has the same name as the source .net file in its directory. Or if the input source is clipboard, it will be 'out.bib' in current working directory. Default: True", 30 | ) 31 | @click.option( 32 | "--outputfile", "-o", type=click.Path(exists=False, dir_okay=False), help="Create a certain output .bib file" 33 | ) 34 | @click.option( 35 | "--id-format", 36 | "-f", 37 | type=click.Choice(["title", "nameyear"]), 38 | help="Choose the format of the ID. Pinyin of the first words in the title, or pinyin of the first author plus year", 39 | ) 40 | @click.option( 41 | "--append/--no-append", 42 | "-a/-na", 43 | default=False, 44 | help="Whether to append at the end of output file or overwrite it. Default: False (overwrite)", 45 | ) 46 | def launch(inputfile, copy, outputdefault, outputfile, id_format, append): 47 | """Converting a NoteExpress Entry .net file exported by CNKI to BibTeX .bib file. 48 | 49 | \b 50 | Arguments: 51 | 52 | INPUTFILE: Optional. The input .net file to be converted. If left empty, the contents in the clipboard will be used.""" 53 | 54 | if id_format: 55 | set_id_format(id_format) 56 | click.echo(f"Id format set to {id_format}") 57 | 58 | if not copy and not outputdefault and not outputfile and not id_format: 59 | return 60 | 61 | if inputfile != None: 62 | if os.path.splitext(inputfile)[1] != ".net": 63 | logging.warning("The input file may not be a NoteExpress Entries file.") 64 | 65 | try: 66 | with open(inputfile, "r", encoding="utf-8") as f: 67 | cnki_file_content = f.read() 68 | except: 69 | click.echo("Failed to open the file. Please check input path.") 70 | else: 71 | click.echo("Read the NoteExpress Entry content from the clipboard.") 72 | cnki_file_content = pyperclip.paste() 73 | 74 | try: 75 | bib_file_string = get_bib_file_content_string(cnki_file_content) 76 | except Exception as e: 77 | click.echo("Failed to phrase the NoteExpress Entry content.") 78 | click.echo("Error message:\n" + str(e)) 79 | 80 | if copy: 81 | try: 82 | copy_to_clipboard(bib_file_string) 83 | click.echo("BibTeX entries copied to clipboard.") 84 | except Exception as e: 85 | click.echo("Failed to copy to the clipboard.") 86 | click.echo("Error message:\n" + str(e)) 87 | 88 | if outputdefault: 89 | try: 90 | target_path = (os.path.splitext(inputfile)[0] if inputfile else "out") + ".bib" 91 | with open(target_path, "a" if append else "w", encoding="utf-8") as f: 92 | f.write(bib_file_string) 93 | 94 | if inputfile: 95 | click.echo( 96 | "File '{}' is created at the same directory as the source file.".format( 97 | os.path.basename(target_path) 98 | ) 99 | ) 100 | else: 101 | click.echo("File 'out.bib' is created at current directory.") 102 | except Exception as e: 103 | click.echo("Failed to write the default output .bib file.") 104 | click.echo("Error message:\n" + str(e)) 105 | 106 | if outputfile: 107 | try: 108 | with open(outputfile, "a" if append else "w", encoding="utf-8") as f: 109 | f.write(bib_file_string) 110 | 111 | click.echo("The output file is created.") 112 | except Exception as e: 113 | click.echo("Failed to create a .bib file at the path you choose.") 114 | click.echo("Error message:\n" + str(e)) 115 | 116 | 117 | if __name__ == "__main__": 118 | # The parameter is specified by CLI argument and managed by Click 119 | launch() # pylint: disable=no-value-for-parameter 120 | -------------------------------------------------------------------------------- /cnki2bibtex/cnki_entry.py: -------------------------------------------------------------------------------- 1 | import re 2 | from collections import defaultdict 3 | 4 | from cnki2bibtex.entry import Entry 5 | from cnki2bibtex.misc.check import check_entry_has_valid_fields 6 | 7 | 8 | class CNKIEntry(Entry): 9 | """ 10 | One entry of CNKI .net file. 11 | """ 12 | 13 | def __init__(self): 14 | self.fields = defaultdict(lambda: None) 15 | self.recorded_field_names = [] 16 | 17 | def add_field_from_line(self, string_line): 18 | re_obj = re.match(r"\{(.*)\}[::](.*)", string_line) 19 | field_name = re_obj.group(1).strip() 20 | field_content = re_obj.group(2).strip() 21 | self.fields[field_name] = field_content 22 | 23 | def add_all_fields_from_block(self, string_block): 24 | for line in string_block.split("\n"): 25 | self.add_field_from_line(line.strip()) 26 | 27 | def __mark_field_is_recorded(self, key): 28 | if key not in self.fields: 29 | raise FieldNotInEntryException(key, self) 30 | elif key not in self.recorded_field_names: 31 | self.recorded_field_names.append(key) 32 | else: 33 | raise FieldAlreadyRecordedException(key, self) 34 | 35 | @check_entry_has_valid_fields 36 | def mark_fields_are_recorded(self, *keys): 37 | for key in keys: 38 | self.__mark_field_is_recorded(key) 39 | 40 | @check_entry_has_valid_fields 41 | def field_is_not_recorded(self, key): 42 | return key not in self.recorded_field_names 43 | 44 | 45 | class CNKIEntryFactory(object): 46 | def give_all_entries(self, full_text_in_net_file): 47 | entries = [] 48 | for block in full_text_in_net_file.strip().split(r"{Reference Type}")[1:]: 49 | block = r"{Reference Type}" + block.strip() 50 | block = self.preprocess(block) 51 | tmp = CNKIEntry() 52 | tmp.add_all_fields_from_block(block.strip()) 53 | entries.append(tmp) 54 | return entries 55 | 56 | def preprocess(self, block): 57 | block = self.fix_line_break_in_content(block) 58 | return block 59 | 60 | def fix_line_break_in_content(self, block): 61 | block = re.sub("\n+", "\n", block) 62 | block = re.sub("\n([^\{])", lambda match_obj: match_obj.group(1), block) 63 | return block 64 | 65 | 66 | class FieldNotInEntryException(Exception): 67 | def __init__(self, required_field, entry): 68 | if "Title" not in entry: 69 | self.message = "{} is not in the entry.".format(required_field) 70 | else: 71 | self.message = "{} is not in the entry titled {}.".format(required_field, entry["Title"]) 72 | 73 | self.args = (self.message,) 74 | 75 | 76 | class FieldAlreadyRecordedException(Exception): 77 | def __init__(self, marked_field, entry): 78 | if "Title" not in entry: 79 | self.message = "Field {} is already marked recorded.".format(marked_field) 80 | else: 81 | self.message = "Field {} in entry titled {} is already marked recorded.".format( 82 | marked_field, entry["Title"] 83 | ) 84 | self.message += " Check if there are duplicates." 85 | self.args = (self.message,) 86 | -------------------------------------------------------------------------------- /cnki2bibtex/entry.py: -------------------------------------------------------------------------------- 1 | import logging 2 | import warnings 3 | from collections import defaultdict 4 | 5 | from cnki2bibtex.misc.check import RequiredFieldMissingException, check_entry_has_valid_fields 6 | 7 | NOT_FOUND = "" 8 | 9 | 10 | class Entry(object): 11 | def __init__(self): 12 | self.fields = defaultdict(lambda: None) 13 | 14 | @check_entry_has_valid_fields 15 | def __getitem__(self, key): 16 | field = self.fields[key] 17 | if key not in [NOT_FOUND] and not field: 18 | field = "Null" 19 | logger = logging.getLogger(__name__) 20 | if "Title" not in self.fields: 21 | logger.warning("The {} field in the entry is Empty. Returned as string 'Null'.".format(key)) 22 | else: 23 | logger.warning( 24 | "The {} field in the entry titled {} is Empty. Returned as string 'Null'.".format( 25 | key, self.fields["Title"] 26 | ) 27 | ) 28 | return field 29 | 30 | @check_entry_has_valid_fields 31 | def __iter__(self): 32 | return self.fields.__iter__() 33 | 34 | @check_entry_has_valid_fields 35 | def items(self): 36 | return self.fields.items() 37 | 38 | @check_entry_has_valid_fields 39 | def __contains__(self, key): 40 | return key in self.fields 41 | 42 | def __setitem__(self, key, value): 43 | self.fields[key] = value 44 | 45 | def pop(self, key): 46 | return self.fields.pop(key) 47 | -------------------------------------------------------------------------------- /cnki2bibtex/misc/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Vopaaz/CNKI_2_BibTeX/d163498e5e54f8591574e68f4ba6eac6d61b34ee/cnki2bibtex/misc/__init__.py -------------------------------------------------------------------------------- /cnki2bibtex/misc/check.py: -------------------------------------------------------------------------------- 1 | from collections import defaultdict 2 | 3 | 4 | class EntryFieldInvalidException(Exception): 5 | def __init__(self, class_name): 6 | self.message = "The fields of {} is invalid.".format(class_name) 7 | self.args = (self.message,) 8 | 9 | 10 | class RequiredFieldMissingException(Exception): 11 | def __init__(self, field_name): 12 | self.message = "The required field {} is not in the target entry.".format(field_name) 13 | self.args = (self.message,) 14 | 15 | 16 | class BibEntryHasNoIDException(Exception): 17 | def __init__(self): 18 | self.message = "The BibTeX entry has no ID yet." 19 | self.args = (self.message,) 20 | 21 | 22 | def check_entry_has_valid_fields(func): 23 | def inner(self, *args, **kwargs): 24 | if not self.fields or not isinstance(self.fields, (dict, defaultdict)): 25 | raise EntryFieldInvalidException(self.__class__.__name__) 26 | return func(self, *args, **kwargs) 27 | 28 | return inner 29 | 30 | 31 | def check_bib_entry_has_id(func): 32 | def inner(self, *args, **kwargs): 33 | if not self.id: 34 | raise BibEntryHasNoIDException() 35 | return func(self, *args, **kwargs) 36 | 37 | return inner 38 | -------------------------------------------------------------------------------- /cnki2bibtex/misc/configure.py: -------------------------------------------------------------------------------- 1 | import os 2 | import re 3 | 4 | 5 | def set_id_format(id_format): 6 | file_path = os.path.join(os.path.expanduser('~'), r".cnki2bib.cfg") 7 | with open(file_path, "w", encoding="utf-8") as f: 8 | f.write("[settings]\nid_format = {}".format(id_format)) 9 | 10 | 11 | def get_id_format(): 12 | file_path = os.path.join(os.path.expanduser('~'), r".cnki2bib.cfg") 13 | if os.path.exists(file_path): 14 | with open(file_path, "r", encoding="utf-8") as f: 15 | config_str = f.read() 16 | return re.search(r"id_format = (.*)", config_str).group(1) 17 | else: 18 | return "title" 19 | -------------------------------------------------------------------------------- /requirements.txt: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Vopaaz/CNKI_2_BibTeX/d163498e5e54f8591574e68f4ba6eac6d61b34ee/requirements.txt -------------------------------------------------------------------------------- /setup.py: -------------------------------------------------------------------------------- 1 | from setuptools import setup, find_packages 2 | 3 | with open(r'README.md',"r",encoding="utf-8") as f: 4 | long_description = f.read() 5 | 6 | setup( 7 | name='cnki2bib', 8 | version='0.2.8', 9 | author='Vopaaz', 10 | author_email="liyifan945@gmail.com", 11 | url="https://github.com/Vopaaz/CNKI_2_BibTeX", 12 | description='Converting the NoteExpress file (.net) exported by CNKI to BibTeX file (.bib)', 13 | long_description = long_description, 14 | long_description_content_type='text/markdown', 15 | packages=find_packages(), 16 | include_package_data=True, 17 | install_requires=[ 18 | 'Click','jieba','pyperclip','pypinyin' 19 | ], 20 | entry_points=''' 21 | [console_scripts] 22 | cnki2bib=cnki2bibtex.cnki2bib:launch 23 | ''', 24 | ) -------------------------------------------------------------------------------- /tests/assets/ChineseColon.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: 软组织肉瘤诊治中国专家共识(2015年版) 3 | {Translated Title}: Chinese expert consensus on diagnosis and treatment of soft tissue sarcomas (Version 2015) 4 | {Author}: 中国抗癌协会肉瘤专业委员会 5 | {Author}: 中国临床肿瘤学会 6 | {Author Address}: 复旦大学附属肿瘤医院|JG001257 7 | {Journal}: 中华肿瘤杂志 8 | {Translated Journal}: Chinese Journal of Oncology 9 | {ISBN/ISSN}:0253-3766 10 | {Year}: 2016 11 | {Issue}: 4 12 | {Pages}: 310-320 13 | {Keywords}: 肉瘤;软组织肿瘤;诊断;治疗;规范 14 | {Abstract}:软组织肉瘤是一类间叶来源的恶性肿瘤,可发生于全身各个部位,各年龄段均可发病。由于发病率低,种类繁多且生物学行为各异,如何规范诊疗一直是临床工作的难点。外科治疗仍然是软组织肉瘤唯一可获得根治和最重要的治疗手段,但在某些肉瘤类型或某些情形下需要进行化疗和放疗,靶向治疗也显示出了良好的前景。目前,对于如何实施规范的多学科综合治疗,如何配合应用各种治疗手段,尚缺乏普遍认可的共识。中国抗癌协会肉瘤专业委员会和中国临床肿瘤学会以循证医学证据为基础,同时吸纳了部分已获认可的专家经验和研究心得,深入探讨了软组织肉瘤的多学科综合治疗,形成了中国专家共识以期为临床诊疗活动发挥指导性作用。 15 | {URL}:https://rs.yiigle.com/CN112152201604/889113.htm 16 | {Database Provider}: 《中华医学杂志》社有限责任公司 17 | {Language}:chi 18 | 19 | -------------------------------------------------------------------------------- /tests/assets/Classic5Test.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: Share-option based compensation expense, shareholder returns and financial crisis 3 | {Author}: Alaa Alhaj-Ismail;;Sami Adwan;;John Stittle 4 | {Author Address}: School of Economics, Finance and Accounting, Coventry University, UK;;University of Sussex Business School, University of Sussex, UK;;Essex Business School, University of Essex, UK 5 | {Journal}: Journal of Contemporary Accounting & Economics 6 | {Year}: 2019 7 | {Issue}: 1 8 | {Volume}: 15 9 | {Keywords}: IFRS 2;Share-based payment;Share based compensation;Financial institution;Financial crisis;And large shareholders 10 | {Abstract}: Abstract(#br)This paper contributes to the literature that analyses the relationship between Share-Option Based Compensation (SOBC) expense and shareholder returns. It utilises a sample of financial firms listed in the European Economic Area and Switzerland between 2005 and 2016 to make inferences about the impact of the financial crisis on the above-mentioned relationship. The paper also assesses the extent to which the relationship between SOBC expense and shareholder returns during the financial crisis varies with ownership concentration. We find evidence that the positive relationship between SOBC expense and shareholder returns is significantly more apparent during the financial crisis. This suggests that investors place more emphasis on the unrecognised intangible features of SOBC contracts during the crisis, even though their associated expenses are subject to managerial discretion and measurement errors. We also find that the positive relationship between SOBC expense and shareholder returns over the financial crisis is more pronounced when ownership is more concentrated. The results of our study are robust after controlling for firm size, potential investment growth opportunities, traditional banking activities and firm self-selection bias. 11 | {ISBN/ISSN}: 1815-5669 12 | {Database Provider}: CNKI 13 | 14 | 15 | {Reference Type}: Journal Article 16 | {Title}: Environmental impacts of baby food: Ready-made porridge products 17 | {Author}: Natalia Sieti;;Ximena C. Schmidt Rivera;;Laurence Stamford;;Adisa Azapagic 18 | {Author Address}: Sustainable Industrial Systems, School of Chemical Engineering and Analytical Science, The University of Manchester, Manchester, M13 9PL, UK 19 | {Journal}: Journal of Cleaner Production 20 | {Year}: 2019 21 | {Volume}: 212 22 | {Keywords}: Baby food;Environmental impacts;Life cycle assessment;Porridge;Ready-made meals 23 | {Abstract}: Abstract(#br)Scant information is available on the environmental impacts of baby food. Therefore, the aim of this work is to evaluate the life cycle environmental sustainability of one of the most common baby foods consumed for breakfast – ready-made porridge – and to identify options for improvements. Two variants of the product are considered: dry and wet porridge. The latter has from 43% to 23 times higher impacts than the dry alternative, with the global warming potential (GWP) of wet porridge being 2.6 times higher. However, the results are sensitive to the assumption on energy consumption for the manufacture of wet porridge, showing that reducing the amount of energy by 30% would reduce this difference by 5%–70% across the impacts. The main hotspots for both products are the raw materials and manufacturing; packaging is also significant for the wet option. For the dry porridge, product reformulation would reduce the environmental impacts by 1%–67%, including a 34% reduction in GWP. Reducing water content of the cereal mixture in dry porridge from 80% to 50% would reduce GWP of the manufacturing process by 65% and by 9% in the whole life cycle. Using a plastic pouch instead of a glass jar would decrease most environmental impacts of wet porridge by 7%–89%. The findings of this study will be of interest to both baby food producers and consumers. 24 | {ISBN/ISSN}: 0959-6526 25 | {Database Provider}: CNKI 26 | 27 | 28 | {Reference Type}: Journal Article 29 | {Title}: 高效产生任意矢量光场的一种方法 30 | {Author}: 齐淑霞;刘圣;李鹏;韩磊;程华超;吴东京;赵建林; 31 | {Author Address}: 西北工业大学理学院陕西省光信息技术重点实验室; 32 | {Journal}: 物理学报 33 | {Pages}: 1-7 34 | {Keywords}: 偏振态;;空间光调制器;;矢量光场 35 | {Abstract}: 提出一种高效产生任意矢量光场的方法.通过利用两个光束偏移器分别对两个正交线偏振分量进行分束与合束,将传统激光模式转化为任意矢量光场.所产生矢量光场的偏振态和相位分布通过在相位型空间光调制器(SLM)上加载相应的相位实时调控.由于光路系统中不涉及任何衍射光学元件和振幅分光元件,光场转换效率高,仅取决于SLM的反射率,并且光路系统结构紧凑、稳定,同轴性易于调节.实验结果显示,采用反射率为79%的相位型SLM所产生的矢量光场的转换效率可达到58%. 36 | {ISBN/ISSN}: 1000-3290 37 | {Notes}: 11-1958/O4 38 | {Database Provider}: CNKI 39 | 40 | 41 | {Reference Type}: Journal Article 42 | {Title}: 斜入射时Salisbury屏电磁参数匹配规律研究 43 | {Author}: 张海丰;李颖;程汉池;裴魏魏;刘明达;韩海生; 44 | {Author Address}: 佳木斯大学理学院;佳木斯大学材料与工程学院;佳木斯大学口腔医学院; 45 | {Journal}: 信阳师范学院学报(自然科学版) 46 | {Year}: 2019 47 | {Issue}: 01 48 | {Pages}: 1-3 49 | {Keywords}: 斜入射;;Salisbury屏;;匹配规律 50 | {Abstract}: 利用电磁波传输理论,研究并推导出了电磁波斜入射时Salisbury屏后向反射率公式,使用三维网格法讨论了各个电磁参数、隔离层厚度、入射波频率等同后向反射率之间的关系.研究结果表明:在2~18GHz范围内,角度后向反射率有很大;在f=16GHz时,μr1和μr2取值的增加使得材料的磁损耗和储能能力加强,导致材料有很好的吸收效果;然而εr1和εr2取值增加时,由于表面反射效应增强,使得吸波效果下降;在2~18GHz频段内后向反射率均可达到4.5d B以上,能够满足军事和民用的要求. 51 | {ISBN/ISSN}: 1003-0972 52 | {Notes}: 41-1107/N 53 | {Database Provider}: CNKI 54 | 55 | 56 | {Reference Type}: Journal Article 57 | {Title}: 三维真比例导引律大气层外拦截真任意机动目标的性能分析 58 | {Author}: 黎克波;梁彦刚;苏文山;陈磊; 59 | {Author Address}: 国防科技大学空天科学学院;军事科学院国防科技创新研究院; 60 | {Journal}: 中国科学:技术科学 61 | {Pages}: 1-2 62 | {Keywords}: 大气层;真比例导引律;动能拦截器;机动目标;弹目接近速度;性能分析; 63 | {Abstract}: <正>大气层外动能拦截技术是弹道导弹防御技术研究的重难点问题.由于外层空间可以忽略气动力影响,动能拦截器通常采用真比例导引律(true proportional navigation, TPN)进行制导控制. TPN指令加速度方向垂直于当前弹目视线(line-of-sight, LOS),大小与视线转率成正比,具有结构简单、易于实现、鲁棒性好等优点. TPN的制导目的是控制视线转率使其不发散,从而使拦截器具有较小的脱靶量,以实现对目标的直接碰撞. 64 | {ISBN/ISSN}: 1674-7259 65 | {Notes}: 11-5844/TH 66 | {Database Provider}: CNKI 67 | 68 | 69 | -------------------------------------------------------------------------------- /tests/assets/CoverAllTest15Entries.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: Does converting abandoned railways to greenways impact neighboring housing prices? 3 | {Author}: Youngre Noh 4 | {Author Address}: Department of Landscape Architecture and Urban Planning, Texas A&M University, College Station, TX 77843-3137, USA 5 | {Journal}: Landscape and Urban Planning 6 | {Year}: 2019 7 | {Volume}: 183 8 | {Keywords}: Spatial hedonic model;AITS-DID;Greenway;Railroad;Property value;Brownfield: trail 9 | {Abstract}: Abstract(#br)This research examines the housing market before and after abandoned railways are converted into greenways. Two different hedonic pricing models are employed to analyze changes in the impact and trend of the change—spatial regressions for before and after the conversion and the Adjusted Interrupted Time Series-Difference in Differences (AITS-DID) model. Analyzing 2005–2012 single-family home sale transactions in the City of Whittier, California the results show that converting the abandoned railway into a greenway increases property values. Upon the completion of the greenway, the positive association with the greenway proximity increased in both models. The premium also exists in the pre-conversion period. The sellers’ and buyers’ expectation of the greenway being an amenity factored into the housing market even during the construction of the greenway. After the conversion, properties near the greenway experienced a negative trend in their value. 10 | {ISBN/ISSN}: 0169-2046 11 | {Database Provider}: CNKI 12 | 13 | 14 | {Reference Type}: Journal Article 15 | {Title}: 基于灰色关联分析法的铁路物流服务方案评价 16 | {Author}: 唐力;刘启钢;孙文桥 17 | {Author Address}: 1.中国铁道科学研究院 研究生部;2.中国铁道科学研究院集团有限公司 运输及经济研究所 18 | {Journal}: 铁道运输与经济 19 | {Year}: 2019 20 | {Issue}: 01 21 | {Pages}: 7-12 22 | {Keywords}: 铁路物流;服务方案;评价指标;灰色关联分析法;实例分析 23 | {Abstract}: 选择合理的铁路物流服务方案对优化物流资源配置、提高铁路物流服务质量具有重要意义。针对铁路物流服务方案数量多、部分方案服务质量不高等问题,结合评价指标体系构建原则,选择经济性能、技术性能、服务水平和社会服务4个方面的评价指标,建立铁路物流服务方案评价指标体系,提出基于灰色关联分析法的铁路物流服务方案评价方法,并通过案例分析阐述该评价方法的可行性。评价结果表明,灰色关联分析法具有有效性和合理性,能够为铁路物流服务方案评价问题提供客观的科学依据。 24 | {ISBN/ISSN}: 1003-1421 25 | {Notes}: 11-1949/U 26 | {Database Provider}: CNKI 27 | 28 | 29 | {Reference Type}: Thesis 30 | {Title}: 云环境下铁路“门到门”货运产品设计优化方法研究 31 | {Author}: 殷玮川 32 | {Tertiary Author}: 何世伟 33 | {Publisher}: 北京交通大学 34 | {Type of Work}: 博士 35 | {Year}: 2018 36 | {Keywords}: 铁路运输;;“门到门”货运产品;;产品设计;;服务网络优化;;云计算;;大数据;;支持向量机;;IBM DOcplexcloud软件 37 | {Abstract}: 近年来,中国经济在新常态下发生的结构转型和调整变化对货运市场的供需关系和货源结构都产生了巨大的影响。货运市场的高附加值“白货”等货物比例增加,高附加值货物的地位相比过去不断提高,客户对于货运服务需求更加多样化,这些对铁路货运服务提出了更高的要求。铁路在全面推进物流化战略背景下,积极开拓货源市场,设计多样化的服务产品和提升服务质量都成为重要手段。铁路“门到门”货物运输就是在货运需求向延伸服务、全程服务发展背景下应运而生的,铁路“门到门”货运产品是铁路货物“门到门”运输的重要载体和主要形式,开行铁路“门到门”货运产品有利于铁路吸引货源,抢占货运市场份额,增强铁路在货运市场的影响力。在“互联网+”的新时代下,云计算和大数据技术的应用场景不断丰富,融入人们的生活和工作场景中,在多个行业已经发挥了巨大的作用。在铁路运营生产工作中引入云计算和大数据技术将有效提升工作效率,改进传统的工作模式,因此本文结合云计算和大数据技术,对铁路“门到门”货运产品的设计方法进行研究,主要研究内容包括以下几个方面:(1)对铁路“门到门”货运产品设计理论进行阐述,以货物运输规划流程为基础,分别对铁路“门到门”货运产品的概念、背景、设计原则和流程进行界定,并对云环境在铁路“门到门”货运产品设计中的应用进行分析。提出了基于云平台的自建接取送达和外包接取送达两种铁路“门到门”货运产品运输组织模式,并对这两种运输组织模式的经济效益分析。最后设计铁路“门到门”货运产品云平台的运作模式、功能模块、架构框架以及运营收益分析。(2)研究了铁路“门到门”货运服务网络构建方法,分别提出基于云聚类和基于轴辐式网络模型的铁路“门到门”货运服务网络构建方法,并采用基于支持向量回归机的铁路“门到门”货运服务网络构建评价方法对构建的服务网络进行评价,在考虑货物运到时限约束基础上,改进传统轴辐式网络模型,提出铁路“门到门”货运服务网络构建数学优化模型,以列车实绩运行大数据的计算参数来代替传统优化方法的参数设置。(3)研究了铁路“门到门”货运服务网络流量分配问题。采用节点拆分方法描述铁路干线运输作业环节以及铁路运输与公路运输转运作业环节,有助于细化对铁路“门到门”运输全流程作业的研究。在改进传统的网络流量分配模型基础上构建了铁路“门到门”货运服务网络的流量分配数学优化模型,采用基于时空服务网络的K短路搜索算法生成货流可行路径集,基于优化模型提出了基于云计算的求解方法框架。在求解数学模型过程中,借助云资源和IBM ILOGCplex内置的优化算法求解器,采用IBM DOcplexcloud软件求解。(4)研究了铁路“门到门”货运产品设计问题,提出铁路“门到门”货运产品备选集生成策略,在考虑铁路干线和公路支线运输服务相关约束基础上,构建铁路“门到门”货运产品设计数学优化模型,并提出了包括数据准备阶段、数据分析阶段、服务网络构建阶段、生成铁路“门到门”货运产品备选集和货运产品设计阶段这五个步骤的铁路“门到门”货运产品设计求解方法框架,将传统分作业环节计算普速产品旅行时间的方法改进为引入铁路实际列车运行大数据计算,并将结果作为基准带入数学优化模型中利用IBM DOcplexcloud软件进行求解提升产品设计的精准性。(5)选取京广线南段武汉北至江村区段为案例背景,进行了实例验证。说明了论文研究的实用价值和意义。 38 | {Database Provider}: CNKI 39 | 40 | 41 | {Reference Type}: Thesis 42 | {Title}: 我国铁路客运站建筑空间室内设计方法研究 43 | {Author}: 胡增辉 44 | {Tertiary Author}: 孙伟 45 | {Publisher}: 北京交通大学 46 | {Type of Work}: 硕士 47 | {Year}: 2018 48 | {Keywords}: 铁路客运站;;风格;;室内设计;;方法 49 | {Abstract}: 1881年,我国第一条铁路——唐山到胥各庄的唐胥铁路修建落成,随之我国第一座火车站——唐山火车站也于1882年建成营运。纵观我国铁路百余年发展历史,铁路客运站从初期简单的列车停靠站点,到功能完善的、为铁路旅客提供舒适乘降服务的公共建筑空间,时至今日,已发展为集多种交通方式与城市功能于一体的大型综合交通枢纽。时代变迁,伴随建筑功能与形式的转变,铁路客运站室内设计也呈现出丰富多彩的个性特征,本论文研究发现,铁路客运站室内设计不仅融合公共建筑室内设计的共性,更具有铁路交通运输的独特印记,其设计风格经历了近代时期的折中主义风格、苏维埃式风格和标准化样式,建国之后带有装饰主义色彩的民族形式新风格与地方特色凸显的岭南风格,到改革开放后的现代主义风格和初具地域特点的风格,再发展为注重功能与服务、具有现代主义特征的新风格、融入地方特色的地域风格、注重生态景观设计特点及个别客运站还原昔日面貌的折中主义风格的转变。本文的主要研究内容分为两个部分,首先,从历史的角度出发,采用以史带论的研究方法,选取不同时段内具有代表性的铁路客运站设计案例进行深入剖析,从而研究我国铁路客运站的室内设计特点与发展变化规律,梳理我国铁路客运站室内设计的设计风格与发展脉络,探索其发展变化的规律与特征。然后,研究铁路客运站建筑室内界面、家具与陈设的设计,寻找出适合于我国当代铁路客运站室内设计的策略与方法,丰富我国铁路客运站室内设计方面的理论研究,希望能为今后的设计提供一些借鉴,为旅客创造一个更好的室内乘车环境。 50 | {Database Provider}: CNKI 51 | 52 | 53 | {Reference Type}: Conference Proceedings 54 | {Title}: 城市竖向对下凹式立交桥积水风险的影响 55 | {Tertiary Title}: 共享与品质——2018中国城市规划年会论文集(01城市安全与防灾规划) 56 | {Author}: 史德雯 57 | {Author Address}: 北京市首都规划设计工程咨询开发有限公司; 58 | {Secondary Title}: 2018中国城市规划年会 59 | {Place Published}: 中国浙江杭州 60 | {Subsidiary Author,}: 中国城市规划学会、杭州市人民政府 61 | {Year}: 2018 62 | {Pages}: 9 63 | {Keywords}: 下凹式立交桥;城市竖向;内涝;积水风险 64 | {Abstract}: 城市排水防涝系统是保障城市安全运行、维护人民生命财产安全的重要基础设施。近年来城市汛期北京市下凹桥区积水情况时有发生,本文分析了丰裕铁路桥的积水原因,发现由于城市竖向没有考虑内涝积水风险,造成大面积客水汇入下凹桥区,造成了严重积水。结合该桥区周围地区建设计划,将防涝风险反馈至地区竖向规划,通过对用地、道路的竖向改造使桥区客水范围大大缩减,降低了下凹桥区的防涝风险,引导该地区在开发建设的过程中避免产生内涝积水。 65 | {Database Provider}: CNKI 66 | 67 | 68 | {Reference Type}: Newspaper Article 69 | {Title}: 坚持在大局下行动 70 | {Author}: 本报评论员 71 | {Secondary Title}: 人民铁道 72 | {Date}: 2019-01-09 73 | {Pages}: A01 74 | {Publisher}: 人民铁道 75 | {Notes}: 11-0096 76 | {Database Provider}: CNKI 77 | 78 | 79 | {Reference Type}: Book 80 | {Title}: Making Tracks 81 | {Author}: Iain Docherty 82 | {Publisher}: Taylor and Francis 83 | {Date}: 2020-10-12 84 | {图书印刷版ISBN}: 9780429834646 85 | {Database Provider}: CNKI 86 | 87 | 88 | {Reference Type}: Standard 89 | {Title}: 六、固定资产投资和建筑业 6-10 按行业分建筑业企业生产情况 90 | {Keywords}: 6-10 按行业分建筑业企业生产情况 91 | {SrcDatabase}: 年鉴 92 | {Database Provider}: CNKI 93 | 94 | 95 | {Reference Type}: Standard 96 | {Title}: 1 综合 1-5 国民经济和社会发展主要指标 97 | {Keywords}: 万人,capita,Number,income,总量指标,平方米,人均可支配收入,旅客周转量,商品零售价格,邮路总长度, 98 | {SrcDatabase}: 统计年鉴 99 | {Database Provider}: CNKI 100 | 101 | 102 | {Reference Type}: Patent 103 | {Title}: 一种铁路故障检测器清洗装置 104 | {Author}: 段祥祥 105 | {Author Address}: 241000 安徽省芜湖市镜湖区华强广场C座办公楼2409室 106 | {Subsidiary Author}: 芜湖华佳新能源技术有限公司 107 | {Date}: 2018-11-02 108 | {Notes}: CN108722921A 109 | {Type of Work}: CN108722921A 110 | {Abstract}: 本发明公开了一种铁路故障检测器清洗装置,包括底座,所述底座的上表面通过第一固定杆与第一驱动装置的下表面固定连接,所述第一驱动装置的正面与第一连接杆的背面固定连接,所述第一连接杆的正面与第二连接杆的背面固定连接,所述第二连接杆的顶端与挤压块的下表面固定连接,所述挤压块的上表面与载物板的下表面搭接。该铁路故障检测器清洗装置,通过通过第一电机、转盘、第一连接杆、第二连接杆、挤压块、载物板、第二电机、主动轮、从动轮、皮带、转轴和擦物块之间的相互配合,从而使得擦物块对检测器本体进行擦洗,从而不需要工作人员再手动擦拭检测器本体,从而方便了工作人员对计算机的使用,方便了工作人员的工作。 111 | {Subject}: 1.一种铁路故障检测器清洗装置,包括底座(1),其特征在于:所述底座(1)的上表面通过第一固定杆(2)与第一驱动装置(3)的下表面固定连接,所述第一驱动装置(3)的正面与第一连接杆(4)的背面固定连接,所述第一连接杆(4)的正面与第二连接杆(5)的背面固定连接,所述第二连接杆(5)的顶端与挤压块(6)的下表面固定连接,所述挤压块(6)的上表面与载物板(7)的下表面搭接,所述载物板(7)的下表面通过两个伸缩装置(8)与底座(1)的上表面固定连接,且两个伸缩装置(8)分别位于第一驱动装置(3)的左右两侧,所述载物板(7)的上表面开设有凹槽(9),所述凹槽(9)内壁的下表面与底板(10)的下表面搭接,所述底板(10)的上表面通过支撑腿(11)与固定板(12)的下表面固定连接,所述固定板(12)的正面与检测器本体(13)的背面固定连接,所述载物板(7)的上表面固定连接有两个挡块(14),且两个挡块(14)的相对面均固定连接有电动推杆(27),且两个电动推杆(27)的相对面均固定连接有挤压板(16),所述载物板(7)的左右两侧面分别与两个滑块(28)的相对面固定连接,且两个滑块(28)分别滑动连接在两个滑槽(15)内,且两个滑槽(15)分别开设在两个支撑板(17)的相对面,且两个支撑板(17)的下表面均与底座(1)的上表面固定连接,且两个支撑板(17)的相对面均卡接有轴承(18),且两个轴承(18)内套接有同一个转轴(19),所述转轴(19)的表面固定连接有擦物块(20),且擦物块(20)的背面与检测器本体(13)的正面搭接,所述转轴(19)的表面固定连接有从动轮(21),所述从动轮(21)通过皮带(22)与第二驱动装置(23)传动连接,所述第二驱动装置(23)的下表面通过第二固定杆(24)与底座(1)的上表面固定连接,且第二驱动装置(23)位于左侧面支撑板(17)的左侧。 112 | {SrcDatabase}: 中国专利 113 | 114 | 115 | {Reference Type}: Standard 116 | {Title}: 铁路调车作业标准 铁路调车作业标准基本规定 117 | {Author}: 铁道部运输局 118 | {Publisher}: 国家技术监督局 119 | {Date}: 1996-03-15 120 | {ISBN}: GB/T 7178.1-1996 121 | {TryDate}: 1996-08-01 122 | {Keywords}: 作业标准;铁路调车; 123 | {SrcDatabase}: 国家标准 124 | {Database Provider}: CNKI 125 | 126 | 127 | {Reference Type}: Standard 128 | {Title}: 铁路桥涵设计基本规范 129 | {ISBN}: TB 10002.1-2005 130 | {TryDate}: 2005-06-14 131 | {Keywords}: 铁路桥涵;设计基本规范;桥涵 132 | {SrcDatabase}: 标准 133 | {Database Provider}: CNKI 134 | 135 | 136 | {Reference Type}: Journal Article 137 | {Title}: 创新能力培养视域下高职院校解剖学教学改革思考 138 | {Author}: 娄丽芳; 139 | {Author Address}: 郑州铁路职业技术学院药学院; 140 | {Journal}: 科教文汇(下旬刊) 141 | {Year}: 2018 142 | {Issue}: 12 143 | {Pages}: 79-80 144 | {Keywords}: 创新能力;;解剖学教学;;培养途径 145 | {Abstract}: 新的职业院校人才培养模式要求学生不仅能扎实地掌握知识,更重要的是能灵活运用知识进行创造性的工作。解剖学作为一门重要的医学基础课,多年来,教学研究者们一直致力于人才培养模式、课程体系、教学内容、教学方法的改革,以适应时代创新发展需要。本文针对实际教学情况,分析高职院校解剖学教学过程中创新能力培养的制约条件,并提出要及时转变教学理念,优化课堂教学过程,创新教学评价过程,积极营造有利于培养学生创新能力的氛围。 146 | {ISBN/ISSN}: 1672-7894 147 | {Notes}: 34-1274/G 148 | {Database Provider}: CNKI 149 | 150 | 151 | {Reference Type}: Journal Article 152 | {Title}: 携手前进,共创未来——习近平在巴拿马媒体发表署名文章 153 | {Journal}: 中华人民共和国国务院公报 154 | {Year}: 2018 155 | {Issue}: 35 156 | {Pages}: 7-9 157 | {Keywords}: 巴拿马,习近平,巴雷拉,未来,卡洛斯,胡安,难忘的记忆,弯道超车,一路,热带水果, 158 | {Abstract}: <正>11月30日,在对巴拿马共和国进行国事访问前夕,国家主席习近平在巴拿马《星报》发表题为《携手前进,共创未来》的署名文章。文章如下:携手前进,共创未来中华人民共和国主席习近平应胡安·卡洛斯·巴雷拉总统邀请,我即将对巴拿马共和国进行国事访问。这是我首次访问贵国,也是中国国家主席首次到访巴拿马,我对此行充满期待。 159 | {ISBN/ISSN}: 1004-3438 160 | {Notes}: 11-1611/D 161 | {Database Provider}: CNKI 162 | 163 | 164 | {Reference Type}: Journal Article 165 | {Title}: 企业党员干部队伍建设问题研究 166 | {Author}: 徐敏; 167 | {Author Address}: 同煤集团矿山铁路分公司; 168 | {Journal}: 山西青年 169 | {Year}: 2019 170 | {Issue}: 01 171 | {Pages}: 210+209 172 | {Keywords}: 企业党员干部;;队伍建设;;问题;;对策 173 | {Abstract}: 介绍了企业党员干部队伍建设阶段所出现的问题,并提出相应的解决对策,它不仅能够确保企业党员干部队伍建设工作有条不紊的进行,而且还可以更好的提高党员干部队伍的综合素质水平,推动企业的发展。通过对企业党员干部队伍建设中所存在的问题进行分析和研究,以期为企业的发展提供可靠的保障,从而实现经济效益和社会效益的最大化。 174 | {ISBN/ISSN}: 1006-0049 175 | {Notes}: 14-1003/C 176 | {Database Provider}: CNKI 177 | 178 | 179 | -------------------------------------------------------------------------------- /tests/assets/LotsOfEnglish.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: Evaluation of in-person and on-line food safety education programs for community volunteers 3 | {Author}: Henry Fan Yeung;;Christine Bruhn;;Mary Blackburn;;Chutima Ganthavorn;;Anna Martin;;Concepcion Mendoza;;Marisa Neelon;;Dorothy Smith;;Katherine Soule;;Theresa Marie Spezzano;;Tressie Barrett;;Yaohua Feng 4 | {Author Address}: Department of Food Science and Technology, University of California, Davis, One Shields Ave, Davis, CA, 95616, USA;;University of California Cooperative Extension, Alameda County 224 W, Winton Ave., Room 134, Hayward, CA, 94544, USA;;University of California Cooperative Extension, Riverside County 21150 Box Springs Road, Suite 202, Moreno Valley, CA, 92557-8718, USA;;University of California Cooperative Extension, San Joaquin County, 2102 E. Earhart Ave, Suite 200, Stockton, CA, 95206, USA;;University of California Cooperative Extension, Shasta and Trinity Counties, 1851 Hartnell Ave, Redding, CA, 96002-2217, USA;;University of California Cooperative Extension, Contra Costa County, 2380 Bisso Lane, Suite B, Concord, CA, 94520, USA;;University of California Cooperative Extension, Amador, Calaveras and Tuolumne Counties, 311 Fair Lane, Placerville, CA, 95667, USA;;University of California Cooperative Extension, San Luis Obispo County, 2156 Sierra Way, Suite C, San Luis Obispo, CA, 93401, USA;;Department of Publ 5 | {Journal}: Food Control 6 | {Year}: 2019 7 | {Volume}: 99 8 | {Keywords}: Food safety education;Intervention comparison;On-line education;Knowledge change;Consumer education 9 | {Abstract}: Abstract(#br)The goal of “Make it Safe, Keep it Safe” is to educate volunteers who prepare food for community events about proper handling of food to prevent foodborne illness. A food safety curriculum was delivered either via an in-person workshop or by accessing the material on line from a personal computer. Food safety materials were based upon existing Food and Drug Administration food safety guidelines. University of California Extension Advisors taught the in-person food safety education and recruited participants for the on-line training. Volunteers (n = 242) who prepared food for 4-H programs, churches, service clubs, senior centers or other community activities completed either the on-line or in person workshop. Food safety knowledge was assessed via a pre- and post-survey. Both online and workshop education improved the food safety knowledge of participants and overall there was no significant difference found in the level of knowledge gained from the two formats. The findings have implications for when and how food safety can be taught. The future goal for this project is to promote “Make it Safe, Keep it Safe” as an online food safety education tool for use by Cooperative Extension and other educators. 10 | {ISBN/ISSN}: 0956-7135 11 | {Database Provider}: CNKI 12 | 13 | 14 | {Reference Type}: Journal Article 15 | {Title}: The twofold model of creativity: the neural underpinnings of the generation and evaluation of creative ideas 16 | {Author}: Oded M Kleinmintz;;Tal Ivancovsky;;Simone G Shamay-Tsoory 17 | {Author Address}: Department of Psychology, University of Haifa, Haifa, Israel;;Gonda Multidisciplinary Brain Research Center, Bar-Ilan University, Ramat-Gan, Israel 18 | {Journal}: Current Opinion in Behavioral Sciences 19 | {Year}: 2019 20 | {Volume}: 27 21 | {Abstract}: It is increasingly acknowledged that creativity involves two phases: a generation phase and an evaluation phase. The two-fold model assumes a cyclic motion between the generation and the evaluation of ideas, as common or deviant ideas are rejected, and novel and appropriate ideas receive further attention and elaboration.(#br)Here we synthesize recent neuroimaging findings into an extended two-fold model, and emphasize the important role of the evaluation phase. The model aims to explain how different environmental processes, like expertise and enculturation, affect creativity. We further divide the evaluation phase into three sub stages: valuation, monitoring, and selection. We provide evidence for the model and suggest that creativity research would greatly benefit from incorporating the extended two-fold model into future research questions. 22 | {ISBN/ISSN}: 2352-1546 23 | {Database Provider}: CNKI 24 | 25 | 26 | {Reference Type}: Journal Article 27 | {Title}: Evaluation of the microbiological contamination of food processing environments through implementing surface sensors in an iberian pork processing plant: An approach towards the control of Listeria monocytogenes 28 | {Author}: C. Ripolles-Avila;;A.S. Hascoët;;J.V. Martínez-Suárez;;R. Capita;;J.J. Rodríguez-Jerez 29 | {Author Address}: Hygiene and Food Inspection Unit, Department of Food and Animal Science, Universitat Autònoma de Barcelona, Barcelona, Spain;;Department of Food Technology, Instituto Nacional de Investigación y Tecnología Agraria y Alimentaria (INIA), Madrid, Spain;;Department of Food Hygiene and Technology, Universidad de León, León, Spain 30 | {Journal}: Food Control 31 | {Year}: 2019 32 | {Volume}: 99 33 | {Keywords}: Sampling;Surface sensors;Microbial contamination;Listeria monocytogenes;Ecology 34 | {Abstract}: Abstract(#br)Food safety is one of the biggest concerns of food industrial development due to the risk of foodborne diseases, which are one of the most relevant health problems in the contemporary world and an important cause of reduced economic productivity. One of the main sources of microbial contamination in food products are industrial surfaces, which are colonized by pathogenic microorganisms capable of forming biofilms, making surfaces into reservoirs and potential sources of cross-contamination to food products. A study was conducted to determine the microbiological contamination from different microbial groups on different industrial surfaces in a meat processing plant through implementing a sensor-based sampling system, with a focus on detecting L. monocytogenes . The results obtained showed two main groups of areas with greater and lesser degrees of microbiological contamination, determined as the total aerobic counts of the microbial group with the highest contribution. The areas considered as major contributors to microbial contamination were three of the sampled floors and the storage cabinet for tools, demonstrating to be important sources of possible cross-contamination. A total of four L. monocytogenes presences were obtained during sampling. Moreover, a direct relation was observed between aerobic counts and detecting L. monocytogenes , and three possible hypotheses were formulated to explain the connection. Last, a safety zone marking the limits beyond which the surface can be considered as a safety risk was established, although more studies are needed to demonstrate if these limits can be used as an internal hygienic surface control. The use of SCH sensors as a surface sampling system for the food industry have been shown to work effectively and with relative ease. 35 | {ISBN/ISSN}: 0956-7135 36 | {Database Provider}: CNKI 37 | 38 | 39 | {Reference Type}: Journal Article 40 | {Title}: A new multiaxial fatigue model for life prediction based on energy dissipation evaluation 41 | {Author}: E.S. Feng;;X.G. Wang;;C. Jiang 42 | {Author Address}: State Key Laboratory of Advanced Design and Manufacturing for Vehicle Body, College of Mechanical and Vehicle Engineering, Hunan University, 410082 Changsha, PR China 43 | {Journal}: International Journal of Fatigue 44 | {Year}: 2019 45 | {Volume}: 122 46 | {Keywords}: Multiaxial fatigue;Life prediction;Energy dissipation;Thermographic method;Low cycle fatigue 47 | {Abstract}: Abstract(#br)This paper is focused on the development of a new multiaxial fatigue model from an energetic viewpoint. The proposed method adopts the intrinsic dissipation as the damage factor to correlate with the fatigue life of materials subjected to multiaxial fatigue. A dedicated energy dissipation-based multiaxial fatigue model is established that allows the fatigue life prediction for a given strain path. The proposed model is verified through the fatigue tests under five different loading paths applied to the AISI 316L stainless steel. It demonstrates that the energy dissipation-based method provides satisfactory life prediction for the varied loading paths from proportional to non-proportional loading. 48 | {ISBN/ISSN}: 0142-1123 49 | {Database Provider}: CNKI 50 | 51 | 52 | {Reference Type}: Journal Article 53 | {Title}: Evaluation of orifice inlet geometries on single liquid injectors through cold-flow experiments 54 | {Author}: D.N. Kiaoulias;;T.A. Travis;;J.D. Moore;;G.A. Risha 55 | {Author Address}: The Pennsylvania State University, Altoona College, Altoona, PA 16601, USA 56 | {Journal}: Experimental Thermal and Fluid Science 57 | {Year}: 2019 58 | {Volume}: 103 59 | {Keywords}: Injector;Small orifice flow;Jet break-up 60 | {Abstract}: Abstract(#br)An experimental investigation was conducted to evaluate the inlet geometry effects of single, circular orifices on liquid injector pressure drop and exiting jet breakup length. Experiments were performed using distilled water as a hydrazine fuel simulant flowing through passageways simulating rocket engine injectors at the same Reynolds numbers and temperature conditions. Multiple orifice internal diameters and length-to-diameter ratios were evaluated with chamfered or sharp-edge orifice inlet geometries. Results showed that an increase in orifice diameter or decrease in length-to-diameter ratio led to decreased pressure drop across the injector. A sharp-edge orifice inlet geometry experienced cavitation under turbulent flow conditions at small length-to-diameter ratios and small orifice diameters, but was unaffected by cavitation at large orifice diameters for the same flow conditions. While a sharp-edge orifice inlet geometry was observed to have a greater pressure drop and longer jet breakup length for small orifices and length-to-diameter ratios, the chamfered orifice inlet geometry was not greatly influenced by length-to-diameter ratio at smaller orifices and had longer jet breakup lengths at higher orifices; meaning a larger percentage of liquid spray would reach an impingement point in a hypergolic liquid engine, increasing mixing and combustion. 61 | {ISBN/ISSN}: 0894-1777 62 | {Database Provider}: CNKI 63 | 64 | 65 | {Reference Type}: Journal Article 66 | {Title}: Evaluation of EPR parameters for compressed and elongated local structures of VO 2+ and Cu 2+ spin probes in BaO-TeO 2 -B 2 O 3 glasses 67 | {Author}: B. Srinivas;;Abdul Hameed;;G. Ramadevudu;;M. Narasimha Chary;;Md. Shareefuddin 68 | {Author Address}: Department of Physics, Osmania University, Hyderabad, 500007, Telangana state, India;;Vasavi College of Engineering(A), Ibrahimbagh, Hyderabad, 500031, Telangana state, India 69 | {Journal}: Journal of Physics and Chemistry of Solids 70 | {Year}: 2019 71 | {Volume}: 129 72 | {Keywords}: EPR;TM ions;Spin-Hamiltonian parameters;Optical absorption;Simulation;Tetragonality 73 | {Abstract}: Abstract(#br)EPR parameters and the local configurations of the transition metal (TM) ions VO 2+ and Cu 2+ in BaO-TeO 2 -B 2 O 3 glasses were experimentally evaluated and also theoretically verified. From the recorded X-band EPR spectra the spin-Hamiltonian parameters (SHP) were determined. The optical spectra of vanadium doped glass samples revealed a single absorption band at 596 nm which was assigned to 2 B 2g → 2 B 1g transition, whereas copper doped glasses revealed two absorption bands around 818 and 602 nm which were assigned to 2 B 1g → 2 B 2g and 2 B 1g → 2 E 2g transitions respectively. Theoretical studies were accomplished on the EPR and optical factors from perturbation theory. It was observed from both the experimental and theoretical SHP values of vanadium containing glasses that the VO 2+ ions are in tetragonally compressed octahedral sites with d xy ( 2 B 2g ) ground state, while the copper containing glasses found to be in tetragonally elongated octahedral sites with d x 2 − y 2 ( 2 B 1g ) as the ground state. It is found that the magnitude of the relative tetragonal compression ratio ( φ ) of vanadium ion is less than the relative tetragonal elongation ratio ( τ ) of copper ion. The nature of the bonding between TM ions (i.e. vanadium and copper) and their ligands was assessed. Theoretical and experimental EPR parameters are in great concurrence with each other. 74 | {ISBN/ISSN}: 0022-3697 75 | {Database Provider}: CNKI 76 | 77 | 78 | {Reference Type}: Journal Article 79 | {Title}: Evaluation of energy efficacy and texture of ohmically cooked noodles 80 | {Author}: Yeon-Ji Jo;;Sung Hee Park 81 | {Author Address}: Department of Biomedical Science and Engineering, Konkuk University, Seoul, 05029, South Korea;;Department of Marine Food Science and Technology, Gangneung-Wonju National University, Gangneung-si, Gangwon-do, 25457, South Korea 82 | {Journal}: Journal of Food Engineering 83 | {Year}: 2019 84 | {Volume}: 248 85 | {Keywords}: Ohmic heating;Noodles;Heat transfer;System performance coefficient;Energy;Texture 86 | {Abstract}: Abstract(#br)The feasibility of ohmic heating for cooking instant noodles was evaluated using a customized ohmic system. Temperature come-up time, heat transfer ratio ( HT nls ), system performance coefficient ( SPC ), and textural qualities were evaluated as a function of different electric fields (10, 12.5, 15, and 17.5 V/cm) and temperature holding times (30, 60, 90, and 120 s). Temperature come-up time to 100 °C was 3.9 ± 0.1, 2.5 ± 0.1, 2.1 ± 0.2, and 1.3 ± 0.1 min at electric fields of 10, 12.5, 15 and 17.5 V/cm, respectively. Temperature come-up time decreased significantly with an increase in electric field. The highest HT nls of 0.89 was observed at 15 V/cm. An electric field of 15 V/cm with a 90 s holding time yielded the greatest SPC of 0.63 ± 0.05 and the most preferable textural qualities for hardness. Our study shows the potential of ohmic heating to rapidly cook instant noodles with good textural qualities and energy efficiency. 87 | {ISBN/ISSN}: 0260-8774 88 | {Database Provider}: CNKI 89 | 90 | 91 | {Reference Type}: Journal Article 92 | {Title}: Composites based on zirconia and transition metal oxides for osteosarcoma treatment. Design, structural, magnetic and mechanical evaluation 93 | {Author}: Subina Raveendran;;S. Kannan 94 | {Author Address}: Centre for Nanoscience and Technology, Pondicherry University, Puducherry 605 014, India 95 | {Journal}: Materials Science & Engineering C 96 | {Year}: 2019 97 | {Volume}: 98 98 | {Keywords}: ZrO 2;Transition metals;Structure;Magnetic;Mechanical 99 | {Abstract}: Abstract(#br)The formation of structurally stable composites of cubic zirconia ( c -ZrO 2 ) with selective transition metal oxides ( α -Fe 2 O 3 , Mn 3 O 4 , NiO, Co 3 O 4 ) is investigated. The results affirm the prospect to retain unique c -ZrO 2 and transition metal oxide (TMO) structures in the composite form until 1400 °C. It is also shown that 30 mol% Y 2 O 3 possess the ability to retain stable c -ZrO 2 despite the existence of assorted TMO content in the composites. The elemental states of Fe 3+ , Mn 2+/4+ , Ni 2+ and Co 2+/3+ are confirmed from the corresponding α -Fe 2 O 3 , Mn 3 O 4 , NiO, and Co 3 O 4 . The magnetic properties are highly influenced by the quantity of TMO component while the c -ZrO 2 plays a decisive role in the resultant mechanical properties. The wide range of properties delivered by the composites extends the possibility to probe for osteosarcoma treatment that demands optimal mechanical and magnetic features. 100 | {ISBN/ISSN}: 0928-4931 101 | {Database Provider}: CNKI 102 | 103 | 104 | {Reference Type}: Journal Article 105 | {Title}: Evaluation of the dimensions of the spherical model of vocational interests in the long and short version of the Personal Globe Inventory 106 | {Author}: Julian M. Etzel;;Gabriel Nagy 107 | {Author Address}: Leibniz Institute for Science and Mathematics Education, Kiel, Germany 108 | {Journal}: Journal of Vocational Behavior 109 | {Year}: 2019 110 | {Volume}: 112 111 | {Keywords}: Spherical model of vocational interests;Personal Globe Inventory;Interest circumplex 112 | {Abstract}: Abstract(#br)The present study examined three different sources of evidence for the validity of the Personal Globe Inventory (PGI; Tracey, 2002) with regard to its ability to assess the dimensions underlying the spherical model of vocational interests: People-Things, Ideas-Data, and Prestige. Specifically, we analyzed 1) evidence based on the internal structure of the eight basic interest scales, 2) convergent evidence of the PGI dimensions across different item types, and 3) evidence based on relations to plausible correlates of vocational interests, namely, gender, academic achievement, and the socioeconomic status associated with the desired profession. Moreover, we analyzed the extent to which these sources of evidence were invariant between the PGI and its associated short version – the PGI-S (Tracey, 2010). Relying on a sample of N = 688 university students in Germany, we were able to show that 1) the circular order of the basic interest scales was confirmed across item types and that it was invariant across PGI versions, 2) both the relationships between corresponding dimensions across item types as well as the relationships with the validity markers were, as far as the circumplex dimensions were concerned, in line with theoretical expectations and invariant across PGI versions, and 3) there were notable differences between the respective relationships with the Prestige dimensions across item types and PGI versions. We conclude by weighing up the pros and cons of the two PGI versions and suggesting specific situations in which the use of either version is advised. 113 | {ISBN/ISSN}: 0001-8791 114 | {Database Provider}: CNKI 115 | 116 | 117 | {Reference Type}: Journal Article 118 | {Title}: Evaluation of the non-gray weighted sum of gray gases models for radiative heat transfer in realistic non-isothermal and non-homogeneous flames using decoupled and coupled calculations 119 | {Author}: Xiao Yang;;Zhihong He;;Shikui Dong;;Heping Tan 120 | {Author Address}: School of Energy Science and Engineering, Harbin Institute of Technology, Harbin 150001, PR China;;Key Laboratory of Aerospace Thermophysics, MIIT, Harbin Institute of Technology, Harbin 150001, PR China 121 | {Journal}: International Journal of Heat and Mass Transfer 122 | {Year}: 2019 123 | {Volume}: 134 124 | {Keywords}: Radiative heat transfer;Combustion systems;CFD;Non-gray gas radiation;WSGG models 125 | {Abstract}: Abstract(#br)Radiative heat transfer plays an important role in combustion systems. Good compromise between the accuracy and computational requirements of the weighted sum of gray gases (WSGG) model makes it widely used in CFD simulations. In this paper, the accuracy of various WSGG models is assessed by the comparison with the results of radiative heat source and heat flux calculated by line by line (LBL) approach in a realistic non-isothermal and non-homogeneous flame using decoupled calculations. Then these models are implemented to CFD code to investigate the radiative heat transfer for a 600 kW furnace using coupled calculations. The experimental data from the furnace has been used to evaluate the computational applicability and reliability of WSGG models. Results show that the non-gray formulation of WSGG model is more accurate than gray modelling approach, compared with LBL results. The non-gray WSGG models of Krishnamoorthy et al. (2013), Bordbar et al. (2014) and Shan et al. (2018) provide the minimal overall errors compared with the measured temperature fields. The results demonstrate that using the non-gray approach instead of gray approach for global CFD simulation improves the simulation accuracy of thermal radiation transfer. The computing time of non-gray models is larger, approximately 3–4 times that of gray WSGG models. 126 | {ISBN/ISSN}: 0017-9310 127 | {Database Provider}: CNKI 128 | 129 | 130 | {Reference Type}: Journal Article 131 | {Title}: Evaluation of structural integrity and functionality of commercial pectin based edible films incorporated with corn flour, beetroot, orange peel, muesli and rice flour 132 | {Author}: Sucheta;;Shushil Kumar Rai;;Kartikey Chaturvedi;;Sudesh Kumar Yadav 133 | {Author Address}: Center of Innovative and Applied Bioprocessing, Mohali, 140306, India;;National Institute of Food Technology Entrepreneurship and Management, Sonepat, 131028, India 134 | {Journal}: Food Hydrocolloids 135 | {Year}: 2019 136 | {Volume}: 91 137 | {Keywords}: Composite edible films;Pectin;Corn flour;Beetroot;Structural;Functional 138 | {Abstract}: Abstract(#br)The present study aims to develop functional composite edible films using varied film formulations containing pectin (P), corn flour (CF), beetroot powder (BP), orange peel powder + sodium alginate (OPS), muesli root powder (MRP) and rice flour (RF) along with their structural, mechanical and functional characterization. Strong intermolecular attachment evolved between starch and pectin molecules due to hydrogen bonding of their hydrophilic groups, confirmed through scanning electron micrographs and FTIR spectra. Also, P-CF ratio (1:1) might retained some crystalline regions of starch which has significantly enhanced structural integrity and functionality of films in terms of tensile strength (TS), water solubility (WS), water vapour permeability (WVP) and thermal stability. In accordance with Herschel-Bulkley model, the predicted consistency index and flow behaviour values were affected by film formulation and the model was of good fit with R 2 = 0.81 (PC3), R 2 = 0.74 (PCB3) and R 2 = 0.99 (for rest formulations). Although, higher proportions of hydrophilic polymers (P, OPS & BP) due to higher molecular mobility resulted in less rigid, highly soluble, moisture permeable and thermally unstable films. Furthermore, RF films possessed cracks over the surface and insoluble fractions due to insufficient starch gelatinization which decreased their TS and barrier properties. The ATR-FTIR spectra confirmed the presence of functional groups corresponding to starch and pectin in range of 500–4000 cm −1 . The variation among different films underlies only in peak intensities due to some molecular changes. Overall, the films made of P-CF ratio (1:1) were more functional and structurally stable as compared to rest of the films, thus, they would make a better alternative for synthetic packaging. 139 | {ISBN/ISSN}: 0268-005X 140 | {Database Provider}: CNKI 141 | 142 | 143 | {Reference Type}: Journal Article 144 | {Title}: Worth the risk? An evaluation of alternative finance mechanisms for residential retrofit 145 | {Author}: Donal Brown;;Steve Sorrell;;Paula Kivimaa 146 | {Author Address}: Centre on Innovation and Energy Demand, Sussex Energy Group, Science Policy Research Unit, University of Sussex, Jubilee Building, Falmer, Brighton BN1 9SL, UK;;Finnish Environment Institute SYKE, Mechelininkatu 34a, Helsinki, Finland;;School of Earth and Environment, The University of Leeds, Leeds LS2 9JT, UK 147 | {Journal}: Energy Policy 148 | {Year}: 2019 149 | {Volume}: 128 150 | {Keywords}: Energy efficiency;Finance;Retrofit;Split incentives;Domestic buildings;Cost of capital 151 | {Abstract}: Abstract(#br)Improving energy efficiency, de-carbonising heating and cooling, and increasing renewable microgeneration in existing residential buildings, is crucial for meeting social and climate policy objectives. This paper explores the challenges of financing this ‘retrofit’ activity. First, it develops a typology of finance mechanisms for residential retrofit highlighting their key design features, including: the source of capital ; the financial instrument(s) ; the project performance requirements; the point of sale ; the nature of the security and underwriting the repayment channel and customer journey . Combining information from interviews and documentary sources, the paper explores how these design features influence the success of the finance mechanisms in different contexts. First, it is shown that a low cost of capital for retrofit finance is critical to the economic viability of whole-house retrofits. Second, by funding non-energy measures such as general improvement works, finance mechanisms can enable broader sources of value that are more highly prized by households. Thirdly, mechanisms that reduce complexity by simplifying the customer journey are likely to achieve much higher levels of uptake. Most importantly we discuss how finance alone is unlikely to be a driver of demand for whole-house retrofit, and so instead should be viewed as a necessary component of a much broader retrofit strategy. 152 | {ISBN/ISSN}: 0301-4215 153 | {Database Provider}: CNKI 154 | 155 | 156 | {Reference Type}: Journal Article 157 | {Title}: Evaluation of mechanical strength and bone regeneration ability of 3D printed kagome-structure scaffold using rabbit calvarial defect model 158 | {Author}: Se-Hwan Lee;;Kang-Gon Lee;;Jong-Hyun Hwang;;Yong Sang Cho;;Kang-Sik Lee;;Hun-Jin Jeong;;Sang-Hyug Park;;Yongdoo Park;;Young-Sam Cho;;Bu-Kyu Lee 159 | {Author Address}: Department of Mechanical Design Engineering, College of Engineering, Wonkwang University, 460 Iksandae-ro, Iksan, Jeonbuk, 54538, Republic of Korea;;Biomedical Engineering Research Center, Asan Institute for Life Sciences, Asan Medical Center, College of Medicine, University of Ulsan, 88, Olympic-ro 43-gil, Songpa-gu, Seoul, 05505, Republic of Korea;;Department of Oral and Maxillofacial Surgery, Asan Medical Center, College of Medicine, University of Ulsan, 88, Olympic-ro 43-gil, Songpa-gu, Seoul, 05505, Republic of Korea;;Department of Biomedical Engineering, College of Engineering, Pukyong National University, Busan, 48513, Republic of Korea;;Department of Biomedical Engineering, College of Medicine, Korea University, Seoul, 02841, Republic of Korea 160 | {Journal}: Materials Science & Engineering C 161 | {Year}: 2019 162 | {Volume}: 98 163 | {Keywords}: Customized bone graft;Kagome-structure scaffold;Bone defect model;Poly-caprolactone;3D printing 164 | {Abstract}: Abstract(#br)In clinical conditions, the reconstructions performed in the complex and three-dimensional bone defects in the craniomaxillofacial (CMF) area are often limited in facial esthetics and jaw function. Furthermore, to regenerate a bone defect in the CMF area, the used scaffold should have unique features such as different mechanical strength or physical property suitable for complex shape and function of the CMF bones. Therefore, a three-dimensional synthetic scaffold with a patient-customized structure and mechanical properties is more suitable for the regeneration. In this study, the customized kagome-structure scaffold with complex morphology was assessed in vivo. The customized 3D kagome-structure model for the defect region was designed according to data using 3D computed tomography. The kagome-structure scaffold and the conventional grid-structure scaffold (as a control group) were fabricated using a 3D printer with a precision extruding deposition head using poly(ε-caprolactone) (PCL). The two types of 3D printed scaffolds were implanted in the 8-shaped defect model on the rabbit calvarium. To evaluate the osteoconductivity of the implanted scaffolds, new bone formation, hematoxylin and eosin staining, immunohistochemistry, and Masson's trichrome staining were evaluated for 16 weeks after implantation of the scaffolds. To assess the mechanical robustness and stability of the kagome-structure scaffold, numerical analysis considering the ‘elastic-perfectly plastic’ material properties and deformation under self-contact condition was performed by finite element analysis. As a result, the kagome-structure scaffold fabricated using 3D printing technology showed excellent mechanical robustness and enhanced osteoconductivity than the control group. Therefore, the 3D printed kagome-structure scaffold can be a better option for bone regeneration in complex and large defects than the conventional grid-type 3D printed scaffold. 165 | {ISBN/ISSN}: 0928-4931 166 | {Database Provider}: CNKI 167 | 168 | 169 | {Reference Type}: Journal Article 170 | {Title}: Evaluation of a Pilot Perioperative Smoking Cessation Program: A Pre-Post Study 171 | {Author}: Kelly C. Young-Wolff;;Sara R. Adams;;Renee Fogelberg;;Alison A. Goldstein;;Paul G. Preston 172 | {Author Address}: Division of Research, Kaiser Permanente Northern California, Oakland, California;;Richmond Medical Center, Kaiser Permanente Northern California, Richmond, California;;Regional Offices, Kaiser Permanente Northern California, Oakland, California;;San Francisco Medical Center, Kaiser Permanente Northern California, San Francisco, California 173 | {Journal}: Journal of Surgical Research 174 | {Year}: 2019 175 | {Volume}: 237 176 | {Keywords}: Perioperative smoking cessation;Surgical patients;Tobacco cessation medication;Nicotine replacement therapy;Smoking cessation intervention 177 | {Abstract}: Abstract(#br)Background(#br)Surgical clinic and perioperative settings are critical touchpoints for treating smoking, yet health care systems have not typically prioritized smoking cessation among surgical patients. We evaluated the implementation of a pilot smoking cessation intervention integrated into standard perioperative care.(#br)Materials and methods(#br)English-speaking adult smokers undergoing elective surgery in Kaiser Permanente San Francisco before (2015) and after (2016-2017) the implementation of a smoking cessation intervention were included. Provider outcomes included counseling referrals, cessation medication orders (between surgery scheduling and surgery), and preoperative carbon monoxide testing. Patient outcomes included counseling and medication use, smoking status at surgery and 30 d after discharge, and surgical complications. Multivariable logistic regression analyses examined pre-to-post intervention changes in outcomes using electronic health record data and 30-d postdischarge telephone surveys.(#br)Results(#br)The sample included 276 patients (70% male; 59% non-Hispanic white; mean age = 50 y). There were significant pre-to-post increases in tobacco cessation counseling referrals (3% to 28%, adjusted odds ratio [AOR] = 11.12, 95% confidence interval [CI] = 3.78-32.71) and preoperative carbon monoxide testing (38% to 50%, AOR = 1.83, 95% CI = 1.10-3.06). At ∼30 d after discharge, patients in the postintervention period were more likely to report smoking abstinence in the previous 7 d (24% pre, 44% post; AOR = 2.39, 95% CI = 1.11-5.13) and since hospital discharge (18% pre, 39% post; AOR = 3.20, 95% CI = 1.42-7.23). Cessation medication orders and patient use of counseling and medications increased, whereas surgical complications decreased, but pre-to-post differences were not significant.(#br)Conclusions(#br)A perioperative smoking cessation program integrated into standard care demonstrated positive smoking-related outcomes; however, larger studies are needed to evaluate the effectiveness of these programs. 178 | {ISBN/ISSN}: 0022-4804 179 | {Database Provider}: CNKI 180 | 181 | 182 | {Reference Type}: Journal Article 183 | {Title}: Evaluation of the power system reliability if a nuclear power plant is replaced with wind power plants 184 | {Author}: Marko Čepin 185 | {Author Address}: Faculty of Electrical Engineering, University of Ljubljana, Tržaška cesta 25, Ljubljana, Slovenia 186 | {Journal}: Reliability Engineering and System Safety 187 | {Year}: 2019 188 | {Volume}: 185 189 | {Keywords}: Reliability;Nuclear power plant;Wind power;Renewable;Loss of load expectation 190 | {Abstract}: Abstract(#br)The modern power systems include a larger number of more dispersed and smaller power generating sources, which are slowly replacing larger and more concentrated power sources. The objective of this paper is to analyse the replacement of nuclear power plant with wind power plants to compare both cases from the viewpoints of power system reliability. The load diagram and the variability of the power plants, whose power depend on the environmental parameters with the time is considered. This paper is focused on the loss of load expectation. The upgraded method considers plant power as a function of the time instead of its nominal power. Initial real power system model consists of twelve power plants including one nuclear power plant. This plant is then replaced by three wind power plants with their total power five times larger than the power of the nuclear power plant. A comparison of reliability in terms of comparing the loss of load expectation is performed using the real weather data for one calendar year. The results show that the replacement of the nuclear power plant with several wind power plants with wind power capacity five times larger than the nuclear power capacity causes a decrease of the power system reliability. 191 | {ISBN/ISSN}: 0951-8320 192 | {Database Provider}: CNKI 193 | 194 | 195 | {Reference Type}: Journal Article 196 | {Title}: Microcapsulation of Ganoderma Lucidum spores oil: Evaluation of its fatty acids composition and enhancement of oxidative stability 197 | {Author}: Dan Zhou;;Feixian Zhou;;Jinfang Ma;;Fahuan Ge 198 | {Author Address}: School of Pharmaceutical Sciences, Sun Yat-Sen University, Guangzhou 510006, China;;Nansha Research Institute, Sun Yat-Sen University, Guangzhou 511458, China 199 | {Journal}: Industrial Crops & Products 200 | {Year}: 2019 201 | {Volume}: 131 202 | {Keywords}: Microencapsulation;Wall material;Spray drying;G. lucidum oil;Fatty acids;Oxidation stability 203 | {Abstract}: Abstract(#br)Ganoderma lucidum ( G. lucidum ) spores oil, which was extracted from G. lucidum spores with supercritical fluid CO 2 , contains a lot of unsaturated fatty acids (PUFAS). PUFAS in G. lucidum spores oil were oxidized easily, so it is important to protect G. lucidum spores oil and enhance its oxidation stability. In this paper, we investigated a way of protecting G. lucidum spores oil by microcapsulation with spray drying. Different combination types of wall materials were evaluated and the best choose was the gum Arabic (GA) and maltodextrin (MD) combination. Then, the effects of the emulsifying temperature, the wall materials concentration, and the ratio of oil to wall materials on the GA/MD microcapsules were investigated and the encapsulation efficiency (EE) was up to 83.57%. Gas chromatography was used to identify the components of fatty acids in original and GA/MD microcapsules. It showed that PUFAS were well retained and the content of it was up to 80.04%. Oxidation stability of G. lucidum spores oil was enhanced significantly. All results indicated that using GA and MD as composite wall materials could effectively protect for G. lucidum spores oil. 204 | {ISBN/ISSN}: 0926-6690 205 | {Database Provider}: CNKI 206 | 207 | 208 | {Reference Type}: Journal Article 209 | {Title}: Evaluation of the impacts of different treatments of spatio-temporal variation in catch-per-unit-effort standardization models 210 | {Author}: Arnaud Grüss;;John F. Walter;;Elizabeth A. Babcock;;Francesca C. Forrestal;;James T. Thorson;;Matthew V. Lauretta;;Michael J. Schirripa 211 | {Author Address}: Department of Marine Biology and Ecology, Rosenstiel School of Marine and Atmospheric Science, University of Miami, 4600 Rickenbacker Causeway, Miami, FL, 33149, USA;;School of Aquatic and Fishery Sciences, University of Washington, Box 355020, Seattle, WA, 98105-5020, USA;;Southeast Fisheries Science Center, National Marine Fisheries Service, National Oceanic and Atmospheric Administration, 75 Virginia Beach Drive, Miami, FL, 33149-1099, USA;;Cooperative Institute for Marine and Atmospheric Studies, Rosenstiel School of Marine and Atmospheric Science, University of Miami, 4600 Rickenbacker Causeway, Miami, FL, 33149, USA;;Habitat and Ecosystem Process Research Program, Alaska Fisheries Science Center, National Marine Fisheries Service, NOAA, 7600 Sand Point Way N.E., Seattle, WA, 98115, USA 212 | {Journal}: Fisheries Research 213 | {Year}: 2019 214 | {Volume}: 213 215 | {Keywords}: Catch-per-unit-effort (CPUE);Standardization methods;Indices of relative abundance;Simulation-testing;Spatio-temporal models 216 | {Abstract}: Abstract(#br)Many stock assessments heavily rely on indices of relative abundance derived from fisheries-dependent catch-per-unit-effort (CPUE) data. Therefore, it is critical to evaluate different CPUE standardization methods under varying scenarios of data generating processes. Here, we evaluated nine CPUE standardization methods offering contrasting treatments of spatio-temporal variation, ranging from the basic generalized linear model (GLM) method not integrating a year-area interaction term to a sophisticated method using the spatio-temporal modeling platform VAST. We compared the performance of these methods against simulated data constructed to mimic the processes generating fisheries-dependent information for Atlantic blue marlin ( Makaira nigricans ), a common bycatch population in pelagic longline fisheries. Data were generated using a longline data simulator for different population trajectories (increasing, decreasing, and static). These data were further subsampled to mimic an observer program where trips rather than sets form the sampling frame, with or without a bias towards trips with low catch rates, which might occur if the presence of an observer alters fishing behavior to avoid bycatch. The spatio-temporal modeling platform VAST achieved the best performance in simulation, namely generally had one of the lowest biases, one of the lowest mean absolute errors (MAEs), and 50% confidence interval coverage closest to 50%. Generalized additive models accounting for spatial autocorrelation at a broad spatial scale (one of the lowest MAEs and one of the lowest biases) and, to a lesser extent, non-spatial delta-lognormal GLMs including a year-area interaction as a random effect (one of the lowest MAEs and one of the best confidence interval coverages) also performed adequately. The VAST method provided the most comprehensive and consistent treatment of spatio-temporal variation, in contrast with methods that simply weight predictions by large spatial areas, where it is critical, but difficult, to get the a priori spatial stratification correct before weighting. Next, we applied the CPUE standardization methods to real data collected by the National Marine Fisheries Service Pelagic Observer Program. The indices of relative abundance predicted from real observer data were relatively similar across CPUE standardization methods for the period 1998–2017 and suggested that the blue marlin population of the Atlantic declined over the period 1998–2004 and was relatively stable afterwards. As spatio-temporal variation related to environmental changes or depletion becomes increasingly necessary to consider, greater use of spatio-temporal models for standardizing fisheries-dependent CPUE data will likely be warranted. 217 | {ISBN/ISSN}: 0165-7836 218 | {Database Provider}: CNKI 219 | 220 | 221 | {Reference Type}: Journal Article 222 | {Title}: Evaluation of atmospheric dispersion of radioactive materials in a severe accident of the BNPP based on Gaussian model 223 | {Author}: S. Ghaemi far;;M. Aghaie;;A. Minuchehr;;Gh Alahyarizadeh 224 | {Author Address}: Engineering Department, Shahid Beheshti University, G.C, P.O. Box: 1983963113, Tehran, Iran 225 | {Journal}: Progress in Nuclear Energy 226 | {Year}: 2019 227 | {Volume}: 113 228 | {Keywords}: Radioactive material dispersion;CONTAIN code;Gaussian model;Severe accident;AERMOD 229 | {Abstract}: Abstract(#br)Regarding the importance of radioactive materials dispersion in the environment and their effect on living organism's well-being, this article examines the atmospheric dispersion of these materials around the Bushehr nuclear power plant (BNPP) in a hypothetical severe accident. One of practical dispersion models is AERMOD which is based on Gaussian distribution. This model which is an extension of Gaussian model is normally used for predicting the gaseous pollution. The aim of this study is to investigate the dispersion of radioactive materials in BNPP's surroundings due to a specific type of Large Break LOCA (LBLOCA) accident. In this study, the wind direction, wind speed, and the topological conditions of the power plant's environment are considered. In order to execute this model, the meteorology and topological data of the region have been provided. Besides, using the CONTAIN code, the data about released radioactive materials from the containment have been provided. The double ended cold leg break (DECL) accident in containment has been modeled and its validity has been checked with FSAR. Extracting all required data, the simulation is done in AERMOD and the volumetric concentration and activity of fission products are calculated. The volumetric activity of fission products in Tangestan, Bandar-E-Bushehr and Delvar cities are evaluated as 7.5658E+07, 7.5136E+07 and 2.9655E+06 (Bq/m 3 ), respectively. From results it could be seen that the most dispersion of the radioactive materials are in direction of the non-residential regions, although the pollution of the cities around the power plant is inevitable. 230 | {ISBN/ISSN}: 0149-1970 231 | {Database Provider}: CNKI 232 | 233 | 234 | {Reference Type}: Journal Article 235 | {Title}: Synthesis and evaluation of novel fused pyrimidine derivatives as GPR119 agonists 236 | {Author}: Yuanying Fang;;Lijuan Xiong;;Jianguo Hu;;Shaokun Zhang;;Saisai Xie;;Liangxing Tu;;Yang Wan;;Yi Jin;;Xiang Li;;Shaojie Hu;;Zunhua Yang 237 | {Author Address}: National Engineering Research Center for Manufacturing Technology of TCM Solid Preparation, Jiangxi University of Traditional Chinese Medicine, Nanchang 330006, China;;College of Pharmacy, Jiangxi University of Traditional Chinese Medicine, Nanchang 330004, China 238 | {Journal}: Bioorganic Chemistry 239 | {Year}: 2019 240 | {Volume}: 86 241 | {Keywords}: Tetrahydroquinazoline;Dihydrocyclopentapyrimidine;Endo - N -boc-nortropane amine;GPR119 agonists 242 | {Abstract}: Abstract(#br)A novel series of fused pyrimidine derivatives were designed, synthesized and evaluated as GPR119 agonists. Among them, cyclohexene fused compounds (tetrahydroquinazolines) showed greater GPR119 agonistic activities than did dihydrocyclopentapyrimidine and tetrahydropyridopyrimidine scaffolds. Analogues ( 16 , 19 , 26 , 28 , 42 ) bearing endo - N -Boc-nortropane amine and fluoro-substituted aniline exhibited better EC 50 values (0.27–1.2 μM) though they appeared to be partial agonists. 243 | {ISBN/ISSN}: 0045-2068 244 | {Database Provider}: CNKI 245 | 246 | 247 | {Reference Type}: Journal Article 248 | {Title}: Evaluation of epigallocatechin-3-gallate (EGCG) modified collagen in guided bone regeneration (GBR) surgery and modulation of macrophage phenotype 249 | {Author}: Chenyu Chu;;Yufei Wang;;Yuanjing Wang;;Renli Yang;;Li Liu;;Shengan Rung;;Lin Xiang;;Yingying Wu;;Shufang Du;;Yi Man;;Yili Qu 250 | {Author Address}: State Key Laboratory of Oral Diseases & National Clinical Research Center for Oral Diseases & Department of Oral Implantology, West China Hospital of Stomatology, Sichuan University;;Department of Oral Implantology, West China Hospital of Stomatology, Sichuan University, Chengdu 610041, China;;State Key Laboratory of Biotherapy, West China Hospital, Sichuan University, Collaborative Innovation Center for Biotherapy, Chengdu, Sichuan 610041, China 251 | {Journal}: Materials Science & Engineering C 252 | {Year}: 2019 253 | {Volume}: 99 254 | {Keywords}: Guided bone regeneration;Macrophage;Collagen;Epigallocatechin-3-gallate;Foreign body reaction 255 | {Abstract}: Abstract(#br)Collagen membranes have been widely applied for guided bone regeneration (GBR), a technique often utilized in dental implant surgery for bone argumentation. However, the implantation of collagen membranes also elicits foreign body reaction (FBR), the imbalance of which may lead to failures of dental implants. Macrophages play a pivotal role in FBR as macrophages can polarize into pro-inflammatory (M1) and pro-regenerative (M2) phenotypes. Therefore, collagen membranes based on modulation of macrophage polarization have gained increased attention. Epigallocatechin-3-gallate (EGCG)-modified collagen membranes have been previously shown to downregulate the expression of inflammatory factors. In the present study, scanning electron microscopy images showed that EGCG-modified collagen membranes prevented the migration of keratinocytes and maintained space for osteoblasts. CCK-8 and live/dead cell assays showed that EGCG-modified collagen membranes unaffected the cell viability of osteoblasts. In addition, immunofluorescent staining and quantitative real-time polymerase chain reaction showed an increased number of M2 macrophages, an upregulated expression of growth factors including vascular endothelial growth factor, bone morphogenetic protein 2, and an upregulation of osteogenic differentiation-related factors including Runt-related transcription factor 2 and osteopontin after implantation of EGCG-modified collagen membranes. Hematoxylin-eosin staining and Micro-CT further demonstrated that the application of EGCG-modified collagen membranes promoted new bone formation in vivo. From these findings it is concluded that EGCG-modified collagen membranes have promising potentials in GBR surgery which served as suitable barrier membranes and promoted bone regeneration in vivo by recruiting M2 macrophages, promoting secretion of growth factors and osteogenic differentiation. 256 | {ISBN/ISSN}: 0928-4931 257 | {Database Provider}: CNKI 258 | 259 | 260 | 261 | {Reference Type}: Journal Article 262 | {Title}: Self-made testing 263 | {Author}: With, Some.;; Great One, Two;; Others., Hi 264 | {Journal}: None 265 | {Year}: 2989 266 | 267 | -------------------------------------------------------------------------------- /tests/assets/mixed.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: 基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法 3 | {Author}: 唐伦;赵培培;赵国繁;陈前斌; 4 | {Author Address}: 重庆邮电大学通信与信息工程学院;重庆邮电大学移动通信重点实验室; 5 | {Journal}: 电子与信息学报 6 | {Pages}: 1-8 7 | {Keywords}: 虚拟网络功能;;预测;;迁移;;深度学习 8 | {Abstract}: 针对5G网络场景下缺乏对资源需求的有效预测而导致的虚拟网络功能实时性迁移问题,该文提出一种基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法。该算法首先建立综合带宽开销和迁移代价的系统总开销模型,然后设计基于在线学习的深度信念网络预测算法预测未来时刻的资源需求情况,在此基础上采用自适应学习率并引入多任务学习模式优化预测模型,最后根据预测结果以及对网络拓扑和资源的感知,以尽可能地减少系统开销为目标,通过基于择优选择的贪婪算法将虚拟网络功能迁移到满足资源阈值约束的底层节点上,并提出基于禁忌搜索的迁移机制进一步优化迁移策略。仿真表明,该预测模型能够获得很好的预测效果,自适应学习率加快了训练网络的收敛速度,与迁移算法结合在一起的方式有效地降低了迁移过程中的系统开销和服务等级协议违例次数,提高了网络服务的性能。 9 | {ISBN/ISSN}: 1009-5896 10 | {Notes}: 11-4494/TN 11 | {Database Provider}: CNKI 12 | 13 | 14 | {Reference Type}: Journal Article 15 | {Title}: 基于GA-BP算法的长江运价指数模型研究及预测 16 | {Author}: 李玉琢;刘攀; 17 | {Author Address}: 石家庄铁道大学; 18 | {Journal}: 现代营销(下旬刊) 19 | {Year}: 2019 20 | {Issue}: 02 21 | {Pages}: 134 22 | {Keywords}: GA-BP算法;;长江运价 23 | {Abstract}: 文章通过市场的特征选取了相关影响因素对长江水域的运输经济问题进行了研究。根据过往水运市场经济事件的分析,建立了基于GA-BP算法的价格制定模型,确定了长江运价指数。并根据长江航务交易所的历史数据对模型进行验证,证明了模型的有效性和合理性。本文有助于增强钢铁水运市场参与者的自身竞争能力和确保经营收益,有效地防范经营风险。 24 | {ISBN/ISSN}: 1009-2994 25 | {Notes}: 22-1256/F 26 | {Database Provider}: CNKI 27 | 28 | 29 | {Reference Type}: Journal Article 30 | {Title}: 人工智能驱动的数据分析技术在电力变压器状态检修中的应用综述 31 | {Author}: 刘云鹏;许自强;李刚;夏彦卫;高树国; 32 | {Author Address}: 华北电力大学河北省输变电设备安全防御重点实验室;华北电力大学新能源电力系统国家重点实验室;华北电力大学控制与计算机工程学院;国网河北省电力有限公司电力科学研究院; 33 | {Journal}: 高电压技术 34 | {Year}: 2019 35 | {Issue}: 02 36 | {Pages}: 1-12 37 | {Keywords}: 人工智能;;数据分析;;电力变压器;;状态检修;;图像识别;;专家系统 38 | {Abstract}: 状态检修为电力变压器的稳定运行与优质电力的正常供应提供了重要保障。随着智能电网建设的不断推进,包括状态监测、生产管理、运行调度、气象环境等在内的电力变压器运行状态相关信息已逐步呈现出体量大、种类多、增长快的典型大数据特征。因此,在电力大数据的时代背景下,开展结合人工智能技术的电力变压器状态数据综合挖掘与分析研究,对于进一步提升设备状态检修的全面性、高效性与准确性具有十分重要的意义。鉴于此,首先概述了面向数据分析的人工智能技术,涵盖专家系统、不确定性推理、机器学习及智能优化计算等研究内容;然后,结合电力变压器状态检修各阶段任务的智能化需求,论述了人工智能驱动的数据分析技术在数据清洗、文本挖掘、图像识别、状态评估、故障诊断、状态预测及检修决策优化等典型场景中的应用研究现状;最后,探讨了现阶段影响基于人工智能的数据分析技术在状态检修领域应用效果的关键问题,并对未来的主要研究方向进行了展望。 39 | {ISBN/ISSN}: 1003-6520 40 | {Notes}: 42-1239/TM 41 | {Database Provider}: CNKI 42 | 43 | 44 | {Reference Type}: Newspaper Article 45 | {Title}: 莫让“任性加塞”堵了回家过年路 46 | {Author}: 和风 47 | {Secondary Title}: 人民公安报·交通安全周刊 48 | {Date}: 2019-01-29 49 | {Pages}: 004 50 | {Publisher}: 人民公安报·交通安全周刊 51 | {Notes}: 11-0090 52 | {Database Provider}: CNKI 53 | 54 | 55 | {Reference Type}: Journal Article 56 | {Title}: 注射用益气复脉(冻干)的质量标志物研究 57 | {Author}: 李德坤;苏小琴;李智;李莉;万梅绪;周学谦;鞠爱春;张铁军; 58 | {Author Address}: 天津天士力之骄药业有限公司;天津市中药注射剂安全性评价企业重点实验室;天津药物研究院; 59 | {Journal}: 中草药 60 | {Year}: 2019 61 | {Issue}: 02 62 | {Pages}: 290-298 63 | {Keywords}: 注射用益气复脉(冻干);;质量标志物;;质量控制;;药性;;人参皂苷Rb1;;人参皂苷Rg1;;人参皂苷Rf;;人参皂苷Rh1;;人参皂苷Rc;;人参皂苷Rb2;;人参皂苷Ro;;人参皂苷Rg3;;麦冬皂苷C;;麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷;;偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷;;果糖;;五味子醇甲 64 | {Abstract}: 注射用益气复脉(冻干)是由红参、麦冬和五味子3味药材精制而成,临床上主要用于治疗冠心病劳累型心绞痛气阴两虚证及冠心病所致慢性左心功能不全II、III级气阴两虚证。根据质量标志物概念,从物质基础、药效、网络药理、药动学及药性等方面对注射用益气复脉(冻干)质量标志物进行预测分析,初步确定人参皂苷Rb1、Rg1、Rf、Rh1、Rc、Rb2、Ro、Rg3及麦冬皂苷C、麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷、偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷、果糖、五味子醇甲13个成分为质量标志物,并以此为核心建立全程质量控制体系。基于质量标志物对注射用益气复脉(冻干)进行质控方法研究,可以为中药注射剂质量评价提供新的研究思路。 65 | {ISBN/ISSN}: 0253-2670 66 | {Notes}: 12-1108/R 67 | {Database Provider}: CNKI 68 | 69 | 70 | {Reference Type}: Journal Article 71 | {Title}: 酸枣仁化学成分体内过程及其质量标志物研究思路探讨 72 | {Author}: 闫艳;张敏;崔小芳;张福生;高晓霞;郭旭东;杜晨晖;秦雪梅; 73 | {Author Address}: 山西大学中医药现代研究中心;山西大学化学化工学院;山西中医药大学中药学院;天津中学; 74 | {Journal}: 中草药 75 | {Year}: 2019 76 | {Issue}: 02 77 | {Pages}: 299-309 78 | {Keywords}: 酸枣仁;;药动学;;代谢;;药效物质;;质量标志物 79 | {Abstract}: 酸枣仁是公认的大宗中药品种之一,具有养心安神、补肝、敛汗生津之功效,是中医治疗失眠的首选药物。目前,酸枣仁化学成分研究较为清晰,其主要化学成分为黄酮类、皂苷类、生物碱类和三萜酸类等,结构丰富多样。酸枣仁化学成分的多样性决定了其生物学活性和药理作用的多样性,同时导致其药动学复杂的特性。通过对国内外文献分析与总结,梳理了酸枣仁化学成分(黄酮类、皂苷类)的药动学参数、吸收情况、组织分布特征和代谢研究成果(肠道菌群代谢转化、肝微粒体代谢转化、体内代谢转化),以期从体内过程的角度进行深度发掘和分析,为酸枣仁药效物质发现提供新的研究方向,同时为酸枣仁质量标志物的筛选和确定提供参考。 80 | {ISBN/ISSN}: 0253-2670 81 | {Notes}: 12-1108/R 82 | {Database Provider}: CNKI 83 | 84 | 85 | {Reference Type}: Journal Article 86 | {Title}: 病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的临床研究 87 | {Author}: 曾辉光; 88 | {Author Address}: 普宁市梅塘镇卫生院综合住院部; 89 | {Journal}: 中国现代药物应用 90 | {Year}: 2019 91 | {Volume}: 13 92 | {Issue}: 02 93 | {Pages}: 52-53 94 | {Keywords}: 非哺乳期乳腺炎;;病灶区段切除术;;随意皮瓣转移术;;临床疗效 95 | {Abstract}: 目的探讨非哺乳期乳腺炎经病灶区段切除术联合随意皮瓣转移术治疗的效果。方法回顾性分析60例非哺乳期乳腺炎患者的临床资料,其中30例患者接受病灶区段切除术治疗,将其设定为对照组;30例患者接受病灶区段切除术联合随意皮瓣转移术治疗,将其设定为观察组。比较两组患者的临床疗效和预后情况。结果观察组患者的治疗总有效率为93.33%,明显高于对照组的73.33%,差异具有统计学意义(P<0.05)。手术前两组患者的肿块和乳头凹陷发生率比较差异无统计学意义(P>0.05)。手术后,两组患者均未发生肿块;观察组乳头凹陷率0明显低于对照组的13.33%,差异具有统计学意义(P<0.05)。结论病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的疗效确切,可改善疾病预后。 96 | {ISBN/ISSN}: 1673-9523 97 | {Notes}: 11-5581/R 98 | {Database Provider}: CNKI 99 | 100 | 101 | {Reference Type}: Journal Article 102 | {Title}: 小学英语戏剧教学,打开孩子语言天赋的随意门 103 | {Author}: 陈素平; 104 | {Author Address}: 泗阳县史集小学; 105 | {Journal}: 科学大众(科学教育) 106 | {Year}: 2019 107 | {Issue}: 01 108 | {Pages}: 47 109 | {Keywords}: 小学英语;;戏剧教学;;学生主体 110 | {Abstract}: "教育戏剧"(Drama in Education),简称DIE,是运用戏剧与剧场的技巧从事学校课程教学的一种方式。它的突出特点是平等、开放、对话,要求在教师有计划的引导下,以戏剧的各种表演元素,如即兴表演、角色扮演、戏剧游戏、情景对话表演、课本剧排演、分角色朗读课文、模仿等方法进行教学工作。让学生可以在彼此互动、合作的关系中充分地发挥想象、表达思想,从学习中获得美感经验、增进智能与生活技能。 111 | {ISBN/ISSN}: 1006-3315 112 | {Notes}: 32-1427/N 113 | {Database Provider}: CNKI 114 | 115 | 116 | {Reference Type}: Journal Article 117 | {Title}: 去铁胺促进BMSCs靶向归巢和血管新生的实验研究 118 | {Author}: 郑胜武;杜子婧;黄雄梅;庄兢;林根辉;杨宇;丁昕;昝涛; 119 | {Author Address}: 福建医科大学省立临床医学院福建省立医院整形外科;上海交通大学医学院附属第九人民医院整复外科; 120 | {Journal}: 中国修复重建外科杂志 121 | {Year}: 2019 122 | {Volume}: 33 123 | {Issue}: 01 124 | {Pages}: 85-92 125 | {Keywords}: 低氧模拟剂;;去铁胺;;BMSCs;;归巢;;血管新生 126 | {Abstract}: 目的应用低氧模拟剂去铁胺(desferrioxamine,DFO)模拟组织缺氧环境,观察其是否能促进BMSCs在大鼠随意皮瓣中的归巢和血管新生。方法分离、培养荧光素酶转基因Lewis大鼠的BMSCs和成纤维细胞(fibroblast,FB)。选用4周龄Lewis雄性大鼠40只,在其背部形成10 cm×3 cm大小矩形皮瓣,然后随机分成4组,每组10只:A组于大鼠球后静脉丛注射200μL PBS;B、C组同上法分别注射浓度为1×10~6个/mL的FB和BMSCs 200μL;D组同C组方法注射BMSCs后,腹腔注射DFO[100 mg/(kg·d)],连续7 d。术后7 d,观察各组大鼠皮瓣成活情况并计算皮瓣成活率,采用激光散斑血流成像仪检测皮瓣血流情况;术后30 min及1、4、7、14 d采用生物发光成像检测移植细胞在大鼠体内分布情况;术后7 d行CD31免疫荧光染色计算毛细血管密度,免疫荧光检测基质细胞衍生因子1(stromal cell derived factor 1,SDF-1)、EGF、FGF及Ki67的表达情况;利用荧光素酶抗体标记移植的BMSCs,免疫荧光染色观察其是否参与损伤组织修复。结果术后7 d各组缺血皮瓣坏死边界已明确,C、D组皮瓣成活率明显高于A、B组,D组高于C组(P<0.05)。激光散斑血流成像仪检测示,C、D组皮瓣血流值显著高于A、B组,D组高于C组(P<0.05)。生物发光成像示BMSCs随时间变化逐渐向缺血缺氧区迁移,最终分布到缺血组织中;术后14 d D组的光子信号明显强于其他组(P<0.05)。CD31免疫荧光染色示,C、D组毛细血管密度显著高于A、B组,D组高于C组(P<0.05)。C、D组SDF-1、EGF、FGF及Ki67的表达明显强于A、B组,D组强于C组。术后7 d移植的荧光素酶标记BMSCs表达于组织的动脉弹力层、毛细血管处和毛囊处。结论 DFO可以加速BMSCs向随意皮瓣缺氧区域的迁移归巢,加速BMSCs在缺血组织中的分化,同时促进缺血组织血管新生。 127 | {ISBN/ISSN}: 1002-1892 128 | {Notes}: 51-1372/R 129 | {Database Provider}: CNKI 130 | 131 | 132 | {Reference Type}: Journal Article 133 | {Title}: 基于公共行政理念的政府公共关系发展历程探析 134 | {Author}: 谢昕,王小增 135 | {Author Address}: 中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074 136 | 137 | 138 | 139 | 140 | 141 | 142 | 143 | ,湖北武汉430074 144 | {Journal}: 湖北社会科学 145 | {Year}: 2005 146 | {Issue}: 09 147 | {Pages}: 14-16 148 | {Keywords}: 政府公共关系;;公共行政;;发展历程;;理念 149 | {Abstract}: 在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。 150 | {ISBN/ISSN}: 1003-8477 151 | {Notes}: 42-1112/C 152 | {Database Provider}: CNKI 153 | 154 | 155 | {Reference Type}: Journal Article 156 | {Title}: 兽医中药复方药物动力学研究方法及展望 157 | {Author}: 周岷江,王天益,李英伦 158 | {Author Address}: 四川农业大学动物科技学院,四川农业大学动物科技学院,四川农业大学动物科技学院 四川雅安625014 159 | 160 | 161 | 162 | 163 | 164 | 165 | 166 | 167 | ,四川雅安625014 168 | 169 | 170 | 171 | 172 | 173 | 174 | 175 | 176 | ,四川雅安625014 177 | {Journal}: 四川畜牧兽医 178 | {Year}: 2002 179 | {Issue}: S1 180 | {Pages}: 92-94 181 | {Keywords}: 兽医中药复方;;药物动力学;;研究方法;;展望 182 | {Abstract}: 本文概述了兽医中药复方药物代谢动力学的研究方法,对今后兽医中药复方药物代谢动力学的研究与发展进行了展望。 183 | {ISBN/ISSN}: 1001-8964 184 | {Notes}: 51-1181/S 185 | {Database Provider}: CNKI 186 | 187 | 188 | {Reference Type}: Journal Article 189 | {Title}: 中药归经研究述评 190 | {Author}: 穆仙丽,赵宗江,魏晨 191 | {Author Address}: 内蒙古福瑞制药有限责任公司,北京中医药大学,北京中医药大学 012000 192 | 193 | 194 | 195 | 196 | 197 | 198 | 199 | 200 | ,100029 201 | 202 | 203 | 204 | 205 | 206 | 207 | 208 | 209 | ,100029 210 | {Journal}: 内蒙古中医药 211 | {Year}: 2002 212 | {Issue}: 06 213 | {Pages}: 43-46 214 | {Keywords}: 中药;;归经;;理论研究;;实验研究 215 | {Abstract}: 通过归纳中药归经理论研究及实验研究的各种方法 ,分析其优越性和局限性 ,总结出中药归经在理论研究方面既要整理古代文献 ,还应整理归经实验及临床研究方面的现代文献 ;实验研究应该利用高科技手段 ,从系统的药效学研究入手 ,进行深入、系统地研究 ,形成现代中药归经理论 216 | {ISBN/ISSN}: 1006-0979 217 | {Notes}: 15-1101/R 218 | {Database Provider}: CNKI 219 | 220 | 221 | -------------------------------------------------------------------------------- /tests/assets/nameyear/ChineseColon.bib: -------------------------------------------------------------------------------- 1 | @Article{ZhongGuoLinChuangZhongLiuXueHui2016, 2 | author = {中国临床肿瘤学会}, 3 | title = {软组织肉瘤诊治中国专家共识(2015年版)}, 4 | journal = {中华肿瘤杂志}, 5 | year = {2016}, 6 | translatedtitle = {Chinese expert consensus on diagnosis and treatment of soft tissue sarcomas (Version 2015)}, 7 | authoraddress = {复旦大学附属肿瘤医院|JG001257}, 8 | translatedjournal = {Chinese Journal of Oncology}, 9 | ISBN = {0253-3766}, 10 | ISSN = {0253-3766}, 11 | issue = {4}, 12 | pages = {310-320}, 13 | keywords = {肉瘤;软组织肿瘤;诊断;治疗;规范}, 14 | abstract = {软组织肉瘤是一类间叶来源的恶性肿瘤,可发生于全身各个部位,各年龄段均可发病。由于发病率低,种类繁多且生物学行为各异,如何规范诊疗一直是临床工作的难点。外科治疗仍然是软组织肉瘤唯一可获得根治和最重要的治疗手段,但在某些肉瘤类型或某些情形下需要进行化疗和放疗,靶向治疗也显示出了良好的前景。目前,对于如何实施规范的多学科综合治疗,如何配合应用各种治疗手段,尚缺乏普遍认可的共识。中国抗癌协会肉瘤专业委员会和中国临床肿瘤学会以循证医学证据为基础,同时吸纳了部分已获认可的专家经验和研究心得,深入探讨了软组织肉瘤的多学科综合治疗,形成了中国专家共识以期为临床诊疗活动发挥指导性作用。}, 15 | url = {https://rs.yiigle.com/CN112152201604/889113.htm}, 16 | databaseprovider = {《中华医学杂志》社有限责任公司}, 17 | language = {chi}, 18 | } 19 | 20 | -------------------------------------------------------------------------------- /tests/assets/nameyear/Classic5Test.bib: -------------------------------------------------------------------------------- 1 | @Article{AlaaAlhaj-Ismail2019, 2 | author = {Alaa Alhaj-Ismail and Sami Adwan and John Stittle}, 3 | title = {Share-option based compensation expense, shareholder returns and financial crisis}, 4 | journal = {Journal of Contemporary Accounting \& Economics}, 5 | year = {2019}, 6 | authoraddress = {School of Economics, Finance and Accounting, Coventry University, UK;;University of Sussex Business School, University of Sussex, UK;;Essex Business School, University of Essex, UK}, 7 | issue = {1}, 8 | volume = {15}, 9 | keywords = {IFRS 2;Share-based payment;Share based compensation;Financial institution;Financial crisis;And large shareholders}, 10 | abstract = {Abstract(#br)This paper contributes to the literature that analyses the relationship between Share-Option Based Compensation (SOBC) expense and shareholder returns. It utilises a sample of financial firms listed in the European Economic Area and Switzerland between 2005 and 2016 to make inferences about the impact of the financial crisis on the above-mentioned relationship. The paper also assesses the extent to which the relationship between SOBC expense and shareholder returns during the financial crisis varies with ownership concentration. We find evidence that the positive relationship between SOBC expense and shareholder returns is significantly more apparent during the financial crisis. This suggests that investors place more emphasis on the unrecognised intangible features of SOBC contracts during the crisis, even though their associated expenses are subject to managerial discretion and measurement errors. We also find that the positive relationship between SOBC expense and shareholder returns over the financial crisis is more pronounced when ownership is more concentrated. The results of our study are robust after controlling for firm size, potential investment growth opportunities, traditional banking activities and firm self-selection bias.}, 11 | ISBN = {1815-5669}, 12 | ISSN = {1815-5669}, 13 | databaseprovider = {CNKI}, 14 | } 15 | 16 | @Article{NataliaSieti2019, 17 | author = {Natalia Sieti and Ximena C. Schmidt Rivera and Laurence Stamford and Adisa Azapagic}, 18 | title = {Environmental impacts of baby food: Ready-made porridge products}, 19 | journal = {Journal of Cleaner Production}, 20 | year = {2019}, 21 | authoraddress = {Sustainable Industrial Systems, School of Chemical Engineering and Analytical Science, The University of Manchester, Manchester, M13 9PL, UK}, 22 | volume = {212}, 23 | keywords = {Baby food;Environmental impacts;Life cycle assessment;Porridge;Ready-made meals}, 24 | abstract = {Abstract(#br)Scant information is available on the environmental impacts of baby food. Therefore, the aim of this work is to evaluate the life cycle environmental sustainability of one of the most common baby foods consumed for breakfast – ready-made porridge – and to identify options for improvements. Two variants of the product are considered: dry and wet porridge. The latter has from 43% to 23 times higher impacts than the dry alternative, with the global warming potential (GWP) of wet porridge being 2.6 times higher. However, the results are sensitive to the assumption on energy consumption for the manufacture of wet porridge, showing that reducing the amount of energy by 30% would reduce this difference by 5%–70% across the impacts. The main hotspots for both products are the raw materials and manufacturing; packaging is also significant for the wet option. For the dry porridge, product reformulation would reduce the environmental impacts by 1%–67%, including a 34% reduction in GWP. Reducing water content of the cereal mixture in dry porridge from 80% to 50% would reduce GWP of the manufacturing process by 65% and by 9% in the whole life cycle. Using a plastic pouch instead of a glass jar would decrease most environmental impacts of wet porridge by 7%–89%. The findings of this study will be of interest to both baby food producers and consumers.}, 25 | ISBN = {0959-6526}, 26 | ISSN = {0959-6526}, 27 | databaseprovider = {CNKI}, 28 | } 29 | 30 | @Article{QiShuXiaNull, 31 | author = {齐淑霞 and 刘圣 and 李鹏 and 韩磊 and 程华超 and 吴东京 and 赵建林}, 32 | title = {高效产生任意矢量光场的一种方法}, 33 | journal = {物理学报}, 34 | year = {Null}, 35 | authoraddress = {西北工业大学理学院陕西省光信息技术重点实验室;}, 36 | pages = {1-7}, 37 | keywords = {偏振态;;空间光调制器;;矢量光场}, 38 | abstract = {提出一种高效产生任意矢量光场的方法.通过利用两个光束偏移器分别对两个正交线偏振分量进行分束与合束,将传统激光模式转化为任意矢量光场.所产生矢量光场的偏振态和相位分布通过在相位型空间光调制器(SLM)上加载相应的相位实时调控.由于光路系统中不涉及任何衍射光学元件和振幅分光元件,光场转换效率高,仅取决于SLM的反射率,并且光路系统结构紧凑、稳定,同轴性易于调节.实验结果显示,采用反射率为79%的相位型SLM所产生的矢量光场的转换效率可达到58%.}, 39 | ISBN = {1000-3290}, 40 | ISSN = {1000-3290}, 41 | notes = {11-1958/O4}, 42 | databaseprovider = {CNKI}, 43 | } 44 | 45 | @Article{ZhangHaiFeng2019, 46 | author = {张海丰 and 李颖 and 程汉池 and 裴魏魏 and 刘明达 and 韩海生}, 47 | title = {斜入射时Salisbury屏电磁参数匹配规律研究}, 48 | journal = {信阳师范学院学报(自然科学版)}, 49 | year = {2019}, 50 | authoraddress = {佳木斯大学理学院;佳木斯大学材料与工程学院;佳木斯大学口腔医学院;}, 51 | issue = {01}, 52 | pages = {1-3}, 53 | keywords = {斜入射;;Salisbury屏;;匹配规律}, 54 | abstract = {利用电磁波传输理论,研究并推导出了电磁波斜入射时Salisbury屏后向反射率公式,使用三维网格法讨论了各个电磁参数、隔离层厚度、入射波频率等同后向反射率之间的关系.研究结果表明:在2~18GHz范围内,角度后向反射率有很大;在f=16GHz时,μr1和μr2取值的增加使得材料的磁损耗和储能能力加强,导致材料有很好的吸收效果;然而εr1和εr2取值增加时,由于表面反射效应增强,使得吸波效果下降;在2~18GHz频段内后向反射率均可达到4.5d B以上,能够满足军事和民用的要求.}, 55 | ISBN = {1003-0972}, 56 | ISSN = {1003-0972}, 57 | notes = {41-1107/N}, 58 | databaseprovider = {CNKI}, 59 | } 60 | 61 | @Article{LiKeBoNull, 62 | author = {黎克波 and 梁彦刚 and 苏文山 and 陈磊}, 63 | title = {三维真比例导引律大气层外拦截真任意机动目标的性能分析}, 64 | journal = {中国科学:技术科学}, 65 | year = {Null}, 66 | authoraddress = {国防科技大学空天科学学院;军事科学院国防科技创新研究院;}, 67 | pages = {1-2}, 68 | keywords = {大气层;真比例导引律;动能拦截器;机动目标;弹目接近速度;性能分析;}, 69 | abstract = {<正>大气层外动能拦截技术是弹道导弹防御技术研究的重难点问题.由于外层空间可以忽略气动力影响,动能拦截器通常采用真比例导引律(true proportional navigation, TPN)进行制导控制. TPN指令加速度方向垂直于当前弹目视线(line-of-sight, LOS),大小与视线转率成正比,具有结构简单、易于实现、鲁棒性好等优点. TPN的制导目的是控制视线转率使其不发散,从而使拦截器具有较小的脱靶量,以实现对目标的直接碰撞.}, 70 | ISBN = {1674-7259}, 71 | ISSN = {1674-7259}, 72 | notes = {11-5844/TH}, 73 | databaseprovider = {CNKI}, 74 | } 75 | 76 | -------------------------------------------------------------------------------- /tests/assets/nameyear/CoverAllTest15Entries.bib: -------------------------------------------------------------------------------- 1 | @Article{YoungreNoh2019, 2 | author = {Youngre Noh}, 3 | title = {Does converting abandoned railways to greenways impact neighboring housing prices?}, 4 | journal = {Landscape and Urban Planning}, 5 | year = {2019}, 6 | authoraddress = {Department of Landscape Architecture and Urban Planning, Texas A\&M University, College Station, TX 77843-3137, USA}, 7 | volume = {183}, 8 | keywords = {Spatial hedonic model;AITS-DID;Greenway;Railroad;Property value;Brownfield: trail}, 9 | abstract = {Abstract(#br)This research examines the housing market before and after abandoned railways are converted into greenways. Two different hedonic pricing models are employed to analyze changes in the impact and trend of the change—spatial regressions for before and after the conversion and the Adjusted Interrupted Time Series-Difference in Differences (AITS-DID) model. Analyzing 2005–2012 single-family home sale transactions in the City of Whittier, California the results show that converting the abandoned railway into a greenway increases property values. Upon the completion of the greenway, the positive association with the greenway proximity increased in both models. The premium also exists in the pre-conversion period. The sellers’ and buyers’ expectation of the greenway being an amenity factored into the housing market even during the construction of the greenway. After the conversion, properties near the greenway experienced a negative trend in their value.}, 10 | ISBN = {0169-2046}, 11 | ISSN = {0169-2046}, 12 | databaseprovider = {CNKI}, 13 | } 14 | 15 | @Article{TangLi2019, 16 | author = {唐力 and 刘启钢 and 孙文桥}, 17 | title = {基于灰色关联分析法的铁路物流服务方案评价}, 18 | journal = {铁道运输与经济}, 19 | year = {2019}, 20 | authoraddress = {1.中国铁道科学研究院 研究生部;2.中国铁道科学研究院集团有限公司 运输及经济研究所}, 21 | issue = {01}, 22 | pages = {7-12}, 23 | keywords = {铁路物流;服务方案;评价指标;灰色关联分析法;实例分析}, 24 | abstract = {选择合理的铁路物流服务方案对优化物流资源配置、提高铁路物流服务质量具有重要意义。针对铁路物流服务方案数量多、部分方案服务质量不高等问题,结合评价指标体系构建原则,选择经济性能、技术性能、服务水平和社会服务4个方面的评价指标,建立铁路物流服务方案评价指标体系,提出基于灰色关联分析法的铁路物流服务方案评价方法,并通过案例分析阐述该评价方法的可行性。评价结果表明,灰色关联分析法具有有效性和合理性,能够为铁路物流服务方案评价问题提供客观的科学依据。}, 25 | ISBN = {1003-1421}, 26 | ISSN = {1003-1421}, 27 | notes = {11-1949/U}, 28 | databaseprovider = {CNKI}, 29 | } 30 | 31 | @PhdThesis{YinWeiChuan2018, 32 | author = {殷玮川}, 33 | title = {云环境下铁路“门到门”货运产品设计优化方法研究}, 34 | school = {北京交通大学}, 35 | year = {2018}, 36 | tertiaryauthor = {何世伟}, 37 | typeofwork = {博士}, 38 | keywords = {铁路运输;;“门到门”货运产品;;产品设计;;服务网络优化;;云计算;;大数据;;支持向量机;;IBM DOcplexcloud软件}, 39 | abstract = {近年来,中国经济在新常态下发生的结构转型和调整变化对货运市场的供需关系和货源结构都产生了巨大的影响。货运市场的高附加值“白货”等货物比例增加,高附加值货物的地位相比过去不断提高,客户对于货运服务需求更加多样化,这些对铁路货运服务提出了更高的要求。铁路在全面推进物流化战略背景下,积极开拓货源市场,设计多样化的服务产品和提升服务质量都成为重要手段。铁路“门到门”货物运输就是在货运需求向延伸服务、全程服务发展背景下应运而生的,铁路“门到门”货运产品是铁路货物“门到门”运输的重要载体和主要形式,开行铁路“门到门”货运产品有利于铁路吸引货源,抢占货运市场份额,增强铁路在货运市场的影响力。在“互联网+”的新时代下,云计算和大数据技术的应用场景不断丰富,融入人们的生活和工作场景中,在多个行业已经发挥了巨大的作用。在铁路运营生产工作中引入云计算和大数据技术将有效提升工作效率,改进传统的工作模式,因此本文结合云计算和大数据技术,对铁路“门到门”货运产品的设计方法进行研究,主要研究内容包括以下几个方面:(1)对铁路“门到门”货运产品设计理论进行阐述,以货物运输规划流程为基础,分别对铁路“门到门”货运产品的概念、背景、设计原则和流程进行界定,并对云环境在铁路“门到门”货运产品设计中的应用进行分析。提出了基于云平台的自建接取送达和外包接取送达两种铁路“门到门”货运产品运输组织模式,并对这两种运输组织模式的经济效益分析。最后设计铁路“门到门”货运产品云平台的运作模式、功能模块、架构框架以及运营收益分析。(2)研究了铁路“门到门”货运服务网络构建方法,分别提出基于云聚类和基于轴辐式网络模型的铁路“门到门”货运服务网络构建方法,并采用基于支持向量回归机的铁路“门到门”货运服务网络构建评价方法对构建的服务网络进行评价,在考虑货物运到时限约束基础上,改进传统轴辐式网络模型,提出铁路“门到门”货运服务网络构建数学优化模型,以列车实绩运行大数据的计算参数来代替传统优化方法的参数设置。(3)研究了铁路“门到门”货运服务网络流量分配问题。采用节点拆分方法描述铁路干线运输作业环节以及铁路运输与公路运输转运作业环节,有助于细化对铁路“门到门”运输全流程作业的研究。在改进传统的网络流量分配模型基础上构建了铁路“门到门”货运服务网络的流量分配数学优化模型,采用基于时空服务网络的K短路搜索算法生成货流可行路径集,基于优化模型提出了基于云计算的求解方法框架。在求解数学模型过程中,借助云资源和IBM ILOGCplex内置的优化算法求解器,采用IBM DOcplexcloud软件求解。(4)研究了铁路“门到门”货运产品设计问题,提出铁路“门到门”货运产品备选集生成策略,在考虑铁路干线和公路支线运输服务相关约束基础上,构建铁路“门到门”货运产品设计数学优化模型,并提出了包括数据准备阶段、数据分析阶段、服务网络构建阶段、生成铁路“门到门”货运产品备选集和货运产品设计阶段这五个步骤的铁路“门到门”货运产品设计求解方法框架,将传统分作业环节计算普速产品旅行时间的方法改进为引入铁路实际列车运行大数据计算,并将结果作为基准带入数学优化模型中利用IBM DOcplexcloud软件进行求解提升产品设计的精准性。(5)选取京广线南段武汉北至江村区段为案例背景,进行了实例验证。说明了论文研究的实用价值和意义。}, 40 | databaseprovider = {CNKI}, 41 | } 42 | 43 | @MastersThesis{HuZengHui2018, 44 | author = {胡增辉}, 45 | title = {我国铁路客运站建筑空间室内设计方法研究}, 46 | school = {北京交通大学}, 47 | year = {2018}, 48 | tertiaryauthor = {孙伟}, 49 | typeofwork = {硕士}, 50 | keywords = {铁路客运站;;风格;;室内设计;;方法}, 51 | abstract = {1881年,我国第一条铁路——唐山到胥各庄的唐胥铁路修建落成,随之我国第一座火车站——唐山火车站也于1882年建成营运。纵观我国铁路百余年发展历史,铁路客运站从初期简单的列车停靠站点,到功能完善的、为铁路旅客提供舒适乘降服务的公共建筑空间,时至今日,已发展为集多种交通方式与城市功能于一体的大型综合交通枢纽。时代变迁,伴随建筑功能与形式的转变,铁路客运站室内设计也呈现出丰富多彩的个性特征,本论文研究发现,铁路客运站室内设计不仅融合公共建筑室内设计的共性,更具有铁路交通运输的独特印记,其设计风格经历了近代时期的折中主义风格、苏维埃式风格和标准化样式,建国之后带有装饰主义色彩的民族形式新风格与地方特色凸显的岭南风格,到改革开放后的现代主义风格和初具地域特点的风格,再发展为注重功能与服务、具有现代主义特征的新风格、融入地方特色的地域风格、注重生态景观设计特点及个别客运站还原昔日面貌的折中主义风格的转变。本文的主要研究内容分为两个部分,首先,从历史的角度出发,采用以史带论的研究方法,选取不同时段内具有代表性的铁路客运站设计案例进行深入剖析,从而研究我国铁路客运站的室内设计特点与发展变化规律,梳理我国铁路客运站室内设计的设计风格与发展脉络,探索其发展变化的规律与特征。然后,研究铁路客运站建筑室内界面、家具与陈设的设计,寻找出适合于我国当代铁路客运站室内设计的策略与方法,丰富我国铁路客运站室内设计方面的理论研究,希望能为今后的设计提供一些借鉴,为旅客创造一个更好的室内乘车环境。}, 52 | databaseprovider = {CNKI}, 53 | } 54 | 55 | @InProceedings{ShiDeWen2018, 56 | author = {史德雯}, 57 | title = {城市竖向对下凹式立交桥积水风险的影响}, 58 | booktitle = {共享与品质——2018中国城市规划年会论文集(01城市安全与防灾规划)}, 59 | year = {2018}, 60 | authoraddress = {北京市首都规划设计工程咨询开发有限公司;}, 61 | secondarytitle = {2018中国城市规划年会}, 62 | placepublished = {中国浙江杭州}, 63 | subsidiaryauthor = {中国城市规划学会、杭州市人民政府}, 64 | pages = {9}, 65 | keywords = {下凹式立交桥;城市竖向;内涝;积水风险}, 66 | abstract = {城市排水防涝系统是保障城市安全运行、维护人民生命财产安全的重要基础设施。近年来城市汛期北京市下凹桥区积水情况时有发生,本文分析了丰裕铁路桥的积水原因,发现由于城市竖向没有考虑内涝积水风险,造成大面积客水汇入下凹桥区,造成了严重积水。结合该桥区周围地区建设计划,将防涝风险反馈至地区竖向规划,通过对用地、道路的竖向改造使桥区客水范围大大缩减,降低了下凹桥区的防涝风险,引导该地区在开发建设的过程中避免产生内涝积水。}, 67 | databaseprovider = {CNKI}, 68 | } 69 | 70 | @Misc{BenBaoPingLunYuanNull, 71 | title = {坚持在大局下行动}, 72 | author = {本报评论员}, 73 | secondarytitle = {人民铁道}, 74 | date = {2019-01-09}, 75 | pages = {A01}, 76 | publisher = {人民铁道}, 77 | notes = {11-0096}, 78 | databaseprovider = {CNKI}, 79 | } 80 | 81 | @Book{IainDochertyNull, 82 | author = {Iain Docherty}, 83 | title = {Making Tracks}, 84 | publisher = {Taylor and Francis}, 85 | year = {2020}, 86 | date = {2020-10-12}, 87 | databaseprovider = {CNKI}, 88 | month = {10}, 89 | ISBN = {9780429834646}, 90 | } 91 | 92 | @Misc{NullNull, 93 | title = {六、固定资产投资和建筑业 6-10 按行业分建筑业企业生产情况}, 94 | keywords = {6-10 按行业分建筑业企业生产情况}, 95 | srcdatabase = {年鉴}, 96 | databaseprovider = {CNKI}, 97 | } 98 | 99 | @Misc{NullNull, 100 | title = {1 综合 1-5 国民经济和社会发展主要指标}, 101 | keywords = {万人,capita,Number,income,总量指标,平方米,人均可支配收入,旅客周转量,商品零售价格,邮路总长度,}, 102 | srcdatabase = {统计年鉴}, 103 | databaseprovider = {CNKI}, 104 | } 105 | 106 | @Misc{DuanXiangXiangNull, 107 | title = {一种铁路故障检测器清洗装置}, 108 | author = {段祥祥}, 109 | authoraddress = {241000 安徽省芜湖市镜湖区华强广场C座办公楼2409室}, 110 | subsidiaryauthor = {芜湖华佳新能源技术有限公司}, 111 | date = {2018-11-02}, 112 | notes = {CN108722921A}, 113 | typeofwork = {CN108722921A}, 114 | abstract = {本发明公开了一种铁路故障检测器清洗装置,包括底座,所述底座的上表面通过第一固定杆与第一驱动装置的下表面固定连接,所述第一驱动装置的正面与第一连接杆的背面固定连接,所述第一连接杆的正面与第二连接杆的背面固定连接,所述第二连接杆的顶端与挤压块的下表面固定连接,所述挤压块的上表面与载物板的下表面搭接。该铁路故障检测器清洗装置,通过通过第一电机、转盘、第一连接杆、第二连接杆、挤压块、载物板、第二电机、主动轮、从动轮、皮带、转轴和擦物块之间的相互配合,从而使得擦物块对检测器本体进行擦洗,从而不需要工作人员再手动擦拭检测器本体,从而方便了工作人员对计算机的使用,方便了工作人员的工作。}, 115 | subject = {1.一种铁路故障检测器清洗装置,包括底座(1),其特征在于:所述底座(1)的上表面通过第一固定杆(2)与第一驱动装置(3)的下表面固定连接,所述第一驱动装置(3)的正面与第一连接杆(4)的背面固定连接,所述第一连接杆(4)的正面与第二连接杆(5)的背面固定连接,所述第二连接杆(5)的顶端与挤压块(6)的下表面固定连接,所述挤压块(6)的上表面与载物板(7)的下表面搭接,所述载物板(7)的下表面通过两个伸缩装置(8)与底座(1)的上表面固定连接,且两个伸缩装置(8)分别位于第一驱动装置(3)的左右两侧,所述载物板(7)的上表面开设有凹槽(9),所述凹槽(9)内壁的下表面与底板(10)的下表面搭接,所述底板(10)的上表面通过支撑腿(11)与固定板(12)的下表面固定连接,所述固定板(12)的正面与检测器本体(13)的背面固定连接,所述载物板(7)的上表面固定连接有两个挡块(14),且两个挡块(14)的相对面均固定连接有电动推杆(27),且两个电动推杆(27)的相对面均固定连接有挤压板(16),所述载物板(7)的左右两侧面分别与两个滑块(28)的相对面固定连接,且两个滑块(28)分别滑动连接在两个滑槽(15)内,且两个滑槽(15)分别开设在两个支撑板(17)的相对面,且两个支撑板(17)的下表面均与底座(1)的上表面固定连接,且两个支撑板(17)的相对面均卡接有轴承(18),且两个轴承(18)内套接有同一个转轴(19),所述转轴(19)的表面固定连接有擦物块(20),且擦物块(20)的背面与检测器本体(13)的正面搭接,所述转轴(19)的表面固定连接有从动轮(21),所述从动轮(21)通过皮带(22)与第二驱动装置(23)传动连接,所述第二驱动装置(23)的下表面通过第二固定杆(24)与底座(1)的上表面固定连接,且第二驱动装置(23)位于左侧面支撑板(17)的左侧。}, 116 | srcdatabase = {中国专利}, 117 | } 118 | 119 | @Misc{TieDaoBuYunShuJuNull, 120 | title = {铁路调车作业标准 铁路调车作业标准基本规定}, 121 | author = {铁道部运输局}, 122 | publisher = {国家技术监督局}, 123 | date = {1996-03-15}, 124 | ISBN = {GB/T 7178.1-1996}, 125 | trydate = {1996-08-01}, 126 | keywords = {作业标准;铁路调车;}, 127 | srcdatabase = {国家标准}, 128 | databaseprovider = {CNKI}, 129 | } 130 | 131 | @Misc{NullNull, 132 | title = {铁路桥涵设计基本规范}, 133 | ISBN = {TB 10002.1-2005}, 134 | trydate = {2005-06-14}, 135 | keywords = {铁路桥涵;设计基本规范;桥涵}, 136 | srcdatabase = {标准}, 137 | databaseprovider = {CNKI}, 138 | } 139 | 140 | @Article{LouLiFang2018, 141 | author = {娄丽芳}, 142 | title = {创新能力培养视域下高职院校解剖学教学改革思考}, 143 | journal = {科教文汇(下旬刊)}, 144 | year = {2018}, 145 | authoraddress = {郑州铁路职业技术学院药学院;}, 146 | issue = {12}, 147 | pages = {79-80}, 148 | keywords = {创新能力;;解剖学教学;;培养途径}, 149 | abstract = {新的职业院校人才培养模式要求学生不仅能扎实地掌握知识,更重要的是能灵活运用知识进行创造性的工作。解剖学作为一门重要的医学基础课,多年来,教学研究者们一直致力于人才培养模式、课程体系、教学内容、教学方法的改革,以适应时代创新发展需要。本文针对实际教学情况,分析高职院校解剖学教学过程中创新能力培养的制约条件,并提出要及时转变教学理念,优化课堂教学过程,创新教学评价过程,积极营造有利于培养学生创新能力的氛围。}, 150 | ISBN = {1672-7894}, 151 | ISSN = {1672-7894}, 152 | notes = {34-1274/G}, 153 | databaseprovider = {CNKI}, 154 | } 155 | 156 | @Article{Null2018, 157 | author = {Null}, 158 | title = {携手前进,共创未来——习近平在巴拿马媒体发表署名文章}, 159 | journal = {中华人民共和国国务院公报}, 160 | year = {2018}, 161 | issue = {35}, 162 | pages = {7-9}, 163 | keywords = {巴拿马,习近平,巴雷拉,未来,卡洛斯,胡安,难忘的记忆,弯道超车,一路,热带水果,}, 164 | abstract = {<正>11月30日,在对巴拿马共和国进行国事访问前夕,国家主席习近平在巴拿马《星报》发表题为《携手前进,共创未来》的署名文章。文章如下:携手前进,共创未来中华人民共和国主席习近平应胡安·卡洛斯·巴雷拉总统邀请,我即将对巴拿马共和国进行国事访问。这是我首次访问贵国,也是中国国家主席首次到访巴拿马,我对此行充满期待。}, 165 | ISBN = {1004-3438}, 166 | ISSN = {1004-3438}, 167 | notes = {11-1611/D}, 168 | databaseprovider = {CNKI}, 169 | } 170 | 171 | @Article{XuMin2019, 172 | author = {徐敏}, 173 | title = {企业党员干部队伍建设问题研究}, 174 | journal = {山西青年}, 175 | year = {2019}, 176 | authoraddress = {同煤集团矿山铁路分公司;}, 177 | issue = {01}, 178 | pages = {210+209}, 179 | keywords = {企业党员干部;;队伍建设;;问题;;对策}, 180 | abstract = {介绍了企业党员干部队伍建设阶段所出现的问题,并提出相应的解决对策,它不仅能够确保企业党员干部队伍建设工作有条不紊的进行,而且还可以更好的提高党员干部队伍的综合素质水平,推动企业的发展。通过对企业党员干部队伍建设中所存在的问题进行分析和研究,以期为企业的发展提供可靠的保障,从而实现经济效益和社会效益的最大化。}, 181 | ISBN = {1006-0049}, 182 | ISSN = {1006-0049}, 183 | notes = {14-1003/C}, 184 | databaseprovider = {CNKI}, 185 | } 186 | 187 | -------------------------------------------------------------------------------- /tests/assets/nameyear/LotsOfEnglish.bib: -------------------------------------------------------------------------------- 1 | @Article{HenryFanYeung2019, 2 | author = {Henry Fan Yeung and Christine Bruhn and Mary Blackburn and Chutima Ganthavorn and Anna Martin and Concepcion Mendoza and Marisa Neelon and Dorothy Smith and Katherine Soule and Theresa Marie Spezzano and Tressie Barrett and Yaohua Feng}, 3 | title = {Evaluation of in-person and on-line food safety education programs for community volunteers}, 4 | journal = {Food Control}, 5 | year = {2019}, 6 | authoraddress = {Department of Food Science and Technology, University of California, Davis, One Shields Ave, Davis, CA, 95616, USA;;University of California Cooperative Extension, Alameda County 224 W, Winton Ave., Room 134, Hayward, CA, 94544, USA;;University of California Cooperative Extension, Riverside County 21150 Box Springs Road, Suite 202, Moreno Valley, CA, 92557-8718, USA;;University of California Cooperative Extension, San Joaquin County, 2102 E. Earhart Ave, Suite 200, Stockton, CA, 95206, USA;;University of California Cooperative Extension, Shasta and Trinity Counties, 1851 Hartnell Ave, Redding, CA, 96002-2217, USA;;University of California Cooperative Extension, Contra Costa County, 2380 Bisso Lane, Suite B, Concord, CA, 94520, USA;;University of California Cooperative Extension, Amador, Calaveras and Tuolumne Counties, 311 Fair Lane, Placerville, CA, 95667, USA;;University of California Cooperative Extension, San Luis Obispo County, 2156 Sierra Way, Suite C, San Luis Obispo, CA, 93401, USA;;Department of Publ}, 7 | volume = {99}, 8 | keywords = {Food safety education;Intervention comparison;On-line education;Knowledge change;Consumer education}, 9 | abstract = {Abstract(#br)The goal of “Make it Safe, Keep it Safe” is to educate volunteers who prepare food for community events about proper handling of food to prevent foodborne illness. A food safety curriculum was delivered either via an in-person workshop or by accessing the material on line from a personal computer. Food safety materials were based upon existing Food and Drug Administration food safety guidelines. University of California Extension Advisors taught the in-person food safety education and recruited participants for the on-line training. Volunteers (n = 242) who prepared food for 4-H programs, churches, service clubs, senior centers or other community activities completed either the on-line or in person workshop. Food safety knowledge was assessed via a pre- and post-survey. Both online and workshop education improved the food safety knowledge of participants and overall there was no significant difference found in the level of knowledge gained from the two formats. The findings have implications for when and how food safety can be taught. The future goal for this project is to promote “Make it Safe, Keep it Safe” as an online food safety education tool for use by Cooperative Extension and other educators.}, 10 | ISBN = {0956-7135}, 11 | ISSN = {0956-7135}, 12 | databaseprovider = {CNKI}, 13 | } 14 | 15 | @Article{OdedMKleinmintz2019, 16 | author = {Oded M Kleinmintz and Tal Ivancovsky and Simone G Shamay-Tsoory}, 17 | title = {The twofold model of creativity: the neural underpinnings of the generation and evaluation of creative ideas}, 18 | journal = {Current Opinion in Behavioral Sciences}, 19 | year = {2019}, 20 | authoraddress = {Department of Psychology, University of Haifa, Haifa, Israel;;Gonda Multidisciplinary Brain Research Center, Bar-Ilan University, Ramat-Gan, Israel}, 21 | volume = {27}, 22 | abstract = {It is increasingly acknowledged that creativity involves two phases: a generation phase and an evaluation phase. The two-fold model assumes a cyclic motion between the generation and the evaluation of ideas, as common or deviant ideas are rejected, and novel and appropriate ideas receive further attention and elaboration.(#br)Here we synthesize recent neuroimaging findings into an extended two-fold model, and emphasize the important role of the evaluation phase. The model aims to explain how different environmental processes, like expertise and enculturation, affect creativity. We further divide the evaluation phase into three sub stages: valuation, monitoring, and selection. We provide evidence for the model and suggest that creativity research would greatly benefit from incorporating the extended two-fold model into future research questions.}, 23 | ISBN = {2352-1546}, 24 | ISSN = {2352-1546}, 25 | databaseprovider = {CNKI}, 26 | } 27 | 28 | @Article{C.Ripolles-Avila2019, 29 | author = {C. Ripolles-Avila and A.S. Hascoët and J.V. Martínez-Suárez and R. Capita and J.J. Rodríguez-Jerez}, 30 | title = {Evaluation of the microbiological contamination of food processing environments through implementing surface sensors in an iberian pork processing plant: An approach towards the control of Listeria monocytogenes}, 31 | journal = {Food Control}, 32 | year = {2019}, 33 | authoraddress = {Hygiene and Food Inspection Unit, Department of Food and Animal Science, Universitat Autònoma de Barcelona, Barcelona, Spain;;Department of Food Technology, Instituto Nacional de Investigación y Tecnología Agraria y Alimentaria (INIA), Madrid, Spain;;Department of Food Hygiene and Technology, Universidad de León, León, Spain}, 34 | volume = {99}, 35 | keywords = {Sampling;Surface sensors;Microbial contamination;Listeria monocytogenes;Ecology}, 36 | abstract = {Abstract(#br)Food safety is one of the biggest concerns of food industrial development due to the risk of foodborne diseases, which are one of the most relevant health problems in the contemporary world and an important cause of reduced economic productivity. One of the main sources of microbial contamination in food products are industrial surfaces, which are colonized by pathogenic microorganisms capable of forming biofilms, making surfaces into reservoirs and potential sources of cross-contamination to food products. A study was conducted to determine the microbiological contamination from different microbial groups on different industrial surfaces in a meat processing plant through implementing a sensor-based sampling system, with a focus on detecting L. monocytogenes . The results obtained showed two main groups of areas with greater and lesser degrees of microbiological contamination, determined as the total aerobic counts of the microbial group with the highest contribution. The areas considered as major contributors to microbial contamination were three of the sampled floors and the storage cabinet for tools, demonstrating to be important sources of possible cross-contamination. A total of four L. monocytogenes presences were obtained during sampling. Moreover, a direct relation was observed between aerobic counts and detecting L. monocytogenes , and three possible hypotheses were formulated to explain the connection. Last, a safety zone marking the limits beyond which the surface can be considered as a safety risk was established, although more studies are needed to demonstrate if these limits can be used as an internal hygienic surface control. The use of SCH sensors as a surface sampling system for the food industry have been shown to work effectively and with relative ease.}, 37 | ISBN = {0956-7135}, 38 | ISSN = {0956-7135}, 39 | databaseprovider = {CNKI}, 40 | } 41 | 42 | @Article{E.S.Feng2019, 43 | author = {E.S. Feng and X.G. Wang and C. Jiang}, 44 | title = {A new multiaxial fatigue model for life prediction based on energy dissipation evaluation}, 45 | journal = {International Journal of Fatigue}, 46 | year = {2019}, 47 | authoraddress = {State Key Laboratory of Advanced Design and Manufacturing for Vehicle Body, College of Mechanical and Vehicle Engineering, Hunan University, 410082 Changsha, PR China}, 48 | volume = {122}, 49 | keywords = {Multiaxial fatigue;Life prediction;Energy dissipation;Thermographic method;Low cycle fatigue}, 50 | abstract = {Abstract(#br)This paper is focused on the development of a new multiaxial fatigue model from an energetic viewpoint. The proposed method adopts the intrinsic dissipation as the damage factor to correlate with the fatigue life of materials subjected to multiaxial fatigue. A dedicated energy dissipation-based multiaxial fatigue model is established that allows the fatigue life prediction for a given strain path. The proposed model is verified through the fatigue tests under five different loading paths applied to the AISI 316L stainless steel. It demonstrates that the energy dissipation-based method provides satisfactory life prediction for the varied loading paths from proportional to non-proportional loading.}, 51 | ISBN = {0142-1123}, 52 | ISSN = {0142-1123}, 53 | databaseprovider = {CNKI}, 54 | } 55 | 56 | @Article{D.N.Kiaoulias2019, 57 | author = {D.N. Kiaoulias and T.A. Travis and J.D. Moore and G.A. Risha}, 58 | title = {Evaluation of orifice inlet geometries on single liquid injectors through cold-flow experiments}, 59 | journal = {Experimental Thermal and Fluid Science}, 60 | year = {2019}, 61 | authoraddress = {The Pennsylvania State University, Altoona College, Altoona, PA 16601, USA}, 62 | volume = {103}, 63 | keywords = {Injector;Small orifice flow;Jet break-up}, 64 | abstract = {Abstract(#br)An experimental investigation was conducted to evaluate the inlet geometry effects of single, circular orifices on liquid injector pressure drop and exiting jet breakup length. Experiments were performed using distilled water as a hydrazine fuel simulant flowing through passageways simulating rocket engine injectors at the same Reynolds numbers and temperature conditions. Multiple orifice internal diameters and length-to-diameter ratios were evaluated with chamfered or sharp-edge orifice inlet geometries. Results showed that an increase in orifice diameter or decrease in length-to-diameter ratio led to decreased pressure drop across the injector. A sharp-edge orifice inlet geometry experienced cavitation under turbulent flow conditions at small length-to-diameter ratios and small orifice diameters, but was unaffected by cavitation at large orifice diameters for the same flow conditions. While a sharp-edge orifice inlet geometry was observed to have a greater pressure drop and longer jet breakup length for small orifices and length-to-diameter ratios, the chamfered orifice inlet geometry was not greatly influenced by length-to-diameter ratio at smaller orifices and had longer jet breakup lengths at higher orifices; meaning a larger percentage of liquid spray would reach an impingement point in a hypergolic liquid engine, increasing mixing and combustion.}, 65 | ISBN = {0894-1777}, 66 | ISSN = {0894-1777}, 67 | databaseprovider = {CNKI}, 68 | } 69 | 70 | @Article{B.Srinivas2019, 71 | author = {B. Srinivas and Abdul Hameed and G. Ramadevudu and M. Narasimha Chary and Md. Shareefuddin}, 72 | title = {Evaluation of EPR parameters for compressed and elongated local structures of VO 2+ and Cu 2+ spin probes in BaO-TeO 2 -B 2 O 3 glasses}, 73 | journal = {Journal of Physics and Chemistry of Solids}, 74 | year = {2019}, 75 | authoraddress = {Department of Physics, Osmania University, Hyderabad, 500007, Telangana state, India;;Vasavi College of Engineering(A), Ibrahimbagh, Hyderabad, 500031, Telangana state, India}, 76 | volume = {129}, 77 | keywords = {EPR;TM ions;Spin-Hamiltonian parameters;Optical absorption;Simulation;Tetragonality}, 78 | abstract = {Abstract(#br)EPR parameters and the local configurations of the transition metal (TM) ions VO 2+ and Cu 2+ in BaO-TeO 2 -B 2 O 3 glasses were experimentally evaluated and also theoretically verified. From the recorded X-band EPR spectra the spin-Hamiltonian parameters (SHP) were determined. The optical spectra of vanadium doped glass samples revealed a single absorption band at 596 nm which was assigned to 2 B 2g → 2 B 1g transition, whereas copper doped glasses revealed two absorption bands around 818 and 602 nm which were assigned to 2 B 1g → 2 B 2g and 2 B 1g → 2 E 2g transitions respectively. Theoretical studies were accomplished on the EPR and optical factors from perturbation theory. It was observed from both the experimental and theoretical SHP values of vanadium containing glasses that the VO 2+ ions are in tetragonally compressed octahedral sites with d xy ( 2 B 2g ) ground state, while the copper containing glasses found to be in tetragonally elongated octahedral sites with d x 2 − y 2 ( 2 B 1g ) as the ground state. It is found that the magnitude of the relative tetragonal compression ratio ( φ ) of vanadium ion is less than the relative tetragonal elongation ratio ( τ ) of copper ion. The nature of the bonding between TM ions (i.e. vanadium and copper) and their ligands was assessed. Theoretical and experimental EPR parameters are in great concurrence with each other.}, 79 | ISBN = {0022-3697}, 80 | ISSN = {0022-3697}, 81 | databaseprovider = {CNKI}, 82 | } 83 | 84 | @Article{Yeon-JiJo2019, 85 | author = {Yeon-Ji Jo and Sung Hee Park}, 86 | title = {Evaluation of energy efficacy and texture of ohmically cooked noodles}, 87 | journal = {Journal of Food Engineering}, 88 | year = {2019}, 89 | authoraddress = {Department of Biomedical Science and Engineering, Konkuk University, Seoul, 05029, South Korea;;Department of Marine Food Science and Technology, Gangneung-Wonju National University, Gangneung-si, Gangwon-do, 25457, South Korea}, 90 | volume = {248}, 91 | keywords = {Ohmic heating;Noodles;Heat transfer;System performance coefficient;Energy;Texture}, 92 | abstract = {Abstract(#br)The feasibility of ohmic heating for cooking instant noodles was evaluated using a customized ohmic system. Temperature come-up time, heat transfer ratio ( HT nls ), system performance coefficient ( SPC ), and textural qualities were evaluated as a function of different electric fields (10, 12.5, 15, and 17.5 V/cm) and temperature holding times (30, 60, 90, and 120 s). Temperature come-up time to 100 °C was 3.9 ± 0.1, 2.5 ± 0.1, 2.1 ± 0.2, and 1.3 ± 0.1 min at electric fields of 10, 12.5, 15 and 17.5 V/cm, respectively. Temperature come-up time decreased significantly with an increase in electric field. The highest HT nls of 0.89 was observed at 15 V/cm. An electric field of 15 V/cm with a 90 s holding time yielded the greatest SPC of 0.63 ± 0.05 and the most preferable textural qualities for hardness. Our study shows the potential of ohmic heating to rapidly cook instant noodles with good textural qualities and energy efficiency.}, 93 | ISBN = {0260-8774}, 94 | ISSN = {0260-8774}, 95 | databaseprovider = {CNKI}, 96 | } 97 | 98 | @Article{SubinaRaveendran2019, 99 | author = {Subina Raveendran and S. Kannan}, 100 | title = {Composites based on zirconia and transition metal oxides for osteosarcoma treatment. Design, structural, magnetic and mechanical evaluation}, 101 | journal = {Materials Science \& Engineering C}, 102 | year = {2019}, 103 | authoraddress = {Centre for Nanoscience and Technology, Pondicherry University, Puducherry 605 014, India}, 104 | volume = {98}, 105 | keywords = {ZrO 2;Transition metals;Structure;Magnetic;Mechanical}, 106 | abstract = {Abstract(#br)The formation of structurally stable composites of cubic zirconia ( c -ZrO 2 ) with selective transition metal oxides ( α -Fe 2 O 3 , Mn 3 O 4 , NiO, Co 3 O 4 ) is investigated. The results affirm the prospect to retain unique c -ZrO 2 and transition metal oxide (TMO) structures in the composite form until 1400 °C. It is also shown that 30 mol% Y 2 O 3 possess the ability to retain stable c -ZrO 2 despite the existence of assorted TMO content in the composites. The elemental states of Fe 3+ , Mn 2+/4+ , Ni 2+ and Co 2+/3+ are confirmed from the corresponding α -Fe 2 O 3 , Mn 3 O 4 , NiO, and Co 3 O 4 . The magnetic properties are highly influenced by the quantity of TMO component while the c -ZrO 2 plays a decisive role in the resultant mechanical properties. The wide range of properties delivered by the composites extends the possibility to probe for osteosarcoma treatment that demands optimal mechanical and magnetic features.}, 107 | ISBN = {0928-4931}, 108 | ISSN = {0928-4931}, 109 | databaseprovider = {CNKI}, 110 | } 111 | 112 | @Article{JulianM.Etzel2019, 113 | author = {Julian M. Etzel and Gabriel Nagy}, 114 | title = {Evaluation of the dimensions of the spherical model of vocational interests in the long and short version of the Personal Globe Inventory}, 115 | journal = {Journal of Vocational Behavior}, 116 | year = {2019}, 117 | authoraddress = {Leibniz Institute for Science and Mathematics Education, Kiel, Germany}, 118 | volume = {112}, 119 | keywords = {Spherical model of vocational interests;Personal Globe Inventory;Interest circumplex}, 120 | abstract = {Abstract(#br)The present study examined three different sources of evidence for the validity of the Personal Globe Inventory (PGI; Tracey, 2002) with regard to its ability to assess the dimensions underlying the spherical model of vocational interests: People-Things, Ideas-Data, and Prestige. Specifically, we analyzed 1) evidence based on the internal structure of the eight basic interest scales, 2) convergent evidence of the PGI dimensions across different item types, and 3) evidence based on relations to plausible correlates of vocational interests, namely, gender, academic achievement, and the socioeconomic status associated with the desired profession. Moreover, we analyzed the extent to which these sources of evidence were invariant between the PGI and its associated short version – the PGI-S (Tracey, 2010). Relying on a sample of N = 688 university students in Germany, we were able to show that 1) the circular order of the basic interest scales was confirmed across item types and that it was invariant across PGI versions, 2) both the relationships between corresponding dimensions across item types as well as the relationships with the validity markers were, as far as the circumplex dimensions were concerned, in line with theoretical expectations and invariant across PGI versions, and 3) there were notable differences between the respective relationships with the Prestige dimensions across item types and PGI versions. We conclude by weighing up the pros and cons of the two PGI versions and suggesting specific situations in which the use of either version is advised.}, 121 | ISBN = {0001-8791}, 122 | ISSN = {0001-8791}, 123 | databaseprovider = {CNKI}, 124 | } 125 | 126 | @Article{XiaoYang2019, 127 | author = {Xiao Yang and Zhihong He and Shikui Dong and Heping Tan}, 128 | title = {Evaluation of the non-gray weighted sum of gray gases models for radiative heat transfer in realistic non-isothermal and non-homogeneous flames using decoupled and coupled calculations}, 129 | journal = {International Journal of Heat and Mass Transfer}, 130 | year = {2019}, 131 | authoraddress = {School of Energy Science and Engineering, Harbin Institute of Technology, Harbin 150001, PR China;;Key Laboratory of Aerospace Thermophysics, MIIT, Harbin Institute of Technology, Harbin 150001, PR China}, 132 | volume = {134}, 133 | keywords = {Radiative heat transfer;Combustion systems;CFD;Non-gray gas radiation;WSGG models}, 134 | abstract = {Abstract(#br)Radiative heat transfer plays an important role in combustion systems. Good compromise between the accuracy and computational requirements of the weighted sum of gray gases (WSGG) model makes it widely used in CFD simulations. In this paper, the accuracy of various WSGG models is assessed by the comparison with the results of radiative heat source and heat flux calculated by line by line (LBL) approach in a realistic non-isothermal and non-homogeneous flame using decoupled calculations. Then these models are implemented to CFD code to investigate the radiative heat transfer for a 600 kW furnace using coupled calculations. The experimental data from the furnace has been used to evaluate the computational applicability and reliability of WSGG models. Results show that the non-gray formulation of WSGG model is more accurate than gray modelling approach, compared with LBL results. The non-gray WSGG models of Krishnamoorthy et al. (2013), Bordbar et al. (2014) and Shan et al. (2018) provide the minimal overall errors compared with the measured temperature fields. The results demonstrate that using the non-gray approach instead of gray approach for global CFD simulation improves the simulation accuracy of thermal radiation transfer. The computing time of non-gray models is larger, approximately 3–4 times that of gray WSGG models.}, 135 | ISBN = {0017-9310}, 136 | ISSN = {0017-9310}, 137 | databaseprovider = {CNKI}, 138 | } 139 | 140 | @Article{Sucheta2019, 141 | author = {Sucheta and Shushil Kumar Rai and Kartikey Chaturvedi and Sudesh Kumar Yadav}, 142 | title = {Evaluation of structural integrity and functionality of commercial pectin based edible films incorporated with corn flour, beetroot, orange peel, muesli and rice flour}, 143 | journal = {Food Hydrocolloids}, 144 | year = {2019}, 145 | authoraddress = {Center of Innovative and Applied Bioprocessing, Mohali, 140306, India;;National Institute of Food Technology Entrepreneurship and Management, Sonepat, 131028, India}, 146 | volume = {91}, 147 | keywords = {Composite edible films;Pectin;Corn flour;Beetroot;Structural;Functional}, 148 | abstract = {Abstract(#br)The present study aims to develop functional composite edible films using varied film formulations containing pectin (P), corn flour (CF), beetroot powder (BP), orange peel powder + sodium alginate (OPS), muesli root powder (MRP) and rice flour (RF) along with their structural, mechanical and functional characterization. Strong intermolecular attachment evolved between starch and pectin molecules due to hydrogen bonding of their hydrophilic groups, confirmed through scanning electron micrographs and FTIR spectra. Also, P-CF ratio (1:1) might retained some crystalline regions of starch which has significantly enhanced structural integrity and functionality of films in terms of tensile strength (TS), water solubility (WS), water vapour permeability (WVP) and thermal stability. In accordance with Herschel-Bulkley model, the predicted consistency index and flow behaviour values were affected by film formulation and the model was of good fit with R 2 = 0.81 (PC3), R 2 = 0.74 (PCB3) and R 2 = 0.99 (for rest formulations). Although, higher proportions of hydrophilic polymers (P, OPS \& BP) due to higher molecular mobility resulted in less rigid, highly soluble, moisture permeable and thermally unstable films. Furthermore, RF films possessed cracks over the surface and insoluble fractions due to insufficient starch gelatinization which decreased their TS and barrier properties. The ATR-FTIR spectra confirmed the presence of functional groups corresponding to starch and pectin in range of 500–4000 cm −1 . The variation among different films underlies only in peak intensities due to some molecular changes. Overall, the films made of P-CF ratio (1:1) were more functional and structurally stable as compared to rest of the films, thus, they would make a better alternative for synthetic packaging.}, 149 | ISBN = {0268-005X}, 150 | ISSN = {0268-005X}, 151 | databaseprovider = {CNKI}, 152 | } 153 | 154 | @Article{DonalBrown2019, 155 | author = {Donal Brown and Steve Sorrell and Paula Kivimaa}, 156 | title = {Worth the risk? An evaluation of alternative finance mechanisms for residential retrofit}, 157 | journal = {Energy Policy}, 158 | year = {2019}, 159 | authoraddress = {Centre on Innovation and Energy Demand, Sussex Energy Group, Science Policy Research Unit, University of Sussex, Jubilee Building, Falmer, Brighton BN1 9SL, UK;;Finnish Environment Institute SYKE, Mechelininkatu 34a, Helsinki, Finland;;School of Earth and Environment, The University of Leeds, Leeds LS2 9JT, UK}, 160 | volume = {128}, 161 | keywords = {Energy efficiency;Finance;Retrofit;Split incentives;Domestic buildings;Cost of capital}, 162 | abstract = {Abstract(#br)Improving energy efficiency, de-carbonising heating and cooling, and increasing renewable microgeneration in existing residential buildings, is crucial for meeting social and climate policy objectives. This paper explores the challenges of financing this ‘retrofit’ activity. First, it develops a typology of finance mechanisms for residential retrofit highlighting their key design features, including: the source of capital ; the financial instrument(s) ; the project performance requirements; the point of sale ; the nature of the security and underwriting the repayment channel and customer journey . Combining information from interviews and documentary sources, the paper explores how these design features influence the success of the finance mechanisms in different contexts. First, it is shown that a low cost of capital for retrofit finance is critical to the economic viability of whole-house retrofits. Second, by funding non-energy measures such as general improvement works, finance mechanisms can enable broader sources of value that are more highly prized by households. Thirdly, mechanisms that reduce complexity by simplifying the customer journey are likely to achieve much higher levels of uptake. Most importantly we discuss how finance alone is unlikely to be a driver of demand for whole-house retrofit, and so instead should be viewed as a necessary component of a much broader retrofit strategy.}, 163 | ISBN = {0301-4215}, 164 | ISSN = {0301-4215}, 165 | databaseprovider = {CNKI}, 166 | } 167 | 168 | @Article{Se-HwanLee2019, 169 | author = {Se-Hwan Lee and Kang-Gon Lee and Jong-Hyun Hwang and Yong Sang Cho and Kang-Sik Lee and Hun-Jin Jeong and Sang-Hyug Park and Yongdoo Park and Young-Sam Cho and Bu-Kyu Lee}, 170 | title = {Evaluation of mechanical strength and bone regeneration ability of 3D printed kagome-structure scaffold using rabbit calvarial defect model}, 171 | journal = {Materials Science \& Engineering C}, 172 | year = {2019}, 173 | authoraddress = {Department of Mechanical Design Engineering, College of Engineering, Wonkwang University, 460 Iksandae-ro, Iksan, Jeonbuk, 54538, Republic of Korea;;Biomedical Engineering Research Center, Asan Institute for Life Sciences, Asan Medical Center, College of Medicine, University of Ulsan, 88, Olympic-ro 43-gil, Songpa-gu, Seoul, 05505, Republic of Korea;;Department of Oral and Maxillofacial Surgery, Asan Medical Center, College of Medicine, University of Ulsan, 88, Olympic-ro 43-gil, Songpa-gu, Seoul, 05505, Republic of Korea;;Department of Biomedical Engineering, College of Engineering, Pukyong National University, Busan, 48513, Republic of Korea;;Department of Biomedical Engineering, College of Medicine, Korea University, Seoul, 02841, Republic of Korea}, 174 | volume = {98}, 175 | keywords = {Customized bone graft;Kagome-structure scaffold;Bone defect model;Poly-caprolactone;3D printing}, 176 | abstract = {Abstract(#br)In clinical conditions, the reconstructions performed in the complex and three-dimensional bone defects in the craniomaxillofacial (CMF) area are often limited in facial esthetics and jaw function. Furthermore, to regenerate a bone defect in the CMF area, the used scaffold should have unique features such as different mechanical strength or physical property suitable for complex shape and function of the CMF bones. Therefore, a three-dimensional synthetic scaffold with a patient-customized structure and mechanical properties is more suitable for the regeneration. In this study, the customized kagome-structure scaffold with complex morphology was assessed in vivo. The customized 3D kagome-structure model for the defect region was designed according to data using 3D computed tomography. The kagome-structure scaffold and the conventional grid-structure scaffold (as a control group) were fabricated using a 3D printer with a precision extruding deposition head using poly(ε-caprolactone) (PCL). The two types of 3D printed scaffolds were implanted in the 8-shaped defect model on the rabbit calvarium. To evaluate the osteoconductivity of the implanted scaffolds, new bone formation, hematoxylin and eosin staining, immunohistochemistry, and Masson's trichrome staining were evaluated for 16 weeks after implantation of the scaffolds. To assess the mechanical robustness and stability of the kagome-structure scaffold, numerical analysis considering the ‘elastic-perfectly plastic’ material properties and deformation under self-contact condition was performed by finite element analysis. As a result, the kagome-structure scaffold fabricated using 3D printing technology showed excellent mechanical robustness and enhanced osteoconductivity than the control group. Therefore, the 3D printed kagome-structure scaffold can be a better option for bone regeneration in complex and large defects than the conventional grid-type 3D printed scaffold.}, 177 | ISBN = {0928-4931}, 178 | ISSN = {0928-4931}, 179 | databaseprovider = {CNKI}, 180 | } 181 | 182 | @Article{KellyC.Young-Wolff2019, 183 | author = {Kelly C. Young-Wolff and Sara R. Adams and Renee Fogelberg and Alison A. Goldstein and Paul G. Preston}, 184 | title = {Evaluation of a Pilot Perioperative Smoking Cessation Program: A Pre-Post Study}, 185 | journal = {Journal of Surgical Research}, 186 | year = {2019}, 187 | authoraddress = {Division of Research, Kaiser Permanente Northern California, Oakland, California;;Richmond Medical Center, Kaiser Permanente Northern California, Richmond, California;;Regional Offices, Kaiser Permanente Northern California, Oakland, California;;San Francisco Medical Center, Kaiser Permanente Northern California, San Francisco, California}, 188 | volume = {237}, 189 | keywords = {Perioperative smoking cessation;Surgical patients;Tobacco cessation medication;Nicotine replacement therapy;Smoking cessation intervention}, 190 | abstract = {Abstract(#br)Background(#br)Surgical clinic and perioperative settings are critical touchpoints for treating smoking, yet health care systems have not typically prioritized smoking cessation among surgical patients. We evaluated the implementation of a pilot smoking cessation intervention integrated into standard perioperative care.(#br)Materials and methods(#br)English-speaking adult smokers undergoing elective surgery in Kaiser Permanente San Francisco before (2015) and after (2016-2017) the implementation of a smoking cessation intervention were included. Provider outcomes included counseling referrals, cessation medication orders (between surgery scheduling and surgery), and preoperative carbon monoxide testing. Patient outcomes included counseling and medication use, smoking status at surgery and 30 d after discharge, and surgical complications. Multivariable logistic regression analyses examined pre-to-post intervention changes in outcomes using electronic health record data and 30-d postdischarge telephone surveys.(#br)Results(#br)The sample included 276 patients (70% male; 59% non-Hispanic white; mean age = 50 y). There were significant pre-to-post increases in tobacco cessation counseling referrals (3% to 28%, adjusted odds ratio [AOR] = 11.12, 95% confidence interval [CI] = 3.78-32.71) and preoperative carbon monoxide testing (38% to 50%, AOR = 1.83, 95% CI = 1.10-3.06). At ∼30 d after discharge, patients in the postintervention period were more likely to report smoking abstinence in the previous 7 d (24% pre, 44% post; AOR = 2.39, 95% CI = 1.11-5.13) and since hospital discharge (18% pre, 39% post; AOR = 3.20, 95% CI = 1.42-7.23). Cessation medication orders and patient use of counseling and medications increased, whereas surgical complications decreased, but pre-to-post differences were not significant.(#br)Conclusions(#br)A perioperative smoking cessation program integrated into standard care demonstrated positive smoking-related outcomes; however, larger studies are needed to evaluate the effectiveness of these programs.}, 191 | ISBN = {0022-4804}, 192 | ISSN = {0022-4804}, 193 | databaseprovider = {CNKI}, 194 | } 195 | 196 | @Article{MarkoČepin2019, 197 | author = {Marko Čepin}, 198 | title = {Evaluation of the power system reliability if a nuclear power plant is replaced with wind power plants}, 199 | journal = {Reliability Engineering and System Safety}, 200 | year = {2019}, 201 | authoraddress = {Faculty of Electrical Engineering, University of Ljubljana, Tržaška cesta 25, Ljubljana, Slovenia}, 202 | volume = {185}, 203 | keywords = {Reliability;Nuclear power plant;Wind power;Renewable;Loss of load expectation}, 204 | abstract = {Abstract(#br)The modern power systems include a larger number of more dispersed and smaller power generating sources, which are slowly replacing larger and more concentrated power sources. The objective of this paper is to analyse the replacement of nuclear power plant with wind power plants to compare both cases from the viewpoints of power system reliability. The load diagram and the variability of the power plants, whose power depend on the environmental parameters with the time is considered. This paper is focused on the loss of load expectation. The upgraded method considers plant power as a function of the time instead of its nominal power. Initial real power system model consists of twelve power plants including one nuclear power plant. This plant is then replaced by three wind power plants with their total power five times larger than the power of the nuclear power plant. A comparison of reliability in terms of comparing the loss of load expectation is performed using the real weather data for one calendar year. The results show that the replacement of the nuclear power plant with several wind power plants with wind power capacity five times larger than the nuclear power capacity causes a decrease of the power system reliability.}, 205 | ISBN = {0951-8320}, 206 | ISSN = {0951-8320}, 207 | databaseprovider = {CNKI}, 208 | } 209 | 210 | @Article{DanZhou2019, 211 | author = {Dan Zhou and Feixian Zhou and Jinfang Ma and Fahuan Ge}, 212 | title = {Microcapsulation of Ganoderma Lucidum spores oil: Evaluation of its fatty acids composition and enhancement of oxidative stability}, 213 | journal = {Industrial Crops \& Products}, 214 | year = {2019}, 215 | authoraddress = {School of Pharmaceutical Sciences, Sun Yat-Sen University, Guangzhou 510006, China;;Nansha Research Institute, Sun Yat-Sen University, Guangzhou 511458, China}, 216 | volume = {131}, 217 | keywords = {Microencapsulation;Wall material;Spray drying;G. lucidum oil;Fatty acids;Oxidation stability}, 218 | abstract = {Abstract(#br)Ganoderma lucidum ( G. lucidum ) spores oil, which was extracted from G. lucidum spores with supercritical fluid CO 2 , contains a lot of unsaturated fatty acids (PUFAS). PUFAS in G. lucidum spores oil were oxidized easily, so it is important to protect G. lucidum spores oil and enhance its oxidation stability. In this paper, we investigated a way of protecting G. lucidum spores oil by microcapsulation with spray drying. Different combination types of wall materials were evaluated and the best choose was the gum Arabic (GA) and maltodextrin (MD) combination. Then, the effects of the emulsifying temperature, the wall materials concentration, and the ratio of oil to wall materials on the GA/MD microcapsules were investigated and the encapsulation efficiency (EE) was up to 83.57%. Gas chromatography was used to identify the components of fatty acids in original and GA/MD microcapsules. It showed that PUFAS were well retained and the content of it was up to 80.04%. Oxidation stability of G. lucidum spores oil was enhanced significantly. All results indicated that using GA and MD as composite wall materials could effectively protect for G. lucidum spores oil.}, 219 | ISBN = {0926-6690}, 220 | ISSN = {0926-6690}, 221 | databaseprovider = {CNKI}, 222 | } 223 | 224 | @Article{ArnaudGrüss2019, 225 | author = {Arnaud Grüss and John F. Walter and Elizabeth A. Babcock and Francesca C. Forrestal and James T. Thorson and Matthew V. Lauretta and Michael J. Schirripa}, 226 | title = {Evaluation of the impacts of different treatments of spatio-temporal variation in catch-per-unit-effort standardization models}, 227 | journal = {Fisheries Research}, 228 | year = {2019}, 229 | authoraddress = {Department of Marine Biology and Ecology, Rosenstiel School of Marine and Atmospheric Science, University of Miami, 4600 Rickenbacker Causeway, Miami, FL, 33149, USA;;School of Aquatic and Fishery Sciences, University of Washington, Box 355020, Seattle, WA, 98105-5020, USA;;Southeast Fisheries Science Center, National Marine Fisheries Service, National Oceanic and Atmospheric Administration, 75 Virginia Beach Drive, Miami, FL, 33149-1099, USA;;Cooperative Institute for Marine and Atmospheric Studies, Rosenstiel School of Marine and Atmospheric Science, University of Miami, 4600 Rickenbacker Causeway, Miami, FL, 33149, USA;;Habitat and Ecosystem Process Research Program, Alaska Fisheries Science Center, National Marine Fisheries Service, NOAA, 7600 Sand Point Way N.E., Seattle, WA, 98115, USA}, 230 | volume = {213}, 231 | keywords = {Catch-per-unit-effort (CPUE);Standardization methods;Indices of relative abundance;Simulation-testing;Spatio-temporal models}, 232 | abstract = {Abstract(#br)Many stock assessments heavily rely on indices of relative abundance derived from fisheries-dependent catch-per-unit-effort (CPUE) data. Therefore, it is critical to evaluate different CPUE standardization methods under varying scenarios of data generating processes. Here, we evaluated nine CPUE standardization methods offering contrasting treatments of spatio-temporal variation, ranging from the basic generalized linear model (GLM) method not integrating a year-area interaction term to a sophisticated method using the spatio-temporal modeling platform VAST. We compared the performance of these methods against simulated data constructed to mimic the processes generating fisheries-dependent information for Atlantic blue marlin ( Makaira nigricans ), a common bycatch population in pelagic longline fisheries. Data were generated using a longline data simulator for different population trajectories (increasing, decreasing, and static). These data were further subsampled to mimic an observer program where trips rather than sets form the sampling frame, with or without a bias towards trips with low catch rates, which might occur if the presence of an observer alters fishing behavior to avoid bycatch. The spatio-temporal modeling platform VAST achieved the best performance in simulation, namely generally had one of the lowest biases, one of the lowest mean absolute errors (MAEs), and 50% confidence interval coverage closest to 50%. Generalized additive models accounting for spatial autocorrelation at a broad spatial scale (one of the lowest MAEs and one of the lowest biases) and, to a lesser extent, non-spatial delta-lognormal GLMs including a year-area interaction as a random effect (one of the lowest MAEs and one of the best confidence interval coverages) also performed adequately. The VAST method provided the most comprehensive and consistent treatment of spatio-temporal variation, in contrast with methods that simply weight predictions by large spatial areas, where it is critical, but difficult, to get the a priori spatial stratification correct before weighting. Next, we applied the CPUE standardization methods to real data collected by the National Marine Fisheries Service Pelagic Observer Program. The indices of relative abundance predicted from real observer data were relatively similar across CPUE standardization methods for the period 1998–2017 and suggested that the blue marlin population of the Atlantic declined over the period 1998–2004 and was relatively stable afterwards. As spatio-temporal variation related to environmental changes or depletion becomes increasingly necessary to consider, greater use of spatio-temporal models for standardizing fisheries-dependent CPUE data will likely be warranted.}, 233 | ISBN = {0165-7836}, 234 | ISSN = {0165-7836}, 235 | databaseprovider = {CNKI}, 236 | } 237 | 238 | @Article{S.Ghaemifar2019, 239 | author = {S. Ghaemi far and M. Aghaie and A. Minuchehr and Gh Alahyarizadeh}, 240 | title = {Evaluation of atmospheric dispersion of radioactive materials in a severe accident of the BNPP based on Gaussian model}, 241 | journal = {Progress in Nuclear Energy}, 242 | year = {2019}, 243 | authoraddress = {Engineering Department, Shahid Beheshti University, G.C, P.O. Box: 1983963113, Tehran, Iran}, 244 | volume = {113}, 245 | keywords = {Radioactive material dispersion;CONTAIN code;Gaussian model;Severe accident;AERMOD}, 246 | abstract = {Abstract(#br)Regarding the importance of radioactive materials dispersion in the environment and their effect on living organism's well-being, this article examines the atmospheric dispersion of these materials around the Bushehr nuclear power plant (BNPP) in a hypothetical severe accident. One of practical dispersion models is AERMOD which is based on Gaussian distribution. This model which is an extension of Gaussian model is normally used for predicting the gaseous pollution. The aim of this study is to investigate the dispersion of radioactive materials in BNPP's surroundings due to a specific type of Large Break LOCA (LBLOCA) accident. In this study, the wind direction, wind speed, and the topological conditions of the power plant's environment are considered. In order to execute this model, the meteorology and topological data of the region have been provided. Besides, using the CONTAIN code, the data about released radioactive materials from the containment have been provided. The double ended cold leg break (DECL) accident in containment has been modeled and its validity has been checked with FSAR. Extracting all required data, the simulation is done in AERMOD and the volumetric concentration and activity of fission products are calculated. The volumetric activity of fission products in Tangestan, Bandar-E-Bushehr and Delvar cities are evaluated as 7.5658E+07, 7.5136E+07 and 2.9655E+06 (Bq/m 3 ), respectively. From results it could be seen that the most dispersion of the radioactive materials are in direction of the non-residential regions, although the pollution of the cities around the power plant is inevitable.}, 247 | ISBN = {0149-1970}, 248 | ISSN = {0149-1970}, 249 | databaseprovider = {CNKI}, 250 | } 251 | 252 | @Article{YuanyingFang2019, 253 | author = {Yuanying Fang and Lijuan Xiong and Jianguo Hu and Shaokun Zhang and Saisai Xie and Liangxing Tu and Yang Wan and Yi Jin and Xiang Li and Shaojie Hu and Zunhua Yang}, 254 | title = {Synthesis and evaluation of novel fused pyrimidine derivatives as GPR119 agonists}, 255 | journal = {Bioorganic Chemistry}, 256 | year = {2019}, 257 | authoraddress = {National Engineering Research Center for Manufacturing Technology of TCM Solid Preparation, Jiangxi University of Traditional Chinese Medicine, Nanchang 330006, China;;College of Pharmacy, Jiangxi University of Traditional Chinese Medicine, Nanchang 330004, China}, 258 | volume = {86}, 259 | keywords = {Tetrahydroquinazoline;Dihydrocyclopentapyrimidine;Endo - N -boc-nortropane amine;GPR119 agonists}, 260 | abstract = {Abstract(#br)A novel series of fused pyrimidine derivatives were designed, synthesized and evaluated as GPR119 agonists. Among them, cyclohexene fused compounds (tetrahydroquinazolines) showed greater GPR119 agonistic activities than did dihydrocyclopentapyrimidine and tetrahydropyridopyrimidine scaffolds. Analogues ( 16 , 19 , 26 , 28 , 42 ) bearing endo - N -Boc-nortropane amine and fluoro-substituted aniline exhibited better EC 50 values (0.27–1.2 μM) though they appeared to be partial agonists.}, 261 | ISBN = {0045-2068}, 262 | ISSN = {0045-2068}, 263 | databaseprovider = {CNKI}, 264 | } 265 | 266 | @Article{ChenyuChu2019, 267 | author = {Chenyu Chu and Yufei Wang and Yuanjing Wang and Renli Yang and Li Liu and Shengan Rung and Lin Xiang and Yingying Wu and Shufang Du and Yi Man and Yili Qu}, 268 | title = {Evaluation of epigallocatechin-3-gallate (EGCG) modified collagen in guided bone regeneration (GBR) surgery and modulation of macrophage phenotype}, 269 | journal = {Materials Science \& Engineering C}, 270 | year = {2019}, 271 | authoraddress = {State Key Laboratory of Oral Diseases \& National Clinical Research Center for Oral Diseases \& Department of Oral Implantology, West China Hospital of Stomatology, Sichuan University;;Department of Oral Implantology, West China Hospital of Stomatology, Sichuan University, Chengdu 610041, China;;State Key Laboratory of Biotherapy, West China Hospital, Sichuan University, Collaborative Innovation Center for Biotherapy, Chengdu, Sichuan 610041, China}, 272 | volume = {99}, 273 | keywords = {Guided bone regeneration;Macrophage;Collagen;Epigallocatechin-3-gallate;Foreign body reaction}, 274 | abstract = {Abstract(#br)Collagen membranes have been widely applied for guided bone regeneration (GBR), a technique often utilized in dental implant surgery for bone argumentation. However, the implantation of collagen membranes also elicits foreign body reaction (FBR), the imbalance of which may lead to failures of dental implants. Macrophages play a pivotal role in FBR as macrophages can polarize into pro-inflammatory (M1) and pro-regenerative (M2) phenotypes. Therefore, collagen membranes based on modulation of macrophage polarization have gained increased attention. Epigallocatechin-3-gallate (EGCG)-modified collagen membranes have been previously shown to downregulate the expression of inflammatory factors. In the present study, scanning electron microscopy images showed that EGCG-modified collagen membranes prevented the migration of keratinocytes and maintained space for osteoblasts. CCK-8 and live/dead cell assays showed that EGCG-modified collagen membranes unaffected the cell viability of osteoblasts. In addition, immunofluorescent staining and quantitative real-time polymerase chain reaction showed an increased number of M2 macrophages, an upregulated expression of growth factors including vascular endothelial growth factor, bone morphogenetic protein 2, and an upregulation of osteogenic differentiation-related factors including Runt-related transcription factor 2 and osteopontin after implantation of EGCG-modified collagen membranes. Hematoxylin-eosin staining and Micro-CT further demonstrated that the application of EGCG-modified collagen membranes promoted new bone formation in vivo. From these findings it is concluded that EGCG-modified collagen membranes have promising potentials in GBR surgery which served as suitable barrier membranes and promoted bone regeneration in vivo by recruiting M2 macrophages, promoting secretion of growth factors and osteogenic differentiation.}, 275 | ISBN = {0928-4931}, 276 | ISSN = {0928-4931}, 277 | databaseprovider = {CNKI}, 278 | } 279 | 280 | @Article{With2989, 281 | author = {With, Some. and Great One, Two and Others., Hi}, 282 | title = {Self-made testing}, 283 | journal = {None}, 284 | year = {2989}, 285 | } 286 | 287 | -------------------------------------------------------------------------------- /tests/assets/nameyear/mixed.bib: -------------------------------------------------------------------------------- 1 | @Article{TangLunNull, 2 | author = {唐伦 and 赵培培 and 赵国繁 and 陈前斌}, 3 | title = {基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法}, 4 | journal = {电子与信息学报}, 5 | year = {Null}, 6 | authoraddress = {重庆邮电大学通信与信息工程学院;重庆邮电大学移动通信重点实验室;}, 7 | pages = {1-8}, 8 | keywords = {虚拟网络功能;;预测;;迁移;;深度学习}, 9 | abstract = {针对5G网络场景下缺乏对资源需求的有效预测而导致的虚拟网络功能实时性迁移问题,该文提出一种基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法。该算法首先建立综合带宽开销和迁移代价的系统总开销模型,然后设计基于在线学习的深度信念网络预测算法预测未来时刻的资源需求情况,在此基础上采用自适应学习率并引入多任务学习模式优化预测模型,最后根据预测结果以及对网络拓扑和资源的感知,以尽可能地减少系统开销为目标,通过基于择优选择的贪婪算法将虚拟网络功能迁移到满足资源阈值约束的底层节点上,并提出基于禁忌搜索的迁移机制进一步优化迁移策略。仿真表明,该预测模型能够获得很好的预测效果,自适应学习率加快了训练网络的收敛速度,与迁移算法结合在一起的方式有效地降低了迁移过程中的系统开销和服务等级协议违例次数,提高了网络服务的性能。}, 10 | ISBN = {1009-5896}, 11 | ISSN = {1009-5896}, 12 | notes = {11-4494/TN}, 13 | databaseprovider = {CNKI}, 14 | } 15 | 16 | @Article{LiYuZuo2019, 17 | author = {李玉琢 and 刘攀}, 18 | title = {基于GA-BP算法的长江运价指数模型研究及预测}, 19 | journal = {现代营销(下旬刊)}, 20 | year = {2019}, 21 | authoraddress = {石家庄铁道大学;}, 22 | issue = {02}, 23 | pages = {134}, 24 | keywords = {GA-BP算法;;长江运价}, 25 | abstract = {文章通过市场的特征选取了相关影响因素对长江水域的运输经济问题进行了研究。根据过往水运市场经济事件的分析,建立了基于GA-BP算法的价格制定模型,确定了长江运价指数。并根据长江航务交易所的历史数据对模型进行验证,证明了模型的有效性和合理性。本文有助于增强钢铁水运市场参与者的自身竞争能力和确保经营收益,有效地防范经营风险。}, 26 | ISBN = {1009-2994}, 27 | ISSN = {1009-2994}, 28 | notes = {22-1256/F}, 29 | databaseprovider = {CNKI}, 30 | } 31 | 32 | @Article{LiuYunPeng2019, 33 | author = {刘云鹏 and 许自强 and 李刚 and 夏彦卫 and 高树国}, 34 | title = {人工智能驱动的数据分析技术在电力变压器状态检修中的应用综述}, 35 | journal = {高电压技术}, 36 | year = {2019}, 37 | authoraddress = {华北电力大学河北省输变电设备安全防御重点实验室;华北电力大学新能源电力系统国家重点实验室;华北电力大学控制与计算机工程学院;国网河北省电力有限公司电力科学研究院;}, 38 | issue = {02}, 39 | pages = {1-12}, 40 | keywords = {人工智能;;数据分析;;电力变压器;;状态检修;;图像识别;;专家系统}, 41 | abstract = {状态检修为电力变压器的稳定运行与优质电力的正常供应提供了重要保障。随着智能电网建设的不断推进,包括状态监测、生产管理、运行调度、气象环境等在内的电力变压器运行状态相关信息已逐步呈现出体量大、种类多、增长快的典型大数据特征。因此,在电力大数据的时代背景下,开展结合人工智能技术的电力变压器状态数据综合挖掘与分析研究,对于进一步提升设备状态检修的全面性、高效性与准确性具有十分重要的意义。鉴于此,首先概述了面向数据分析的人工智能技术,涵盖专家系统、不确定性推理、机器学习及智能优化计算等研究内容;然后,结合电力变压器状态检修各阶段任务的智能化需求,论述了人工智能驱动的数据分析技术在数据清洗、文本挖掘、图像识别、状态评估、故障诊断、状态预测及检修决策优化等典型场景中的应用研究现状;最后,探讨了现阶段影响基于人工智能的数据分析技术在状态检修领域应用效果的关键问题,并对未来的主要研究方向进行了展望。}, 42 | ISBN = {1003-6520}, 43 | ISSN = {1003-6520}, 44 | notes = {42-1239/TM}, 45 | databaseprovider = {CNKI}, 46 | } 47 | 48 | @Misc{HeFengNull, 49 | title = {莫让“任性加塞”堵了回家过年路}, 50 | author = {和风}, 51 | secondarytitle = {人民公安报·交通安全周刊}, 52 | date = {2019-01-29}, 53 | pages = {004}, 54 | publisher = {人民公安报·交通安全周刊}, 55 | notes = {11-0090}, 56 | databaseprovider = {CNKI}, 57 | } 58 | 59 | @Article{LiDeKun2019, 60 | author = {李德坤 and 苏小琴 and 李智 and 李莉 and 万梅绪 and 周学谦 and 鞠爱春 and 张铁军}, 61 | title = {注射用益气复脉(冻干)的质量标志物研究}, 62 | journal = {中草药}, 63 | year = {2019}, 64 | authoraddress = {天津天士力之骄药业有限公司;天津市中药注射剂安全性评价企业重点实验室;天津药物研究院;}, 65 | issue = {02}, 66 | pages = {290-298}, 67 | keywords = {注射用益气复脉(冻干);;质量标志物;;质量控制;;药性;;人参皂苷Rb1;;人参皂苷Rg1;;人参皂苷Rf;;人参皂苷Rh1;;人参皂苷Rc;;人参皂苷Rb2;;人参皂苷Ro;;人参皂苷Rg3;;麦冬皂苷C;;麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷;;偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷;;果糖;;五味子醇甲}, 68 | abstract = {注射用益气复脉(冻干)是由红参、麦冬和五味子3味药材精制而成,临床上主要用于治疗冠心病劳累型心绞痛气阴两虚证及冠心病所致慢性左心功能不全II、III级气阴两虚证。根据质量标志物概念,从物质基础、药效、网络药理、药动学及药性等方面对注射用益气复脉(冻干)质量标志物进行预测分析,初步确定人参皂苷Rb1、Rg1、Rf、Rh1、Rc、Rb2、Ro、Rg3及麦冬皂苷C、麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷、偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷、果糖、五味子醇甲13个成分为质量标志物,并以此为核心建立全程质量控制体系。基于质量标志物对注射用益气复脉(冻干)进行质控方法研究,可以为中药注射剂质量评价提供新的研究思路。}, 69 | ISBN = {0253-2670}, 70 | ISSN = {0253-2670}, 71 | notes = {12-1108/R}, 72 | databaseprovider = {CNKI}, 73 | } 74 | 75 | @Article{YanYan2019, 76 | author = {闫艳 and 张敏 and 崔小芳 and 张福生 and 高晓霞 and 郭旭东 and 杜晨晖 and 秦雪梅}, 77 | title = {酸枣仁化学成分体内过程及其质量标志物研究思路探讨}, 78 | journal = {中草药}, 79 | year = {2019}, 80 | authoraddress = {山西大学中医药现代研究中心;山西大学化学化工学院;山西中医药大学中药学院;天津中学;}, 81 | issue = {02}, 82 | pages = {299-309}, 83 | keywords = {酸枣仁;;药动学;;代谢;;药效物质;;质量标志物}, 84 | abstract = {酸枣仁是公认的大宗中药品种之一,具有养心安神、补肝、敛汗生津之功效,是中医治疗失眠的首选药物。目前,酸枣仁化学成分研究较为清晰,其主要化学成分为黄酮类、皂苷类、生物碱类和三萜酸类等,结构丰富多样。酸枣仁化学成分的多样性决定了其生物学活性和药理作用的多样性,同时导致其药动学复杂的特性。通过对国内外文献分析与总结,梳理了酸枣仁化学成分(黄酮类、皂苷类)的药动学参数、吸收情况、组织分布特征和代谢研究成果(肠道菌群代谢转化、肝微粒体代谢转化、体内代谢转化),以期从体内过程的角度进行深度发掘和分析,为酸枣仁药效物质发现提供新的研究方向,同时为酸枣仁质量标志物的筛选和确定提供参考。}, 85 | ISBN = {0253-2670}, 86 | ISSN = {0253-2670}, 87 | notes = {12-1108/R}, 88 | databaseprovider = {CNKI}, 89 | } 90 | 91 | @Article{CengHuiGuang2019, 92 | author = {曾辉光}, 93 | title = {病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的临床研究}, 94 | journal = {中国现代药物应用}, 95 | year = {2019}, 96 | authoraddress = {普宁市梅塘镇卫生院综合住院部;}, 97 | volume = {13}, 98 | issue = {02}, 99 | pages = {52-53}, 100 | keywords = {非哺乳期乳腺炎;;病灶区段切除术;;随意皮瓣转移术;;临床疗效}, 101 | abstract = {目的探讨非哺乳期乳腺炎经病灶区段切除术联合随意皮瓣转移术治疗的效果。方法回顾性分析60例非哺乳期乳腺炎患者的临床资料,其中30例患者接受病灶区段切除术治疗,将其设定为对照组;30例患者接受病灶区段切除术联合随意皮瓣转移术治疗,将其设定为观察组。比较两组患者的临床疗效和预后情况。结果观察组患者的治疗总有效率为93.33%,明显高于对照组的73.33%,差异具有统计学意义(P<0.05)。手术前两组患者的肿块和乳头凹陷发生率比较差异无统计学意义(P>0.05)。手术后,两组患者均未发生肿块;观察组乳头凹陷率0明显低于对照组的13.33%,差异具有统计学意义(P<0.05)。结论病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的疗效确切,可改善疾病预后。}, 102 | ISBN = {1673-9523}, 103 | ISSN = {1673-9523}, 104 | notes = {11-5581/R}, 105 | databaseprovider = {CNKI}, 106 | } 107 | 108 | @Article{ChenSuPing2019, 109 | author = {陈素平}, 110 | title = {小学英语戏剧教学,打开孩子语言天赋的随意门}, 111 | journal = {科学大众(科学教育)}, 112 | year = {2019}, 113 | authoraddress = {泗阳县史集小学;}, 114 | issue = {01}, 115 | pages = {47}, 116 | keywords = {小学英语;;戏剧教学;;学生主体}, 117 | abstract = {"教育戏剧"(Drama in Education),简称DIE,是运用戏剧与剧场的技巧从事学校课程教学的一种方式。它的突出特点是平等、开放、对话,要求在教师有计划的引导下,以戏剧的各种表演元素,如即兴表演、角色扮演、戏剧游戏、情景对话表演、课本剧排演、分角色朗读课文、模仿等方法进行教学工作。让学生可以在彼此互动、合作的关系中充分地发挥想象、表达思想,从学习中获得美感经验、增进智能与生活技能。}, 118 | ISBN = {1006-3315}, 119 | ISSN = {1006-3315}, 120 | notes = {32-1427/N}, 121 | databaseprovider = {CNKI}, 122 | } 123 | 124 | @Article{ZhengShengWu2019, 125 | author = {郑胜武 and 杜子婧 and 黄雄梅 and 庄兢 and 林根辉 and 杨宇 and 丁昕 and 昝涛}, 126 | title = {去铁胺促进BMSCs靶向归巢和血管新生的实验研究}, 127 | journal = {中国修复重建外科杂志}, 128 | year = {2019}, 129 | authoraddress = {福建医科大学省立临床医学院福建省立医院整形外科;上海交通大学医学院附属第九人民医院整复外科;}, 130 | volume = {33}, 131 | issue = {01}, 132 | pages = {85-92}, 133 | keywords = {低氧模拟剂;;去铁胺;;BMSCs;;归巢;;血管新生}, 134 | abstract = {目的应用低氧模拟剂去铁胺(desferrioxamine,DFO)模拟组织缺氧环境,观察其是否能促进BMSCs在大鼠随意皮瓣中的归巢和血管新生。方法分离、培养荧光素酶转基因Lewis大鼠的BMSCs和成纤维细胞(fibroblast,FB)。选用4周龄Lewis雄性大鼠40只,在其背部形成10 cm×3 cm大小矩形皮瓣,然后随机分成4组,每组10只:A组于大鼠球后静脉丛注射200μL PBS;B、C组同上法分别注射浓度为1×10~6个/mL的FB和BMSCs 200μL;D组同C组方法注射BMSCs后,腹腔注射DFO[100 mg/(kg·d)],连续7 d。术后7 d,观察各组大鼠皮瓣成活情况并计算皮瓣成活率,采用激光散斑血流成像仪检测皮瓣血流情况;术后30 min及1、4、7、14 d采用生物发光成像检测移植细胞在大鼠体内分布情况;术后7 d行CD31免疫荧光染色计算毛细血管密度,免疫荧光检测基质细胞衍生因子1(stromal cell derived factor 1,SDF-1)、EGF、FGF及Ki67的表达情况;利用荧光素酶抗体标记移植的BMSCs,免疫荧光染色观察其是否参与损伤组织修复。结果术后7 d各组缺血皮瓣坏死边界已明确,C、D组皮瓣成活率明显高于A、B组,D组高于C组(P<0.05)。激光散斑血流成像仪检测示,C、D组皮瓣血流值显著高于A、B组,D组高于C组(P<0.05)。生物发光成像示BMSCs随时间变化逐渐向缺血缺氧区迁移,最终分布到缺血组织中;术后14 d D组的光子信号明显强于其他组(P<0.05)。CD31免疫荧光染色示,C、D组毛细血管密度显著高于A、B组,D组高于C组(P<0.05)。C、D组SDF-1、EGF、FGF及Ki67的表达明显强于A、B组,D组强于C组。术后7 d移植的荧光素酶标记BMSCs表达于组织的动脉弹力层、毛细血管处和毛囊处。结论 DFO可以加速BMSCs向随意皮瓣缺氧区域的迁移归巢,加速BMSCs在缺血组织中的分化,同时促进缺血组织血管新生。}, 135 | ISBN = {1002-1892}, 136 | ISSN = {1002-1892}, 137 | notes = {51-1372/R}, 138 | databaseprovider = {CNKI}, 139 | } 140 | 141 | @Article{XieXin2005, 142 | author = {谢昕 and 王小增}, 143 | title = {基于公共行政理念的政府公共关系发展历程探析}, 144 | journal = {湖北社会科学}, 145 | year = {2005}, 146 | authoraddress = {中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074,湖北武汉430074}, 147 | issue = {09}, 148 | pages = {14-16}, 149 | keywords = {政府公共关系;;公共行政;;发展历程;;理念}, 150 | abstract = {在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。}, 151 | ISBN = {1003-8477}, 152 | ISSN = {1003-8477}, 153 | notes = {42-1112/C}, 154 | databaseprovider = {CNKI}, 155 | } 156 | 157 | @Article{ZhouMinJiang2002, 158 | author = {周岷江 and 王天益 and 李英伦}, 159 | title = {兽医中药复方药物动力学研究方法及展望}, 160 | journal = {四川畜牧兽医}, 161 | year = {2002}, 162 | authoraddress = {四川农业大学动物科技学院,四川农业大学动物科技学院,四川农业大学动物科技学院 四川雅安625014,四川雅安625014,四川雅安625014}, 163 | issue = {S1}, 164 | pages = {92-94}, 165 | keywords = {兽医中药复方;;药物动力学;;研究方法;;展望}, 166 | abstract = {本文概述了兽医中药复方药物代谢动力学的研究方法,对今后兽医中药复方药物代谢动力学的研究与发展进行了展望。}, 167 | ISBN = {1001-8964}, 168 | ISSN = {1001-8964}, 169 | notes = {51-1181/S}, 170 | databaseprovider = {CNKI}, 171 | } 172 | 173 | @Article{MuXianLi2002, 174 | author = {穆仙丽 and 赵宗江 and 魏晨}, 175 | title = {中药归经研究述评}, 176 | journal = {内蒙古中医药}, 177 | year = {2002}, 178 | authoraddress = {内蒙古福瑞制药有限责任公司,北京中医药大学,北京中医药大学 012000,100029,100029}, 179 | issue = {06}, 180 | pages = {43-46}, 181 | keywords = {中药;;归经;;理论研究;;实验研究}, 182 | abstract = {通过归纳中药归经理论研究及实验研究的各种方法 ,分析其优越性和局限性 ,总结出中药归经在理论研究方面既要整理古代文献 ,还应整理归经实验及临床研究方面的现代文献 ;实验研究应该利用高科技手段 ,从系统的药效学研究入手 ,进行深入、系统地研究 ,形成现代中药归经理论}, 183 | ISBN = {1006-0979}, 184 | ISSN = {1006-0979}, 185 | notes = {15-1101/R}, 186 | databaseprovider = {CNKI}, 187 | } 188 | 189 | -------------------------------------------------------------------------------- /tests/assets/nameyear/withLineBreakInAddress.bib: -------------------------------------------------------------------------------- 1 | @Article{XieXin2005, 2 | author = {谢昕 and 王小增}, 3 | title = {基于公共行政理念的政府公共关系发展历程探析}, 4 | journal = {湖北社会科学}, 5 | year = {2005}, 6 | authoraddress = {中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074,湖北武汉430074}, 7 | issue = {09}, 8 | pages = {14-16}, 9 | keywords = {政府公共关系;;公共行政;;发展历程;;理念}, 10 | abstract = {在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。}, 11 | ISBN = {1003-8477}, 12 | ISSN = {1003-8477}, 13 | notes = {42-1112/C}, 14 | databaseprovider = {CNKI}, 15 | } 16 | 17 | -------------------------------------------------------------------------------- /tests/assets/title/ChineseColon.bib: -------------------------------------------------------------------------------- 1 | @Article{ruanzuzhirouliuzhenzhi, 2 | author = {中国临床肿瘤学会}, 3 | title = {软组织肉瘤诊治中国专家共识(2015年版)}, 4 | journal = {中华肿瘤杂志}, 5 | year = {2016}, 6 | translatedtitle = {Chinese expert consensus on diagnosis and treatment of soft tissue sarcomas (Version 2015)}, 7 | authoraddress = {复旦大学附属肿瘤医院|JG001257}, 8 | translatedjournal = {Chinese Journal of Oncology}, 9 | ISBN = {0253-3766}, 10 | ISSN = {0253-3766}, 11 | issue = {4}, 12 | pages = {310-320}, 13 | keywords = {肉瘤;软组织肿瘤;诊断;治疗;规范}, 14 | abstract = {软组织肉瘤是一类间叶来源的恶性肿瘤,可发生于全身各个部位,各年龄段均可发病。由于发病率低,种类繁多且生物学行为各异,如何规范诊疗一直是临床工作的难点。外科治疗仍然是软组织肉瘤唯一可获得根治和最重要的治疗手段,但在某些肉瘤类型或某些情形下需要进行化疗和放疗,靶向治疗也显示出了良好的前景。目前,对于如何实施规范的多学科综合治疗,如何配合应用各种治疗手段,尚缺乏普遍认可的共识。中国抗癌协会肉瘤专业委员会和中国临床肿瘤学会以循证医学证据为基础,同时吸纳了部分已获认可的专家经验和研究心得,深入探讨了软组织肉瘤的多学科综合治疗,形成了中国专家共识以期为临床诊疗活动发挥指导性作用。}, 15 | url = {https://rs.yiigle.com/CN112152201604/889113.htm}, 16 | databaseprovider = {《中华医学杂志》社有限责任公司}, 17 | language = {chi}, 18 | } 19 | 20 | -------------------------------------------------------------------------------- /tests/assets/title/Classic5Test.bib: -------------------------------------------------------------------------------- 1 | @Article{Share-optionbasedcompensationexpense, 2 | author = {Alaa Alhaj-Ismail and Sami Adwan and John Stittle}, 3 | title = {Share-option based compensation expense, shareholder returns and financial crisis}, 4 | journal = {Journal of Contemporary Accounting \& Economics}, 5 | year = {2019}, 6 | authoraddress = {School of Economics, Finance and Accounting, Coventry University, UK;;University of Sussex Business School, University of Sussex, UK;;Essex Business School, University of Essex, UK}, 7 | issue = {1}, 8 | volume = {15}, 9 | keywords = {IFRS 2;Share-based payment;Share based compensation;Financial institution;Financial crisis;And large shareholders}, 10 | abstract = {Abstract(#br)This paper contributes to the literature that analyses the relationship between Share-Option Based Compensation (SOBC) expense and shareholder returns. It utilises a sample of financial firms listed in the European Economic Area and Switzerland between 2005 and 2016 to make inferences about the impact of the financial crisis on the above-mentioned relationship. The paper also assesses the extent to which the relationship between SOBC expense and shareholder returns during the financial crisis varies with ownership concentration. We find evidence that the positive relationship between SOBC expense and shareholder returns is significantly more apparent during the financial crisis. This suggests that investors place more emphasis on the unrecognised intangible features of SOBC contracts during the crisis, even though their associated expenses are subject to managerial discretion and measurement errors. We also find that the positive relationship between SOBC expense and shareholder returns over the financial crisis is more pronounced when ownership is more concentrated. The results of our study are robust after controlling for firm size, potential investment growth opportunities, traditional banking activities and firm self-selection bias.}, 11 | ISBN = {1815-5669}, 12 | ISSN = {1815-5669}, 13 | databaseprovider = {CNKI}, 14 | } 15 | 16 | @Article{Environmentalimpactsofbaby, 17 | author = {Natalia Sieti and Ximena C. Schmidt Rivera and Laurence Stamford and Adisa Azapagic}, 18 | title = {Environmental impacts of baby food: Ready-made porridge products}, 19 | journal = {Journal of Cleaner Production}, 20 | year = {2019}, 21 | authoraddress = {Sustainable Industrial Systems, School of Chemical Engineering and Analytical Science, The University of Manchester, Manchester, M13 9PL, UK}, 22 | volume = {212}, 23 | keywords = {Baby food;Environmental impacts;Life cycle assessment;Porridge;Ready-made meals}, 24 | abstract = {Abstract(#br)Scant information is available on the environmental impacts of baby food. Therefore, the aim of this work is to evaluate the life cycle environmental sustainability of one of the most common baby foods consumed for breakfast – ready-made porridge – and to identify options for improvements. Two variants of the product are considered: dry and wet porridge. The latter has from 43% to 23 times higher impacts than the dry alternative, with the global warming potential (GWP) of wet porridge being 2.6 times higher. However, the results are sensitive to the assumption on energy consumption for the manufacture of wet porridge, showing that reducing the amount of energy by 30% would reduce this difference by 5%–70% across the impacts. The main hotspots for both products are the raw materials and manufacturing; packaging is also significant for the wet option. For the dry porridge, product reformulation would reduce the environmental impacts by 1%–67%, including a 34% reduction in GWP. Reducing water content of the cereal mixture in dry porridge from 80% to 50% would reduce GWP of the manufacturing process by 65% and by 9% in the whole life cycle. Using a plastic pouch instead of a glass jar would decrease most environmental impacts of wet porridge by 7%–89%. The findings of this study will be of interest to both baby food producers and consumers.}, 25 | ISBN = {0959-6526}, 26 | ISSN = {0959-6526}, 27 | databaseprovider = {CNKI}, 28 | } 29 | 30 | @Article{gaoxiaochanshengrenyi, 31 | author = {齐淑霞 and 刘圣 and 李鹏 and 韩磊 and 程华超 and 吴东京 and 赵建林}, 32 | title = {高效产生任意矢量光场的一种方法}, 33 | journal = {物理学报}, 34 | year = {Null}, 35 | authoraddress = {西北工业大学理学院陕西省光信息技术重点实验室;}, 36 | pages = {1-7}, 37 | keywords = {偏振态;;空间光调制器;;矢量光场}, 38 | abstract = {提出一种高效产生任意矢量光场的方法.通过利用两个光束偏移器分别对两个正交线偏振分量进行分束与合束,将传统激光模式转化为任意矢量光场.所产生矢量光场的偏振态和相位分布通过在相位型空间光调制器(SLM)上加载相应的相位实时调控.由于光路系统中不涉及任何衍射光学元件和振幅分光元件,光场转换效率高,仅取决于SLM的反射率,并且光路系统结构紧凑、稳定,同轴性易于调节.实验结果显示,采用反射率为79%的相位型SLM所产生的矢量光场的转换效率可达到58%.}, 39 | ISBN = {1000-3290}, 40 | ISSN = {1000-3290}, 41 | notes = {11-1958/O4}, 42 | databaseprovider = {CNKI}, 43 | } 44 | 45 | @Article{xierusheshiSalisbury, 46 | author = {张海丰 and 李颖 and 程汉池 and 裴魏魏 and 刘明达 and 韩海生}, 47 | title = {斜入射时Salisbury屏电磁参数匹配规律研究}, 48 | journal = {信阳师范学院学报(自然科学版)}, 49 | year = {2019}, 50 | authoraddress = {佳木斯大学理学院;佳木斯大学材料与工程学院;佳木斯大学口腔医学院;}, 51 | issue = {01}, 52 | pages = {1-3}, 53 | keywords = {斜入射;;Salisbury屏;;匹配规律}, 54 | abstract = {利用电磁波传输理论,研究并推导出了电磁波斜入射时Salisbury屏后向反射率公式,使用三维网格法讨论了各个电磁参数、隔离层厚度、入射波频率等同后向反射率之间的关系.研究结果表明:在2~18GHz范围内,角度后向反射率有很大;在f=16GHz时,μr1和μr2取值的增加使得材料的磁损耗和储能能力加强,导致材料有很好的吸收效果;然而εr1和εr2取值增加时,由于表面反射效应增强,使得吸波效果下降;在2~18GHz频段内后向反射率均可达到4.5d B以上,能够满足军事和民用的要求.}, 55 | ISBN = {1003-0972}, 56 | ISSN = {1003-0972}, 57 | notes = {41-1107/N}, 58 | databaseprovider = {CNKI}, 59 | } 60 | 61 | @Article{sanweizhenbili, 62 | author = {黎克波 and 梁彦刚 and 苏文山 and 陈磊}, 63 | title = {三维真比例导引律大气层外拦截真任意机动目标的性能分析}, 64 | journal = {中国科学:技术科学}, 65 | year = {Null}, 66 | authoraddress = {国防科技大学空天科学学院;军事科学院国防科技创新研究院;}, 67 | pages = {1-2}, 68 | keywords = {大气层;真比例导引律;动能拦截器;机动目标;弹目接近速度;性能分析;}, 69 | abstract = {<正>大气层外动能拦截技术是弹道导弹防御技术研究的重难点问题.由于外层空间可以忽略气动力影响,动能拦截器通常采用真比例导引律(true proportional navigation, TPN)进行制导控制. TPN指令加速度方向垂直于当前弹目视线(line-of-sight, LOS),大小与视线转率成正比,具有结构简单、易于实现、鲁棒性好等优点. TPN的制导目的是控制视线转率使其不发散,从而使拦截器具有较小的脱靶量,以实现对目标的直接碰撞.}, 70 | ISBN = {1674-7259}, 71 | ISSN = {1674-7259}, 72 | notes = {11-5844/TH}, 73 | databaseprovider = {CNKI}, 74 | } 75 | 76 | -------------------------------------------------------------------------------- /tests/assets/title/CoverAllTest15Entries.bib: -------------------------------------------------------------------------------- 1 | @Article{Doesconvertingabandonedrailways, 2 | author = {Youngre Noh}, 3 | title = {Does converting abandoned railways to greenways impact neighboring housing prices?}, 4 | journal = {Landscape and Urban Planning}, 5 | year = {2019}, 6 | authoraddress = {Department of Landscape Architecture and Urban Planning, Texas A\&M University, College Station, TX 77843-3137, USA}, 7 | volume = {183}, 8 | keywords = {Spatial hedonic model;AITS-DID;Greenway;Railroad;Property value;Brownfield: trail}, 9 | abstract = {Abstract(#br)This research examines the housing market before and after abandoned railways are converted into greenways. Two different hedonic pricing models are employed to analyze changes in the impact and trend of the change—spatial regressions for before and after the conversion and the Adjusted Interrupted Time Series-Difference in Differences (AITS-DID) model. Analyzing 2005–2012 single-family home sale transactions in the City of Whittier, California the results show that converting the abandoned railway into a greenway increases property values. Upon the completion of the greenway, the positive association with the greenway proximity increased in both models. The premium also exists in the pre-conversion period. The sellers’ and buyers’ expectation of the greenway being an amenity factored into the housing market even during the construction of the greenway. After the conversion, properties near the greenway experienced a negative trend in their value.}, 10 | ISBN = {0169-2046}, 11 | ISSN = {0169-2046}, 12 | databaseprovider = {CNKI}, 13 | } 14 | 15 | @Article{jiyuhuiseguanlian, 16 | author = {唐力 and 刘启钢 and 孙文桥}, 17 | title = {基于灰色关联分析法的铁路物流服务方案评价}, 18 | journal = {铁道运输与经济}, 19 | year = {2019}, 20 | authoraddress = {1.中国铁道科学研究院 研究生部;2.中国铁道科学研究院集团有限公司 运输及经济研究所}, 21 | issue = {01}, 22 | pages = {7-12}, 23 | keywords = {铁路物流;服务方案;评价指标;灰色关联分析法;实例分析}, 24 | abstract = {选择合理的铁路物流服务方案对优化物流资源配置、提高铁路物流服务质量具有重要意义。针对铁路物流服务方案数量多、部分方案服务质量不高等问题,结合评价指标体系构建原则,选择经济性能、技术性能、服务水平和社会服务4个方面的评价指标,建立铁路物流服务方案评价指标体系,提出基于灰色关联分析法的铁路物流服务方案评价方法,并通过案例分析阐述该评价方法的可行性。评价结果表明,灰色关联分析法具有有效性和合理性,能够为铁路物流服务方案评价问题提供客观的科学依据。}, 25 | ISBN = {1003-1421}, 26 | ISSN = {1003-1421}, 27 | notes = {11-1949/U}, 28 | databaseprovider = {CNKI}, 29 | } 30 | 31 | @PhdThesis{yunhuanjingxia, 32 | author = {殷玮川}, 33 | title = {云环境下铁路“门到门”货运产品设计优化方法研究}, 34 | school = {北京交通大学}, 35 | year = {2018}, 36 | tertiaryauthor = {何世伟}, 37 | typeofwork = {博士}, 38 | keywords = {铁路运输;;“门到门”货运产品;;产品设计;;服务网络优化;;云计算;;大数据;;支持向量机;;IBM DOcplexcloud软件}, 39 | abstract = {近年来,中国经济在新常态下发生的结构转型和调整变化对货运市场的供需关系和货源结构都产生了巨大的影响。货运市场的高附加值“白货”等货物比例增加,高附加值货物的地位相比过去不断提高,客户对于货运服务需求更加多样化,这些对铁路货运服务提出了更高的要求。铁路在全面推进物流化战略背景下,积极开拓货源市场,设计多样化的服务产品和提升服务质量都成为重要手段。铁路“门到门”货物运输就是在货运需求向延伸服务、全程服务发展背景下应运而生的,铁路“门到门”货运产品是铁路货物“门到门”运输的重要载体和主要形式,开行铁路“门到门”货运产品有利于铁路吸引货源,抢占货运市场份额,增强铁路在货运市场的影响力。在“互联网+”的新时代下,云计算和大数据技术的应用场景不断丰富,融入人们的生活和工作场景中,在多个行业已经发挥了巨大的作用。在铁路运营生产工作中引入云计算和大数据技术将有效提升工作效率,改进传统的工作模式,因此本文结合云计算和大数据技术,对铁路“门到门”货运产品的设计方法进行研究,主要研究内容包括以下几个方面:(1)对铁路“门到门”货运产品设计理论进行阐述,以货物运输规划流程为基础,分别对铁路“门到门”货运产品的概念、背景、设计原则和流程进行界定,并对云环境在铁路“门到门”货运产品设计中的应用进行分析。提出了基于云平台的自建接取送达和外包接取送达两种铁路“门到门”货运产品运输组织模式,并对这两种运输组织模式的经济效益分析。最后设计铁路“门到门”货运产品云平台的运作模式、功能模块、架构框架以及运营收益分析。(2)研究了铁路“门到门”货运服务网络构建方法,分别提出基于云聚类和基于轴辐式网络模型的铁路“门到门”货运服务网络构建方法,并采用基于支持向量回归机的铁路“门到门”货运服务网络构建评价方法对构建的服务网络进行评价,在考虑货物运到时限约束基础上,改进传统轴辐式网络模型,提出铁路“门到门”货运服务网络构建数学优化模型,以列车实绩运行大数据的计算参数来代替传统优化方法的参数设置。(3)研究了铁路“门到门”货运服务网络流量分配问题。采用节点拆分方法描述铁路干线运输作业环节以及铁路运输与公路运输转运作业环节,有助于细化对铁路“门到门”运输全流程作业的研究。在改进传统的网络流量分配模型基础上构建了铁路“门到门”货运服务网络的流量分配数学优化模型,采用基于时空服务网络的K短路搜索算法生成货流可行路径集,基于优化模型提出了基于云计算的求解方法框架。在求解数学模型过程中,借助云资源和IBM ILOGCplex内置的优化算法求解器,采用IBM DOcplexcloud软件求解。(4)研究了铁路“门到门”货运产品设计问题,提出铁路“门到门”货运产品备选集生成策略,在考虑铁路干线和公路支线运输服务相关约束基础上,构建铁路“门到门”货运产品设计数学优化模型,并提出了包括数据准备阶段、数据分析阶段、服务网络构建阶段、生成铁路“门到门”货运产品备选集和货运产品设计阶段这五个步骤的铁路“门到门”货运产品设计求解方法框架,将传统分作业环节计算普速产品旅行时间的方法改进为引入铁路实际列车运行大数据计算,并将结果作为基准带入数学优化模型中利用IBM DOcplexcloud软件进行求解提升产品设计的精准性。(5)选取京广线南段武汉北至江村区段为案例背景,进行了实例验证。说明了论文研究的实用价值和意义。}, 40 | databaseprovider = {CNKI}, 41 | } 42 | 43 | @MastersThesis{woguotielukeyunzhan, 44 | author = {胡增辉}, 45 | title = {我国铁路客运站建筑空间室内设计方法研究}, 46 | school = {北京交通大学}, 47 | year = {2018}, 48 | tertiaryauthor = {孙伟}, 49 | typeofwork = {硕士}, 50 | keywords = {铁路客运站;;风格;;室内设计;;方法}, 51 | abstract = {1881年,我国第一条铁路——唐山到胥各庄的唐胥铁路修建落成,随之我国第一座火车站——唐山火车站也于1882年建成营运。纵观我国铁路百余年发展历史,铁路客运站从初期简单的列车停靠站点,到功能完善的、为铁路旅客提供舒适乘降服务的公共建筑空间,时至今日,已发展为集多种交通方式与城市功能于一体的大型综合交通枢纽。时代变迁,伴随建筑功能与形式的转变,铁路客运站室内设计也呈现出丰富多彩的个性特征,本论文研究发现,铁路客运站室内设计不仅融合公共建筑室内设计的共性,更具有铁路交通运输的独特印记,其设计风格经历了近代时期的折中主义风格、苏维埃式风格和标准化样式,建国之后带有装饰主义色彩的民族形式新风格与地方特色凸显的岭南风格,到改革开放后的现代主义风格和初具地域特点的风格,再发展为注重功能与服务、具有现代主义特征的新风格、融入地方特色的地域风格、注重生态景观设计特点及个别客运站还原昔日面貌的折中主义风格的转变。本文的主要研究内容分为两个部分,首先,从历史的角度出发,采用以史带论的研究方法,选取不同时段内具有代表性的铁路客运站设计案例进行深入剖析,从而研究我国铁路客运站的室内设计特点与发展变化规律,梳理我国铁路客运站室内设计的设计风格与发展脉络,探索其发展变化的规律与特征。然后,研究铁路客运站建筑室内界面、家具与陈设的设计,寻找出适合于我国当代铁路客运站室内设计的策略与方法,丰富我国铁路客运站室内设计方面的理论研究,希望能为今后的设计提供一些借鉴,为旅客创造一个更好的室内乘车环境。}, 52 | databaseprovider = {CNKI}, 53 | } 54 | 55 | @InProceedings{chengshishuxiangduixia, 56 | author = {史德雯}, 57 | title = {城市竖向对下凹式立交桥积水风险的影响}, 58 | booktitle = {共享与品质——2018中国城市规划年会论文集(01城市安全与防灾规划)}, 59 | year = {2018}, 60 | authoraddress = {北京市首都规划设计工程咨询开发有限公司;}, 61 | secondarytitle = {2018中国城市规划年会}, 62 | placepublished = {中国浙江杭州}, 63 | subsidiaryauthor = {中国城市规划学会、杭州市人民政府}, 64 | pages = {9}, 65 | keywords = {下凹式立交桥;城市竖向;内涝;积水风险}, 66 | abstract = {城市排水防涝系统是保障城市安全运行、维护人民生命财产安全的重要基础设施。近年来城市汛期北京市下凹桥区积水情况时有发生,本文分析了丰裕铁路桥的积水原因,发现由于城市竖向没有考虑内涝积水风险,造成大面积客水汇入下凹桥区,造成了严重积水。结合该桥区周围地区建设计划,将防涝风险反馈至地区竖向规划,通过对用地、道路的竖向改造使桥区客水范围大大缩减,降低了下凹桥区的防涝风险,引导该地区在开发建设的过程中避免产生内涝积水。}, 67 | databaseprovider = {CNKI}, 68 | } 69 | 70 | @Misc{jianchizaidaju, 71 | title = {坚持在大局下行动}, 72 | author = {本报评论员}, 73 | secondarytitle = {人民铁道}, 74 | date = {2019-01-09}, 75 | pages = {A01}, 76 | publisher = {人民铁道}, 77 | notes = {11-0096}, 78 | databaseprovider = {CNKI}, 79 | } 80 | 81 | @Book{MakingTracks, 82 | author = {Iain Docherty}, 83 | title = {Making Tracks}, 84 | publisher = {Taylor and Francis}, 85 | year = {2020}, 86 | date = {2020-10-12}, 87 | databaseprovider = {CNKI}, 88 | month = {10}, 89 | ISBN = {9780429834646}, 90 | } 91 | 92 | @Misc{liu、gudingzichan, 93 | title = {六、固定资产投资和建筑业 6-10 按行业分建筑业企业生产情况}, 94 | keywords = {6-10 按行业分建筑业企业生产情况}, 95 | srcdatabase = {年鉴}, 96 | databaseprovider = {CNKI}, 97 | } 98 | 99 | @Misc{zonghe-guominjingji, 100 | title = {1 综合 1-5 国民经济和社会发展主要指标}, 101 | keywords = {万人,capita,Number,income,总量指标,平方米,人均可支配收入,旅客周转量,商品零售价格,邮路总长度,}, 102 | srcdatabase = {统计年鉴}, 103 | databaseprovider = {CNKI}, 104 | } 105 | 106 | @Misc{yizhongtieluguzhang, 107 | title = {一种铁路故障检测器清洗装置}, 108 | author = {段祥祥}, 109 | authoraddress = {241000 安徽省芜湖市镜湖区华强广场C座办公楼2409室}, 110 | subsidiaryauthor = {芜湖华佳新能源技术有限公司}, 111 | date = {2018-11-02}, 112 | notes = {CN108722921A}, 113 | typeofwork = {CN108722921A}, 114 | abstract = {本发明公开了一种铁路故障检测器清洗装置,包括底座,所述底座的上表面通过第一固定杆与第一驱动装置的下表面固定连接,所述第一驱动装置的正面与第一连接杆的背面固定连接,所述第一连接杆的正面与第二连接杆的背面固定连接,所述第二连接杆的顶端与挤压块的下表面固定连接,所述挤压块的上表面与载物板的下表面搭接。该铁路故障检测器清洗装置,通过通过第一电机、转盘、第一连接杆、第二连接杆、挤压块、载物板、第二电机、主动轮、从动轮、皮带、转轴和擦物块之间的相互配合,从而使得擦物块对检测器本体进行擦洗,从而不需要工作人员再手动擦拭检测器本体,从而方便了工作人员对计算机的使用,方便了工作人员的工作。}, 115 | subject = {1.一种铁路故障检测器清洗装置,包括底座(1),其特征在于:所述底座(1)的上表面通过第一固定杆(2)与第一驱动装置(3)的下表面固定连接,所述第一驱动装置(3)的正面与第一连接杆(4)的背面固定连接,所述第一连接杆(4)的正面与第二连接杆(5)的背面固定连接,所述第二连接杆(5)的顶端与挤压块(6)的下表面固定连接,所述挤压块(6)的上表面与载物板(7)的下表面搭接,所述载物板(7)的下表面通过两个伸缩装置(8)与底座(1)的上表面固定连接,且两个伸缩装置(8)分别位于第一驱动装置(3)的左右两侧,所述载物板(7)的上表面开设有凹槽(9),所述凹槽(9)内壁的下表面与底板(10)的下表面搭接,所述底板(10)的上表面通过支撑腿(11)与固定板(12)的下表面固定连接,所述固定板(12)的正面与检测器本体(13)的背面固定连接,所述载物板(7)的上表面固定连接有两个挡块(14),且两个挡块(14)的相对面均固定连接有电动推杆(27),且两个电动推杆(27)的相对面均固定连接有挤压板(16),所述载物板(7)的左右两侧面分别与两个滑块(28)的相对面固定连接,且两个滑块(28)分别滑动连接在两个滑槽(15)内,且两个滑槽(15)分别开设在两个支撑板(17)的相对面,且两个支撑板(17)的下表面均与底座(1)的上表面固定连接,且两个支撑板(17)的相对面均卡接有轴承(18),且两个轴承(18)内套接有同一个转轴(19),所述转轴(19)的表面固定连接有擦物块(20),且擦物块(20)的背面与检测器本体(13)的正面搭接,所述转轴(19)的表面固定连接有从动轮(21),所述从动轮(21)通过皮带(22)与第二驱动装置(23)传动连接,所述第二驱动装置(23)的下表面通过第二固定杆(24)与底座(1)的上表面固定连接,且第二驱动装置(23)位于左侧面支撑板(17)的左侧。}, 116 | srcdatabase = {中国专利}, 117 | } 118 | 119 | @Misc{tieludiaochezuoye, 120 | title = {铁路调车作业标准 铁路调车作业标准基本规定}, 121 | author = {铁道部运输局}, 122 | publisher = {国家技术监督局}, 123 | date = {1996-03-15}, 124 | ISBN = {GB/T 7178.1-1996}, 125 | trydate = {1996-08-01}, 126 | keywords = {作业标准;铁路调车;}, 127 | srcdatabase = {国家标准}, 128 | databaseprovider = {CNKI}, 129 | } 130 | 131 | @Misc{tieluqiaohansheji, 132 | title = {铁路桥涵设计基本规范}, 133 | ISBN = {TB 10002.1-2005}, 134 | trydate = {2005-06-14}, 135 | keywords = {铁路桥涵;设计基本规范;桥涵}, 136 | srcdatabase = {标准}, 137 | databaseprovider = {CNKI}, 138 | } 139 | 140 | @Article{chuangxinnenglipeiyangshiyu, 141 | author = {娄丽芳}, 142 | title = {创新能力培养视域下高职院校解剖学教学改革思考}, 143 | journal = {科教文汇(下旬刊)}, 144 | year = {2018}, 145 | authoraddress = {郑州铁路职业技术学院药学院;}, 146 | issue = {12}, 147 | pages = {79-80}, 148 | keywords = {创新能力;;解剖学教学;;培养途径}, 149 | abstract = {新的职业院校人才培养模式要求学生不仅能扎实地掌握知识,更重要的是能灵活运用知识进行创造性的工作。解剖学作为一门重要的医学基础课,多年来,教学研究者们一直致力于人才培养模式、课程体系、教学内容、教学方法的改革,以适应时代创新发展需要。本文针对实际教学情况,分析高职院校解剖学教学过程中创新能力培养的制约条件,并提出要及时转变教学理念,优化课堂教学过程,创新教学评价过程,积极营造有利于培养学生创新能力的氛围。}, 150 | ISBN = {1672-7894}, 151 | ISSN = {1672-7894}, 152 | notes = {34-1274/G}, 153 | databaseprovider = {CNKI}, 154 | } 155 | 156 | @Article{xieshouqianjingongchuangweilai, 157 | author = {Null}, 158 | title = {携手前进,共创未来——习近平在巴拿马媒体发表署名文章}, 159 | journal = {中华人民共和国国务院公报}, 160 | year = {2018}, 161 | issue = {35}, 162 | pages = {7-9}, 163 | keywords = {巴拿马,习近平,巴雷拉,未来,卡洛斯,胡安,难忘的记忆,弯道超车,一路,热带水果,}, 164 | abstract = {<正>11月30日,在对巴拿马共和国进行国事访问前夕,国家主席习近平在巴拿马《星报》发表题为《携手前进,共创未来》的署名文章。文章如下:携手前进,共创未来中华人民共和国主席习近平应胡安·卡洛斯·巴雷拉总统邀请,我即将对巴拿马共和国进行国事访问。这是我首次访问贵国,也是中国国家主席首次到访巴拿马,我对此行充满期待。}, 165 | ISBN = {1004-3438}, 166 | ISSN = {1004-3438}, 167 | notes = {11-1611/D}, 168 | databaseprovider = {CNKI}, 169 | } 170 | 171 | @Article{qiyedangyuanganbuduiwu, 172 | author = {徐敏}, 173 | title = {企业党员干部队伍建设问题研究}, 174 | journal = {山西青年}, 175 | year = {2019}, 176 | authoraddress = {同煤集团矿山铁路分公司;}, 177 | issue = {01}, 178 | pages = {210+209}, 179 | keywords = {企业党员干部;;队伍建设;;问题;;对策}, 180 | abstract = {介绍了企业党员干部队伍建设阶段所出现的问题,并提出相应的解决对策,它不仅能够确保企业党员干部队伍建设工作有条不紊的进行,而且还可以更好的提高党员干部队伍的综合素质水平,推动企业的发展。通过对企业党员干部队伍建设中所存在的问题进行分析和研究,以期为企业的发展提供可靠的保障,从而实现经济效益和社会效益的最大化。}, 181 | ISBN = {1006-0049}, 182 | ISSN = {1006-0049}, 183 | notes = {14-1003/C}, 184 | databaseprovider = {CNKI}, 185 | } 186 | 187 | -------------------------------------------------------------------------------- /tests/assets/title/mixed.bib: -------------------------------------------------------------------------------- 1 | @Article{jiyushenduxinnian, 2 | author = {唐伦 and 赵培培 and 赵国繁 and 陈前斌}, 3 | title = {基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法}, 4 | journal = {电子与信息学报}, 5 | year = {Null}, 6 | authoraddress = {重庆邮电大学通信与信息工程学院;重庆邮电大学移动通信重点实验室;}, 7 | pages = {1-8}, 8 | keywords = {虚拟网络功能;;预测;;迁移;;深度学习}, 9 | abstract = {针对5G网络场景下缺乏对资源需求的有效预测而导致的虚拟网络功能实时性迁移问题,该文提出一种基于深度信念网络资源需求预测的虚拟网络功能动态迁移算法。该算法首先建立综合带宽开销和迁移代价的系统总开销模型,然后设计基于在线学习的深度信念网络预测算法预测未来时刻的资源需求情况,在此基础上采用自适应学习率并引入多任务学习模式优化预测模型,最后根据预测结果以及对网络拓扑和资源的感知,以尽可能地减少系统开销为目标,通过基于择优选择的贪婪算法将虚拟网络功能迁移到满足资源阈值约束的底层节点上,并提出基于禁忌搜索的迁移机制进一步优化迁移策略。仿真表明,该预测模型能够获得很好的预测效果,自适应学习率加快了训练网络的收敛速度,与迁移算法结合在一起的方式有效地降低了迁移过程中的系统开销和服务等级协议违例次数,提高了网络服务的性能。}, 10 | ISBN = {1009-5896}, 11 | ISSN = {1009-5896}, 12 | notes = {11-4494/TN}, 13 | databaseprovider = {CNKI}, 14 | } 15 | 16 | @Article{jiyuGA-, 17 | author = {李玉琢 and 刘攀}, 18 | title = {基于GA-BP算法的长江运价指数模型研究及预测}, 19 | journal = {现代营销(下旬刊)}, 20 | year = {2019}, 21 | authoraddress = {石家庄铁道大学;}, 22 | issue = {02}, 23 | pages = {134}, 24 | keywords = {GA-BP算法;;长江运价}, 25 | abstract = {文章通过市场的特征选取了相关影响因素对长江水域的运输经济问题进行了研究。根据过往水运市场经济事件的分析,建立了基于GA-BP算法的价格制定模型,确定了长江运价指数。并根据长江航务交易所的历史数据对模型进行验证,证明了模型的有效性和合理性。本文有助于增强钢铁水运市场参与者的自身竞争能力和确保经营收益,有效地防范经营风险。}, 26 | ISBN = {1009-2994}, 27 | ISSN = {1009-2994}, 28 | notes = {22-1256/F}, 29 | databaseprovider = {CNKI}, 30 | } 31 | 32 | @Article{rengongzhinengqudongde, 33 | author = {刘云鹏 and 许自强 and 李刚 and 夏彦卫 and 高树国}, 34 | title = {人工智能驱动的数据分析技术在电力变压器状态检修中的应用综述}, 35 | journal = {高电压技术}, 36 | year = {2019}, 37 | authoraddress = {华北电力大学河北省输变电设备安全防御重点实验室;华北电力大学新能源电力系统国家重点实验室;华北电力大学控制与计算机工程学院;国网河北省电力有限公司电力科学研究院;}, 38 | issue = {02}, 39 | pages = {1-12}, 40 | keywords = {人工智能;;数据分析;;电力变压器;;状态检修;;图像识别;;专家系统}, 41 | abstract = {状态检修为电力变压器的稳定运行与优质电力的正常供应提供了重要保障。随着智能电网建设的不断推进,包括状态监测、生产管理、运行调度、气象环境等在内的电力变压器运行状态相关信息已逐步呈现出体量大、种类多、增长快的典型大数据特征。因此,在电力大数据的时代背景下,开展结合人工智能技术的电力变压器状态数据综合挖掘与分析研究,对于进一步提升设备状态检修的全面性、高效性与准确性具有十分重要的意义。鉴于此,首先概述了面向数据分析的人工智能技术,涵盖专家系统、不确定性推理、机器学习及智能优化计算等研究内容;然后,结合电力变压器状态检修各阶段任务的智能化需求,论述了人工智能驱动的数据分析技术在数据清洗、文本挖掘、图像识别、状态评估、故障诊断、状态预测及检修决策优化等典型场景中的应用研究现状;最后,探讨了现阶段影响基于人工智能的数据分析技术在状态检修领域应用效果的关键问题,并对未来的主要研究方向进行了展望。}, 42 | ISBN = {1003-6520}, 43 | ISSN = {1003-6520}, 44 | notes = {42-1239/TM}, 45 | databaseprovider = {CNKI}, 46 | } 47 | 48 | @Misc{morang“renxing, 49 | title = {莫让“任性加塞”堵了回家过年路}, 50 | author = {和风}, 51 | secondarytitle = {人民公安报·交通安全周刊}, 52 | date = {2019-01-29}, 53 | pages = {004}, 54 | publisher = {人民公安报·交通安全周刊}, 55 | notes = {11-0090}, 56 | databaseprovider = {CNKI}, 57 | } 58 | 59 | @Article{zhusheyongyiqifumai, 60 | author = {李德坤 and 苏小琴 and 李智 and 李莉 and 万梅绪 and 周学谦 and 鞠爱春 and 张铁军}, 61 | title = {注射用益气复脉(冻干)的质量标志物研究}, 62 | journal = {中草药}, 63 | year = {2019}, 64 | authoraddress = {天津天士力之骄药业有限公司;天津市中药注射剂安全性评价企业重点实验室;天津药物研究院;}, 65 | issue = {02}, 66 | pages = {290-298}, 67 | keywords = {注射用益气复脉(冻干);;质量标志物;;质量控制;;药性;;人参皂苷Rb1;;人参皂苷Rg1;;人参皂苷Rf;;人参皂苷Rh1;;人参皂苷Rc;;人参皂苷Rb2;;人参皂苷Ro;;人参皂苷Rg3;;麦冬皂苷C;;麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷;;偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷;;果糖;;五味子醇甲}, 68 | abstract = {注射用益气复脉(冻干)是由红参、麦冬和五味子3味药材精制而成,临床上主要用于治疗冠心病劳累型心绞痛气阴两虚证及冠心病所致慢性左心功能不全II、III级气阴两虚证。根据质量标志物概念,从物质基础、药效、网络药理、药动学及药性等方面对注射用益气复脉(冻干)质量标志物进行预测分析,初步确定人参皂苷Rb1、Rg1、Rf、Rh1、Rc、Rb2、Ro、Rg3及麦冬皂苷C、麦冬苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃葡萄糖苷、偏诺皂苷元-3-O-α-L-吡喃鼠李糖基-(1→2)-β-D-吡喃木糖基-(1→4)-β-D-吡喃葡萄糖苷、果糖、五味子醇甲13个成分为质量标志物,并以此为核心建立全程质量控制体系。基于质量标志物对注射用益气复脉(冻干)进行质控方法研究,可以为中药注射剂质量评价提供新的研究思路。}, 69 | ISBN = {0253-2670}, 70 | ISSN = {0253-2670}, 71 | notes = {12-1108/R}, 72 | databaseprovider = {CNKI}, 73 | } 74 | 75 | @Article{suanzaorenhuaxuechengfentinei, 76 | author = {闫艳 and 张敏 and 崔小芳 and 张福生 and 高晓霞 and 郭旭东 and 杜晨晖 and 秦雪梅}, 77 | title = {酸枣仁化学成分体内过程及其质量标志物研究思路探讨}, 78 | journal = {中草药}, 79 | year = {2019}, 80 | authoraddress = {山西大学中医药现代研究中心;山西大学化学化工学院;山西中医药大学中药学院;天津中学;}, 81 | issue = {02}, 82 | pages = {299-309}, 83 | keywords = {酸枣仁;;药动学;;代谢;;药效物质;;质量标志物}, 84 | abstract = {酸枣仁是公认的大宗中药品种之一,具有养心安神、补肝、敛汗生津之功效,是中医治疗失眠的首选药物。目前,酸枣仁化学成分研究较为清晰,其主要化学成分为黄酮类、皂苷类、生物碱类和三萜酸类等,结构丰富多样。酸枣仁化学成分的多样性决定了其生物学活性和药理作用的多样性,同时导致其药动学复杂的特性。通过对国内外文献分析与总结,梳理了酸枣仁化学成分(黄酮类、皂苷类)的药动学参数、吸收情况、组织分布特征和代谢研究成果(肠道菌群代谢转化、肝微粒体代谢转化、体内代谢转化),以期从体内过程的角度进行深度发掘和分析,为酸枣仁药效物质发现提供新的研究方向,同时为酸枣仁质量标志物的筛选和确定提供参考。}, 85 | ISBN = {0253-2670}, 86 | ISSN = {0253-2670}, 87 | notes = {12-1108/R}, 88 | databaseprovider = {CNKI}, 89 | } 90 | 91 | @Article{bingzaoquduanqiechushu, 92 | author = {曾辉光}, 93 | title = {病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的临床研究}, 94 | journal = {中国现代药物应用}, 95 | year = {2019}, 96 | authoraddress = {普宁市梅塘镇卫生院综合住院部;}, 97 | volume = {13}, 98 | issue = {02}, 99 | pages = {52-53}, 100 | keywords = {非哺乳期乳腺炎;;病灶区段切除术;;随意皮瓣转移术;;临床疗效}, 101 | abstract = {目的探讨非哺乳期乳腺炎经病灶区段切除术联合随意皮瓣转移术治疗的效果。方法回顾性分析60例非哺乳期乳腺炎患者的临床资料,其中30例患者接受病灶区段切除术治疗,将其设定为对照组;30例患者接受病灶区段切除术联合随意皮瓣转移术治疗,将其设定为观察组。比较两组患者的临床疗效和预后情况。结果观察组患者的治疗总有效率为93.33%,明显高于对照组的73.33%,差异具有统计学意义(P<0.05)。手术前两组患者的肿块和乳头凹陷发生率比较差异无统计学意义(P>0.05)。手术后,两组患者均未发生肿块;观察组乳头凹陷率0明显低于对照组的13.33%,差异具有统计学意义(P<0.05)。结论病灶区段切除术联合随意皮瓣转移术治疗非哺乳期乳腺炎的疗效确切,可改善疾病预后。}, 102 | ISBN = {1673-9523}, 103 | ISSN = {1673-9523}, 104 | notes = {11-5581/R}, 105 | databaseprovider = {CNKI}, 106 | } 107 | 108 | @Article{xiaoxueyingyuxiju, 109 | author = {陈素平}, 110 | title = {小学英语戏剧教学,打开孩子语言天赋的随意门}, 111 | journal = {科学大众(科学教育)}, 112 | year = {2019}, 113 | authoraddress = {泗阳县史集小学;}, 114 | issue = {01}, 115 | pages = {47}, 116 | keywords = {小学英语;;戏剧教学;;学生主体}, 117 | abstract = {"教育戏剧"(Drama in Education),简称DIE,是运用戏剧与剧场的技巧从事学校课程教学的一种方式。它的突出特点是平等、开放、对话,要求在教师有计划的引导下,以戏剧的各种表演元素,如即兴表演、角色扮演、戏剧游戏、情景对话表演、课本剧排演、分角色朗读课文、模仿等方法进行教学工作。让学生可以在彼此互动、合作的关系中充分地发挥想象、表达思想,从学习中获得美感经验、增进智能与生活技能。}, 118 | ISBN = {1006-3315}, 119 | ISSN = {1006-3315}, 120 | notes = {32-1427/N}, 121 | databaseprovider = {CNKI}, 122 | } 123 | 124 | @Article{qutieancujin, 125 | author = {郑胜武 and 杜子婧 and 黄雄梅 and 庄兢 and 林根辉 and 杨宇 and 丁昕 and 昝涛}, 126 | title = {去铁胺促进BMSCs靶向归巢和血管新生的实验研究}, 127 | journal = {中国修复重建外科杂志}, 128 | year = {2019}, 129 | authoraddress = {福建医科大学省立临床医学院福建省立医院整形外科;上海交通大学医学院附属第九人民医院整复外科;}, 130 | volume = {33}, 131 | issue = {01}, 132 | pages = {85-92}, 133 | keywords = {低氧模拟剂;;去铁胺;;BMSCs;;归巢;;血管新生}, 134 | abstract = {目的应用低氧模拟剂去铁胺(desferrioxamine,DFO)模拟组织缺氧环境,观察其是否能促进BMSCs在大鼠随意皮瓣中的归巢和血管新生。方法分离、培养荧光素酶转基因Lewis大鼠的BMSCs和成纤维细胞(fibroblast,FB)。选用4周龄Lewis雄性大鼠40只,在其背部形成10 cm×3 cm大小矩形皮瓣,然后随机分成4组,每组10只:A组于大鼠球后静脉丛注射200μL PBS;B、C组同上法分别注射浓度为1×10~6个/mL的FB和BMSCs 200μL;D组同C组方法注射BMSCs后,腹腔注射DFO[100 mg/(kg·d)],连续7 d。术后7 d,观察各组大鼠皮瓣成活情况并计算皮瓣成活率,采用激光散斑血流成像仪检测皮瓣血流情况;术后30 min及1、4、7、14 d采用生物发光成像检测移植细胞在大鼠体内分布情况;术后7 d行CD31免疫荧光染色计算毛细血管密度,免疫荧光检测基质细胞衍生因子1(stromal cell derived factor 1,SDF-1)、EGF、FGF及Ki67的表达情况;利用荧光素酶抗体标记移植的BMSCs,免疫荧光染色观察其是否参与损伤组织修复。结果术后7 d各组缺血皮瓣坏死边界已明确,C、D组皮瓣成活率明显高于A、B组,D组高于C组(P<0.05)。激光散斑血流成像仪检测示,C、D组皮瓣血流值显著高于A、B组,D组高于C组(P<0.05)。生物发光成像示BMSCs随时间变化逐渐向缺血缺氧区迁移,最终分布到缺血组织中;术后14 d D组的光子信号明显强于其他组(P<0.05)。CD31免疫荧光染色示,C、D组毛细血管密度显著高于A、B组,D组高于C组(P<0.05)。C、D组SDF-1、EGF、FGF及Ki67的表达明显强于A、B组,D组强于C组。术后7 d移植的荧光素酶标记BMSCs表达于组织的动脉弹力层、毛细血管处和毛囊处。结论 DFO可以加速BMSCs向随意皮瓣缺氧区域的迁移归巢,加速BMSCs在缺血组织中的分化,同时促进缺血组织血管新生。}, 135 | ISBN = {1002-1892}, 136 | ISSN = {1002-1892}, 137 | notes = {51-1372/R}, 138 | databaseprovider = {CNKI}, 139 | } 140 | 141 | @Article{jiyugonggongxingzhenglinian, 142 | author = {谢昕 and 王小增}, 143 | title = {基于公共行政理念的政府公共关系发展历程探析}, 144 | journal = {湖北社会科学}, 145 | year = {2005}, 146 | authoraddress = {中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074,湖北武汉430074}, 147 | issue = {09}, 148 | pages = {14-16}, 149 | keywords = {政府公共关系;;公共行政;;发展历程;;理念}, 150 | abstract = {在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。}, 151 | ISBN = {1003-8477}, 152 | ISSN = {1003-8477}, 153 | notes = {42-1112/C}, 154 | databaseprovider = {CNKI}, 155 | } 156 | 157 | @Article{shouyizhongyaofufang, 158 | author = {周岷江 and 王天益 and 李英伦}, 159 | title = {兽医中药复方药物动力学研究方法及展望}, 160 | journal = {四川畜牧兽医}, 161 | year = {2002}, 162 | authoraddress = {四川农业大学动物科技学院,四川农业大学动物科技学院,四川农业大学动物科技学院 四川雅安625014,四川雅安625014,四川雅安625014}, 163 | issue = {S1}, 164 | pages = {92-94}, 165 | keywords = {兽医中药复方;;药物动力学;;研究方法;;展望}, 166 | abstract = {本文概述了兽医中药复方药物代谢动力学的研究方法,对今后兽医中药复方药物代谢动力学的研究与发展进行了展望。}, 167 | ISBN = {1001-8964}, 168 | ISSN = {1001-8964}, 169 | notes = {51-1181/S}, 170 | databaseprovider = {CNKI}, 171 | } 172 | 173 | @Article{zhongyaoguijingyanjiu, 174 | author = {穆仙丽 and 赵宗江 and 魏晨}, 175 | title = {中药归经研究述评}, 176 | journal = {内蒙古中医药}, 177 | year = {2002}, 178 | authoraddress = {内蒙古福瑞制药有限责任公司,北京中医药大学,北京中医药大学 012000,100029,100029}, 179 | issue = {06}, 180 | pages = {43-46}, 181 | keywords = {中药;;归经;;理论研究;;实验研究}, 182 | abstract = {通过归纳中药归经理论研究及实验研究的各种方法 ,分析其优越性和局限性 ,总结出中药归经在理论研究方面既要整理古代文献 ,还应整理归经实验及临床研究方面的现代文献 ;实验研究应该利用高科技手段 ,从系统的药效学研究入手 ,进行深入、系统地研究 ,形成现代中药归经理论}, 183 | ISBN = {1006-0979}, 184 | ISSN = {1006-0979}, 185 | notes = {15-1101/R}, 186 | databaseprovider = {CNKI}, 187 | } 188 | 189 | -------------------------------------------------------------------------------- /tests/assets/title/withLineBreakInAddress.bib: -------------------------------------------------------------------------------- 1 | @Article{jiyugonggongxingzhenglinian, 2 | author = {谢昕 and 王小增}, 3 | title = {基于公共行政理念的政府公共关系发展历程探析}, 4 | journal = {湖北社会科学}, 5 | year = {2005}, 6 | authoraddress = {中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074,湖北武汉430074}, 7 | issue = {09}, 8 | pages = {14-16}, 9 | keywords = {政府公共关系;;公共行政;;发展历程;;理念}, 10 | abstract = {在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。}, 11 | ISBN = {1003-8477}, 12 | ISSN = {1003-8477}, 13 | notes = {42-1112/C}, 14 | databaseprovider = {CNKI}, 15 | } 16 | 17 | -------------------------------------------------------------------------------- /tests/assets/withLineBreakInAddress.net: -------------------------------------------------------------------------------- 1 | {Reference Type}: Journal Article 2 | {Title}: 基于公共行政理念的政府公共关系发展历程探析 3 | {Author}: 谢昕,王小增 4 | {Author Address}: 中国地质大学政法学院,中国地质大学政法学院 湖北武汉430074 5 | ,湖北武汉430074 6 | {Journal}: 湖北社会科学 7 | {Year}: 2005 8 | {Issue}: 09 9 | {Pages}: 14-16 10 | {Keywords}: 政府公共关系;;公共行政;;发展历程;;理念 11 | {Abstract}: 在公共行政的历史长河中,政府公共关系是一个新生的事物,它伴随着公共行政的发展而发展,经历了传统公共行政阶段、正统公共行政阶段、新公共行政阶段和新公共管理阶段。改革开放20多年来,我国政府公关的意识已经初步确立并日益得到强化,将来会得到更快的发展。 12 | {ISBN/ISSN}: 1003-8477 13 | {Notes}: 42-1112/C 14 | {Database Provider}: CNKI 15 | 16 | 17 | -------------------------------------------------------------------------------- /tests/test.py: -------------------------------------------------------------------------------- 1 | import glob 2 | from cnki2bibtex.cnki2bib import get_bib_file_content_string 3 | from cnki2bibtex.misc.configure import set_id_format 4 | import os 5 | import unittest 6 | 7 | 8 | class IntegrationTest(unittest.TestCase): 9 | all_net = glob.glob("./tests/assets/*.net") 10 | 11 | def _test_bib_net_pair(self, bib, net): 12 | self.max_diff = 1000000 13 | with open(bib, "r", encoding="utf-8") as b,\ 14 | open(net, "r", encoding="utf-8") as n: 15 | self.assertEqual(b.read(), 16 | get_bib_file_content_string(n.read())) 17 | 18 | def _test_format(self, format_): 19 | set_id_format(format_) 20 | for net in self.all_net: 21 | dir_, file_ = os.path.split(net) 22 | bib_dir = os.path.join(dir_, format_) 23 | bib_file = os.path.splitext(file_)[0] + ".bib" 24 | self._test_bib_net_pair( 25 | os.path.join(bib_dir, bib_file), 26 | net 27 | ) 28 | 29 | def test_nameyear(self): 30 | self._test_format("nameyear") 31 | 32 | def test_title(self): 33 | self._test_format("title") 34 | --------------------------------------------------------------------------------