diff --git a/Journal/Paper_learning.md b/Journal/Paper_learning.md index 56b483d..335f436 100644 --- a/Journal/Paper_learning.md +++ b/Journal/Paper_learning.md @@ -1,3 +1,11 @@ -# 1.导师论文阅读 -## 1.硕士论文阅读 -1. 导师:朱华 \ No newline at end of file +# 1.文献综述怎么写 +1. 根据论文想出5个关键字,依次输入谷歌学术 +2. 准备2个参考文献文件夹,一个文件名为useful,另一个为maybe useful +3. 浏览搜索到的文献的标题,看到和自己研究方向相关的题目就点进去,快速阅读文献,主要看`Abstract, Introduction, Conclusion`这三个部分 +4. 把觉得和自己论文主题相关度高的,放进useful文件夹,如果看完觉得`有那么点关系但是又舍不得pass的文献,就放进maybe useful文件夹` +5. 两个文件夹各自存满20篇文献,从useful文件夹开始,一篇一篇精读这些文献。精读的时候划重点,做笔记,摘录提取`bullet points` +6. 精读的过程会重复几遍,每读一遍都会获得新的信息,慢慢关注下methodology,在阅读的过程中形成自己文章的论证方式,为你的reseach method部分做准备,如果是实证论文,可以想下自己模型的雏形。 +7. 读第2,3遍的时候,打开word,开始一边读一边记录要写进文献综述的部分,要用自己的话重复,写进去的时候用记得标注citation(作者+年份) +8. 将所有的文献进行*整理引用*,把*同一小主题的贴在同一段中,也可以加上小标题*,使自己的文章更有逻辑,条理更清晰 +9. 尽量找出不同论文中存在矛盾冲突的点,凸显出学术思维碰撞的火花,比如说*某些大佬实证得到的2个变量是正相关的,而其他大佬是负相关,还有一些人认为根本不相关,学会用`however,on the contrary, in contrast`等等这些连接词 +10. 索引去看文献引用的文献(文献爸爸)和文献被引用的文献(文献儿子),去看理论是如何发展的,在此过程中发现更多好文献,不断扩充自己的reference文献库 \ No newline at end of file diff --git a/cpp/Algorithm.md b/cpp/Algorithm.md index 5ccce75..6af0809 100644 --- a/cpp/Algorithm.md +++ b/cpp/Algorithm.md @@ -8701,4 +8701,120 @@ int main() rb.insert(24); rb.inOrder(); } +``` +# 12.五大经典算法 +## 12-1.回溯算法 +1. *思想*:在包含问题的所有的解空间树中,按照深度优先搜索策略,从根节点出发深度搜索解空间树。当搜索到某一个节点时,要先判断该节点是否包含问题的解,如果包含就从该节点出发继续深度搜索下去,否则逐层向上回溯。一般在搜索的过程中都会添加相应的剪枝函数,避免无效解的搜索,提高算法效率。 +2. *解空间*:解空间是所有解的可能取值构成的空间,一个解往往包含了这个解的每一步,往往就是对应解空间树中一条从根节点到叶子节点的路径。*子集树和排列树*都是一种解空间,他们不是真实存在的数据结构,也就是说并不是真有这样一颗树,只是抽象出的解空间树。 +3. *字集树和排列数* + 1. 整数选择问题 + 2. 2N整数选择问题 + 3. 0-1背包 + 4. 八皇后问题 + +### 12-1-1.回溯算法思想 +![回溯算法](../algorithm/../pictures/algorithm/Al-13五大算法-回溯算法-01.jpg) +1. 思想1 +```cpp +#include +using namespace std; + +void func(int arr[], int i, int length) +{ + if (i == length)//递归结束的条件 + { + for (int j = 0; j < length; j++) + { + cout << arr[j] << " "; + } + cout << endl; + }//若是没有结束的条件,则递归则会无限调用自己,然后overflowed + else + { + //递归调用2次 + func(arr, i + 1, length); + func(arr, i + 1, length); + /** + * @brief 注意: + * 1. func()若只掉用一次,那么就是一叉树,一共有0, 1, 2, 3这4层,调用:1^4 = 1 + * 2.若是 + func(arr, i + 1, length); + func(arr, i + 1, length); + 则是2叉树,所以,调用:2^4 = 8 + 3.若是 + func(arr, i + 1, length); + func(arr, i + 1, length); + func(arr, i + 1, length); + 则是3叉树,所以,调用:3^4 = 27次 + 4. 结束条件:执行到i == length语句的最后一句,然后往上回溯 + */ + } +} + +int main() +{ + int arr[] = {1, 2, 3}; + int length = sizeof(arr) / sizeof(arr[0]); + func(arr, 0, length); + /** + * @brief output: + [1 2 3 + 1 2 3 + 1 2 3 + 1 2 3 + 1 2 3 + 1 2 3 + 1 2 3 + 1 2 3] + */ +} +``` + +2. 思想2 +**如何打印出原始子集** +```cpp +#include +using namespace std; + +void func(int arr[], int i, int length, int x[]) +{ + if (i == length)//递归结束的条件 + { + for (int j = 0; j < length; j++) + { + if (x[j] == 1) + { + cout << arr[j] << " ";//1 2 3 + } + + } + cout << endl; + }//若是没有结束的条件,则递归则会无限调用自己,然后overflowed + else + { + x[i] = 1;//往左走表示选择这个节点 + func(arr, i + 1, length, x);//遍历i的左孩子 + + x[i] = 0;//往右走表示不选择这个节点 + func(arr, i + 1, length, x);//遍历i的右孩子 + } +} + +int main() +{ + int arr[] = {1, 2, 3};//1 2 3 12 13 23.... + int length = sizeof(arr) / sizeof(arr[0]); + int x[3] = {0};//辅助数组初始化为0 + func(arr, 0, length, x); + /** + * @brief output: + 1 2 3 + 1 2 + 1 3 + 1 + 2 3 + 2 + 3 + */ +} ``` \ No newline at end of file diff --git a/latex/.vscode/settings.json b/latex/.vscode/settings.json index 9aa8735..6032a66 100644 --- a/latex/.vscode/settings.json +++ b/latex/.vscode/settings.json @@ -1,68 +1,90 @@ { - // Latex configuration "latex-workshop.latex.recipes": [ { - "name": "xe->bib->xe->xe", - "tools": [ - "xelatex", - "bibtex", - "xelatex", - "xelatex" - ] - } - ], - "latex-workshop.latex.tools": [ - { - // 编译工具和命令 - "name": "xelatex", - "command": "xelatex", - "args": [ - "-synctex=1", - "-interaction=nonstopmode", - "-file-line-error", - // "-pdf", - "%DOCFILE%" - ] - }, - { - "name": "pdflatex", - "command": "pdflatex", - "args": [ - "-synctex=1", - "-interaction=nonstopmode", - "-file-line-error", - "%DOCFILE%" - ] - }, - { - "name": "bibtex", - "command": "bibtex", - "args": [ - "%DOCFILE%" - ] - } - ], - "latex-workshop.view.pdf.viewer": "tab", - "latex-workshop.latex.clean.fileTypes": [ - "*.aux", - "*.bbl", - "*.blg", - "*.idx", - "*.ind", - "*.lof", - "*.lot", - "*.out", - "*.toc", - "*.acn", - "*.acr", - "*.alg", - "*.glg", - "*.glo", - "*.gls", - "*.ist", - "*.fls", - "*.log", - "*.fdb_latexmk" + "name": "xelatex", + "tools": [ + "xelatex" + ] +}, +{ + "name": "latexmk", + "tools": [ + "latexmk" ] +}, +{ + "name": "xelatex -> bibtex -> xelatex*2", + "tools": [ + "xelatex", + "bibtex", + "xelatex", + "xelatex" + ] +} +], +"latex-workshop.latex.tools": [ + { +"name": "xelatex", +"command": "miktex-xelatex", +"args": [ + "-synctex=1", + "-interaction=nonstopmode", + "-file-line-error", + "%DOC%" +] +}, { + "name": "latexmk", +"command": "miktex-latexmk", +"args": [ + "-synctex=1", + "-interaction=nonstopmode", + "-file-line-error", + "-pdf", + "%DOC%" +] +}, { +"name": "pdflatex", +"command": "miktex-pdflatex", +"args": [ + "-synctex=1", + "-interaction=nonstopmode", + "-file-line-error", + "%DOC%" +] +}, { +"name": "bibtex", +"command": "miktex-bibtex", +"args": [ + "%DOCFILE%" +] +} +], + +//清除辅助文件 +"latex-workshop.latex.autoClean.run": "onBuilt", +"latex-workshop.latex.clean.fileTypes": [ +"*.aux", +"*.bbl", +"*.blg", +"*.idx", +"*.ind", +"*.lof", +"*.lot", +"*.out", +"*.toc", +"*.acn", +"*.acr", +"*.alg", +"*.glg", +"*.glo", +"*.gls", +"*.ist", +"*.fls", +"*.log", +"*.fdb_latexmk", +], + "latex-workshop.view.pdf.viewer": "tab", //用内置pdf阅读器查看 + +"latex-workshop.showContextMenu":true, //右键菜单 +} -} \ No newline at end of file diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/figur1.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/figur1.png new file mode 100644 index 0000000..98b2201 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/figur1.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/Screen Shot 2022-01-09 at 08.19.55.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/Screen Shot 2022-01-09 at 08.19.55.png new file mode 100644 index 0000000..bb9ad87 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/Screen Shot 2022-01-09 at 08.19.55.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur1.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur1.png new file mode 100644 index 0000000..98b2201 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur1.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur2.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur2.png new file mode 100644 index 0000000..0733d01 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/figur2.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar.png new file mode 100644 index 0000000..7f34602 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar1.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar1.png new file mode 100644 index 0000000..4917b48 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar1.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar2.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar2.png new file mode 100644 index 0000000..08869e1 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar2.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar3.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar3.png new file mode 100644 index 0000000..d4a478c Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar3.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar4.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar4.png new file mode 100644 index 0000000..6b6fb09 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar4.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar5.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar5.png new file mode 100644 index 0000000..99009d8 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar5.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar6.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar6.png new file mode 100644 index 0000000..da56a7e Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar6.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar7.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar7.png new file mode 100644 index 0000000..606362c Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar7.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar8.png b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar8.png new file mode 100644 index 0000000..7de02cc Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/gambar8.png differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/image-template.jpg b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/image-template.jpg new file mode 100644 index 0000000..f7daa0c Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/images/image-template.jpg differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.pdf b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.pdf new file mode 100644 index 0000000..1110da5 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.pdf differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.synctex.gz b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.synctex.gz new file mode 100644 index 0000000..b2d6e11 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.synctex.gz differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.tex b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.tex new file mode 100644 index 0000000..5fda9af --- /dev/null +++ b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main.tex @@ -0,0 +1,240 @@ +\documentclass{article} +\usepackage[a4paper, portrait, margin=1.1811in]{geometry} +\usepackage[english]{babel} +\usepackage[utf8]{inputenc} +\usepackage[T1]{fontenc} +\usepackage{helvet} +\usepackage{etoolbox} +\usepackage{graphicx} +\usepackage{titlesec} +\usepackage{caption} +\usepackage{booktabs} +\usepackage{xcolor} +\usepackage[colorlinks, citecolor=cyan]{hyperref} +\usepackage{caption} +\captionsetup[figure]{name=Figure} +\graphicspath{ {./images/} } +\usepackage{scrextend} +\usepackage{fancyhdr} +\usepackage{graphicx} +\newcounter{lemma} +\newtheorem{lemma}{Lemma} +\newcounter{theorem} +\newtheorem{theorem}{Theorem} + +\fancypagestyle{plain}{ + \fancyhf{} + \renewcommand{\headrulewidth}{0pt} + \renewcommand{\familydefault}{\sfdefault} + + \lhead{\color{cyan}\small \textbf{KOMPUTASI: JURNAL ILMIAH ILMU KOMPUTER DAN MATEMATIKA}\\ \color{black} + \textit{Vol. XX (X) (XXXX), XX-XX, p-ISSN: 693-7554, e-ISSN:2654-3990}\\ } + %\rhead{p-ISSN: 693-7554 \\ e-ISSN:2654-3990} + %\rfoot{\thepage} --> Show the page number + +} + +%\pagestyle{plain} +\makeatletter +\patchcmd{\@maketitle}{\LARGE \@title}{\fontsize{16}{19.2}\selectfont\@title}{}{} +\makeatother + +\usepackage{authblk} +\renewcommand\Authfont{\fontsize{10}{10.8}\selectfont} +\renewcommand\Affilfont{\fontsize{10}{10.8}\selectfont} +\renewcommand*{\Authsep}{, } +\renewcommand*{\Authand}{, } +\renewcommand*{\Authands}{, } +\setlength{\affilsep}{2em} +\newsavebox\affbox +\author[1]{\textbf{Fisrt author}} +\author[2]{\textbf{Second author}} +\author[3]{\textbf{Third author}} +\author[4*]{\textbf{Fourth author}} +\affil[1,2]{ Study Program, Faculty, University + Bogor, West Java, 16143, Indonesia +} +\affil[3]{ Department of Computer Science, Faculty of Mathematics and Natural Science, Pakuan University, + Bogor, West Java, 16143, Indonesia +} +\affil[4]{ Department of Mathematical Sciences, Faculty of Science, + Universiti Teknologi Malaysia, + 81310 Johor Bahru, + Johor, Malaysia +} + +\titlespacing\section{0pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} +\titlespacing\subsection{12pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} +\titlespacing\subsubsection{12pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} + + +\titleformat{\section}{\normalfont\fontsize{10}{15}\bfseries}{\thesection.}{1em}{} +\titleformat{\subsection}{\normalfont\fontsize{10}{15}\bfseries}{\thesubsection.}{1em}{} +\titleformat{\subsubsection}{\normalfont\fontsize{10}{15}\bfseries}{\thesubsubsection.}{1em}{} + +\titleformat{\author}{\normalfont\fontsize{10}{15}\bfseries}{\thesection}{1em}{} + +\title{\textbf{\huge Title of the Manuscript}\\ + (Center, Bold, Times New Roman 14, maximum 15 words in english)} +\date{} + +\begin{document} + +\pagestyle{headings} +\newpage +\setcounter{page}{1} +\renewcommand{\thepage}{\arabic{page}} + + + +\captionsetup[figure]{labelfont={bf},labelformat={default},labelsep=period,name={Figure }} \captionsetup[table]{labelfont={bf},labelformat={default},labelsep=period,name={Table }} +\setlength{\parskip}{0.5em} + +\maketitle + +\noindent\rule{15cm}{0.5pt} + \begin{abstract} + \textbf{Abstract }consists of objectives, methods, findings, and research contributions in 150 to 250 words which contains the main conclusions and provides important information and is accompanied by \textbf{5 keywords}. Furthermore, the determination of keywords needs to pay attention to important words contained in the title and abstract, separated by a semicolon. \textbf{The novelty} in this paper briefly explains why no one else has adequately researched the question. Then \textbf{the results} are made a list of the empirical findings and write the discussion in one or two sentences. \\ \\ + \let\thefootnote\relax\footnotetext{ + \small $^{*}$\textbf{Corresponding author.} \textit{ + \textit{E-mail address: \color{cyan}author4@email.com}}\\ + \color{black} Received: xx xxxxx 20xx,\quad + Accepted: xx xxxxx 20xx and available online XX July 2022 \\ + \color{cyan} https://doi.org/10.1016/j.compeleceng.2021.107553 + + } + \textbf{\textit{Keywords}}: \textit{Keyword 1; keyword 2; keyword 3; keyword 4; keyword 5} + \end{abstract} +\noindent\rule{15cm}{0.4pt} + +\section{Introduction (10pt, bold)} +The introduction is about 400-600 words and provides background information, previous references related to the main topic, reason, purpose of the research, and the novelty of the research. Content should be relatively non-technical, but clear enough for a knowledgeable reader to understand the manuscript’s contribution. Explain what the purpose of the research is and why the research was conducted the main body of the article should begin with an introduction, which provides further details on the purpose of the paper, motivation, research methods, and findings. For citations use numbering which must be used for reference titles, for example, citations for journals consisting of 1 article \cite{Septiawan1} or two articles \cite{Septiawan2}, \cite{Lucy}, while for writing citations of more than two articles \cite{Gingold} - \cite{Morikawa}. + +In writing a bibliography using the IEEE style, the conditions are numbered, as follows: \cite{Septiawan1}, in order from the first citation to the last. References with IEEE style use a numeric number placed in a square box for the reference taken and put it at the end of the sentence. The numeric numbers located in the square box are made the same as the bibliography on the final page of the scientific paper. + +\section{Methods (10pt, bold)} +The methods section describes the steps followed in the execution of the study and also provides a brief justification for the research methods used. A chronological explanation of the research, including research design, research procedures (in the form of algorithms, codes, or others), how the procedures are to obtain and test data \cite{Lo} - \cite{Hang}. The description of the research has been supported by references, so that the implementation can be accepted scientifically [6]. Figure are presented in the center, as shown below and are cited in the manuscript. An example of a membership function graph can be seen in Figure \ref{table1}. + +\begin{figure}[h] + \centering + \includegraphics[width=0.5\textwidth]{images/figur1.PNG} + \caption{Font 10pt and center not bold for captions except for the words "Figure"} + \label{fig1} +\end{figure} + +Each image (photos, graphs, and diagrams) in the article must be accompanied by a caption/image title and sequential image numbers, written below the image in the middle position. Images must be directly relevant to the article and are always referenced in the article referred to as Figur \ref{table1}, where the capital letters are capitalized. + +\subsection{Table (10pt, bold)} +Writing tables are numbered followed by the title of the table above the table, centered, 1 spaced with a short and precise title. Consider the example in Table \ref{table1} +\begin{table}[h] + \centering + \caption{Font 10pt and center not bold for captions except for the words "Table"} + \label{table1} + \begin{tabular}{@{}cccc@{}} + \toprule + \textbf{Characteristics}& \textbf{Description }& \textbf{Frequency }& \textbf{Percentage} \\ + \midrule + Gender & Male & 198 & 80.2\% \\ + & Female & 49 & 19.8\% \\ + Entry & 2018 & 54 & 21.9\% \\ + & 2019 & 64 & 25.9\% \\ + & 2020 & 59 & 23.9\% \\ + & 2021 & 70 & 28.3\% \\ + MBKM & Yes & 217 & 87.9\% \\ + & No & 30 & 12.1\% \\ + & Total & 247 & 100\% \\ + \bottomrule + \end{tabular} +\end{table} + + +\subsection{Figure (10pt, bold)} +Image writing techniques in scientific papers must also be symmetrical in the middle. So the settings are not aligned right or left, but in the center. This helps tidy up the position of the image or photo so that it appears side by side well with the description text as in Figure \ref{fig2}. + +\begin{figure}[h] + \centering + \includegraphics[width=0.5\textwidth]{images/figur2.PNG} + \caption{Font 10pt and center not bold for captions except for the words "Figure" } + \label{fig2} +\end{figure} + + +\section{Result and Discussion (10pt, bold)} +The results obtained are data or facts obtained from research. Important data or facts that cannot be clearly narrated can be displayed in the form of tables or pictures or other illustrations. If the results are presented in the form of tables or figures, they do not need to be described at length. The discussion is a review of the results, explaining the meaning of the research results, conformity with the results or previous research, the role of the results in solving the problems mentioned in the introduction, and the possibility. + +This section is the most important part of your article. The following are things that you must pay attention to in writing the results and the research results must be clear and concise, the data presented has been processed (not raw data), set forth in the form of narratives, tables or pictures, and given easy-to-understand explanations. It is important to highlight differences between your results or findings and those of previous publications by other researchers. It is important to be compared with related references. +\subsection{Equation (10pt, bold)} +Mathematical equations must be numbered sequentially and starting with (1) until the end of the paper including the appendix. This numbering must begin and end with an opening and closing parenthesis and right align. Add one blank space above and below the Eq. \ref{Eq1}. +\begin{eqnarray} + \chi(L(\Gamma); \lambda)=(\lambda+2)^{m-n}\chi(\Gamma;\lambda+2-k) + \label{Eq1} +\end{eqnarray} +For example, from Eq. \ref{Eq2} it is derived again the next mathematical equation +\begin{eqnarray} + \chi(L(\Gamma); \lambda)=\det (\lambda I_{m}-A_{L}) + \label{Eq2} +\end{eqnarray} +Or there is the next mathematical Eq. \ref{Eq3} as below +\begin{eqnarray} +\det(D_{0}D_{0}^{t})=\sum_{|U|=n-1} \det(D_{U})\det(D_{U}^{t}) + \label{Eq3} +\end{eqnarray} +\subsection{Therema (10pt, bold)} +The schema for writing definitions, theorems, lemmas, and proofs conforms to and follows the template below. + +\begin{theorem} + Theorem is a statement about mathematics that still requires proof and the statement can be shown to have a truth value or is also true. +\end{theorem} + +\subsubsection{Lemma (10pt, bold)} +\begin{lemma} + An entry is a word or phrase entered in the dictionary beyond the definition given in the entry +\end{lemma} + +\section{Conclusion (10pt, bold)} +The author presents brief conclusions from the results of research with suggestions for advanced researchers or general readers. A conclusion may review the main points of the paper, do not replicate the abstract as the conclusion. Conclusions must identify the results obtained in a clear and unambiguous manner, the author should provide the answer to the question: is this a problem with error, method, validity, and or otherwise? + +\section{Acknowledgement (if any)} +Contains an acknowledgment of thanks to an agency if this research was funded or supported by that agency, or if there were parties who significantly assisted directly in the research or writing of this article. If the party is already listed as the author, then there is no need to mention it again in this Acknowledgment +\bibliographystyle{IEEEtran} + +%\bibliography{template} %-->reference list is on the template.bib file +\begin{thebibliography}{1.7} + \bibitem[1]{Septiawan1} \color{cyan}R. R. Septiawan, “An ODE control system of a rigid body on an ocean wave for a surfer simulation in the SPH method,” \textit{The Science Reports of Kanazawa University}, vol. 62, pp. 51–68, 2018. [Online]. Available: http://scirep.w3.kanazawa-u.ac.jp/articles/62-004.pdf. \color{black} + \bibitem[2]{Septiawan2} \color{cyan}R. R. Septiawan, S. Viridi, and Suprijadi, “The Effect of Particle Size Ratio on Porosity of a Particles Deposition Process,” \textit{Key Engineering Materials,} vol. 675–676, pp. 647–650, 2016. [Online]. Available: https://www.scientific.net/KEM.675-676.647. \color{black} + \bibitem[3]{Lucy} \color{cyan}L. B. Lucy, “A numerical approach to the testing of the fission hypothesis,” \textit{The astronomical journal}, vol. 82, pp. 1013–1024, 1977. \color{black} + \bibitem[4]{Gingold} \color{cyan}R. A. Gingold and J. J. Monaghan, “Smoothed particle hydrodynamics: theory and application to non-spherical stars,” \textit{Monthly Notices of the Royal Astronomical Society}, vol. 181, no. 3, pp. 375–389, 1977. [Online]. Available: https://academic.oup.com/mnras/article/181/3/375/988212. \color{black} + \bibitem[5]{Supriadi} \color{cyan}Suprijadi, F. Faizal, and R. R. Septiawan, “Computational Study on Melting Process Using Smoothed Particle Hydrodynamics,” Journal of Modern Physics, vol. 05, no. 03, pp. 112–116, 2014. [Online]. Available: https://www.scirp.org/pdf/JMP2014022411463120.pdf.\color{black} + \bibitem[6]{Septiawan3} \color{cyan}R. R. Septiawan, H. Abdillah, Novitrian, and Suprijadi, “Preliminary Study on Liquid Natural Convection by Temperature Differences,” 2015. [Online]. Available: https://www.atlantis-press.com/proceedings/icaet-14/16166.\color{black} + \bibitem[7]{Morikawa}\color{cyan}D. Morikawa, M. Asai, N. Idris, Y. Imoto, and M. Isshiki, “Improvements in highly viscous fluid simulation using a fully implicit SPH method,” \textit{Computational Particle Mechanics}, vol. 6, no. 4, pp. 529–544, 2019. [Online]. Available: https://link.springer.com/article/10.1007/s40571-019-00231-6.\color{black} + \bibitem[8]{Lo} \color{cyan}E. Y.M. Lo and S. Shao, “Simulation of near-shore solitary wave mechanics by an incompressible SPH method,” \textit{Applied Ocean Research}, vol. 24, no. 5, pp. 275–286, 2002. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0141118703000026.\color{black} + \bibitem[9]{Dalrymple} \color{cyan}R. A. Dalrymple and B. D. Rogers, “Numerical modeling of water waves with the SPH method,” Coastal Engineering, vol. 53, no. 2–3, pp. 141–147, 2006. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0378383905001304.\color{black} + \bibitem[10]{Yan} \color{cyan}X. Yan, Y.-T. Jiang, C.-F. Li, R. R. Martin, and S.-M. Hu, “Multiphase SPH simulation for interactive fluids and solids,” ACM Transactions on Graphics, vol. 35, no. 4, pp. 1–11, 2016. [Online]. Available: https://dl.acm.org/doi/10.1145/2897824.2925897.\color{black} + \bibitem[11]{Antocy} \color{cyan}C. Antoci, M. Gallati, and S. Sibilla, “Numerical simulation of fluid–structure interaction by SPH,” Computers and Structures, vol. 85, no. 11–14, pp. 879–890, 2007. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0045794907000132.\color{black} + \bibitem[12]{Monaghan1} \color{cyan}J. J. Monaghan, A. Kos, and N. Issa, “Fluid Motion Generated by Impact,” Journal of Waterway, Port, Coastal, and Ocean Engineering, vol. 129, no. 6, pp. 250–259, 2003. [Online]. Available: https://ascelibrary.org/doi/10.1061/\%28ASCE\%290733-950X\%282003\%29129\%3A6\%28250\%29.\color{black} + \bibitem[13]{Akinci} \color{cyan}N. Akinci, M. Ihmsen, G. Akinci, B. Solenthaler, and M. Teschner, “Versatile rigid-fluid coupling for incompressible SPH,” ACM \textit{Transactions on Graphics}, vol. 31, no. 4, pp. 1–8, 2012. [Online]. Available: https://dl.acm.org/doi/10.1145/2185520.2185558. \color{black} + \bibitem[14]{Liu} \color{cyan}G. R. Liu and M. B. Liu, \textit{Smoothed Particle Hydrodynamics}. Singapore: World Scientific Publishing Co Pte Ltd, 2003. doi: 10.1142/5340. \color{black} + \bibitem[15]{John} \color{cyan}John F. Wendt, \textit{Computational Fluid Dynamics}. Berlin, Heidelberg: Springer Berlin Heidelberg, 2009. doi: 10.1007/978-3-540-85056-4.\color{black} + \bibitem[16]{Lattanzio} \color{cyan}J. J. Monaghan and J. C. Lattanzio, “A refined particle method for astrophysical problems,” \textit{Astron Astrophys}, vol. 149, pp. 135–143, 1985.\color{black} + \bibitem[17]{Batchelor}\color{cyan}G. K. Batchelor, \textit{An Introduction to Fluid Dynamics.} Cambridge: Cambridge University Press, 2000. doi: 10.1017/CBO9780511800955.\color{black} + \bibitem[18]{Monaghan2} \color{cyan}J. J. Monaghan, “Simulating Free Surface Flows with SPH,” \textit{Journal of Computational Physics}, vol. 110, no. 2, pp. 399–406, 1994. [Online]. Available: https://www.sciencedirect.com/science/article/pii/S0021999184710345.\color{black} + \bibitem[19]{Managhan3} \color{cyan}J. J. Monaghan, “Smoothed particle hydrodynamics,” \textit{Reports on Progress in Physics}, vol. 68, no. 8, pp. 1703–1759, 2005. [Online]. Available: https://iopscience.iop.org/article/10.1088/0034-4885/68/8/R01.\color{black} + \bibitem[20]{Rao} \color{cyan}A. Rao, Dynamics of Particles and Rigid Bodies. Cambridge: Cambridge University Press, 2005. doi: 10.1017/CBO9780511805455.\color{black} + \bibitem[21]{Ogata1} \color{cyan}K. Ogata, \textit{Discrete-Time Control Systems (2nd Ed.)}. USA: Prentice-Hall, Inc., 1995.\color{black} + \bibitem[22]{Ogata2} \color{cyan}K. Ogata, \textit{Modern Control Engineering,} 5th ed. Pearson, 2009.\color{black} + \bibitem[23]{Hang} \color{cyan}J.-X. Xu, C.-C. Hang, and C. Liu, “Parallel structure and tuning of a fuzzy PID controller,” Automatica, vol. 36, no. 5, pp. 673–684, 2000. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0005109899001922.\color{black} + +\end{thebibliography} +\textbf{Reference list format}\\ +The reference list format is based on the IEEE and should appear at the end of the article, covering only the literature actually cited in the manuscript. Authors should use reference management tools such as Mendeley, End Note and Grammarly. Reference writing rules: +\begin{itemize} + \item References used within the last 10 years. + \item Using the numbering that should be used for the reference title. + \item Last name and year must be used for each reference citation. + \item All references must be cited in the paper. + \item Journal and conference names should be italicized. + \item The title of the book must be italicized. +\end{itemize} +. + +\end{document} \ No newline at end of file diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.pdf b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.pdf new file mode 100644 index 0000000..c126d82 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.pdf differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.synctex.gz b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.synctex.gz new file mode 100644 index 0000000..6b1e1f8 Binary files /dev/null and b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.synctex.gz differ diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.tex b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.tex new file mode 100644 index 0000000..6b491ea --- /dev/null +++ b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/main02.tex @@ -0,0 +1,240 @@ +\documentclass{article} +\usepackage[a4paper, portrait, margin=1.1811in]{geometry} +\usepackage[english]{babel} +\usepackage[utf8]{inputenc} +\usepackage[T1]{fontenc} +\usepackage{helvet} +\usepackage{aliascnt} +\usepackage{etoolbox} +\usepackage{graphicx} +\usepackage{titlesec} +\usepackage{caption} +\usepackage{booktabs} +\usepackage{xcolor} +\usepackage[colorlinks, citecolor=cyan]{hyperref} +\usepackage{caption} +\captionsetup[figure]{name=Figure} +\graphicspath{ {./images/} } +\usepackage{scrextend} +\usepackage{fancyhdr} +\usepackage{graphicx} +\newcounter{lemma} +\newtheorem{lemma}{Lemma} +\newcounter{theorem} +\newtheorem{theorem}{Theorem} + +\fancypagestyle{plain}{ + \fancyhf{} + \renewcommand{\headrulewidth}{0pt} + \renewcommand{\familydefault}{\sfdefault} + + \lhead{\color{cyan}\small \textbf{KOMPUTASI: JURNAL ILMIAH ILMU KOMPUTER DAN MATEMATIKA}\\ \color{black} + \textit{Vol. XX (X) (XXXX), XX-XX, p-ISSN: 693-7554, e-ISSN:2654-3990}\\ } + %\rhead{p-ISSN: 693-7554 \\ e-ISSN:2654-3990} + %\rfoot{\thepage} --> Show the page number + +} + +%\pagestyle{plain} +\makeatletter +\patchcmd{\@maketitle}{\LARGE \@title}{\fontsize{16}{19.2}\selectfont\@title}{}{} +\makeatother + +\usepackage{authblk} +\renewcommand\Authfont{\fontsize{10}{10.8}\selectfont} +\renewcommand\Affilfont{\fontsize{10}{10.8}\selectfont} +\renewcommand*{\Authsep}{, } +\renewcommand*{\Authand}{, } +\renewcommand*{\Authands}{, } +\setlength{\affilsep}{2em} +\newsavebox\affbox +\author[1]{\textbf{Fisrt author}} +\author[2]{\textbf{Second author}} +\author[3]{\textbf{Third author}} +\author[4*]{\textbf{Fourth author}} +\affil[1,2]{ Study Program, Faculty, University + Bogor, West Java, 16143, Indonesia +} +\affil[3]{ Department of Computer Science, Faculty of Mathematics and Natural Science, Pakuan University, + Bogor, West Java, 16143, Indonesia +} +\affil[4]{ Department of Mathematical Sciences, Faculty of Science, + Universiti Teknologi Malaysia, + 81310 Johor Bahru, + Johor, Malaysia +} + +\titlespacing\section{0pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} +\titlespacing\subsection{12pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} +\titlespacing\subsubsection{12pt}{12pt plus 4pt minus 2pt}{0pt plus 2pt minus 2pt} + + +\titleformat{\section}{\normalfont\fontsize{10}{15}\bfseries}{\thesection.}{1em}{} +\titleformat{\subsection}{\normalfont\fontsize{10}{15}\bfseries}{\thesubsection.}{1em}{} +\titleformat{\subsubsection}{\normalfont\fontsize{10}{15}\bfseries}{\thesubsubsection.}{1em}{} + +\titleformat{\author}{\normalfont\fontsize{10}{15}\bfseries}{\thesection}{1em}{} + +\title{\textbf{\huge Title of the Manuscript}\\ + (Center, Bold, Times New Roman 14, maximum 15 words in english)} +\date{} + +\begin{document} + +\pagestyle{headings} +\newpage +\setcounter{page}{1} +\renewcommand{\thepage}{\arabic{page}} + + + +\captionsetup[figure]{labelfont={bf},labelformat={default},labelsep=period,name={Figure }} \captionsetup[table]{labelfont={bf},labelformat={default},labelsep=period,name={Table }} +\setlength{\parskip}{0.5em} + +\maketitle + +\noindent\rule{15cm}{0.5pt} + \begin{abstract} + \textbf{Abstract }consists of objectives, methods, findings, and research contributions in 150 to 250 words which contains the main conclusions and provides important information and is accompanied by \textbf{5 keywords}. Furthermore, the determination of keywords needs to pay attention to important words contained in the title and abstract, separated by a semicolon. \textbf{The novelty} in this paper briefly explains why no one else has adequately researched the question. Then \textbf{the results} are made a list of the empirical findings and write the discussion in one or two sentences. \\ \\ + \let\thefootnote\relax\footnotetext{ + \small $^{*}$\textbf{Corresponding author.} \textit{ + \textit{E-mail address: \color{cyan}author4@email.com}}\\ + \color{black} Received: xx xxxxx 20xx,\quad + Accepted: xx xxxxx 20xx and available online XX July 2022 \\ + \color{cyan} https://doi.org/10.1016/j.compeleceng.2021.107553 + + } + \textbf{\textit{Keywords}}: \textit{Keyword 1; keyword 2; keyword 3; keyword 4; keyword 5} + \end{abstract} +\noindent\rule{15cm}{0.4pt} + +\section{Introduction (10pt, bold)} +The introduction is about 400-600 words and provides background information, previous references related to the main topic, reason, purpose of the research, and the novelty of the research. Content should be relatively non-technical, but clear enough for a knowledgeable reader to understand the manuscript’s contribution. Explain what the purpose of the research is and why the research was conducted the main body of the article should begin with an introduction, which provides further details on the purpose of the paper, motivation, research methods, and findings. For citations use numbering which must be used for reference titles, for example, citations for journals consisting of 1 article \cite{Septiawan1} or two articles \cite{Septiawan2}, \cite{Lucy}, while for writing citations of more than two articles \cite{Gingold} - \cite{Morikawa}. + +In writing a bibliography using the IEEE style, the conditions are numbered, as follows: \cite{Septiawan1}, in order from the first citation to the last. References with IEEE style use a numeric number placed in a square box for the reference taken and put it at the end of the sentence. The numeric numbers located in the square box are made the same as the bibliography on the final page of the scientific paper. + +\section{Methods (10pt, bold)} +The methods section describes the steps followed in the execution of the study and also provides a brief justification for the research methods used. A chronological explanation of the research, including research design, research procedures (in the form of algorithms, codes, or others), how the procedures are to obtain and test data \cite{Lo} - \cite{Hang}. The description of the research has been supported by references, so that the implementation can be accepted scientifically [6]. Figure are presented in the center, as shown below and are cited in the manuscript. An example of a membership function graph can be seen in Figure \ref{table1}. + +\begin{figure}[h] + \centering + \includegraphics[width=0.5\textwidth]{images/figur1.PNG} + \caption{Font 10pt and center not bold for captions except for the words "Figure"} + \label{fig1} +\end{figure} + +Each image (photos, graphs, and diagrams) in the article must be accompanied by a caption/image title and sequential image numbers, written below the image in the middle position. Images must be directly relevant to the article and are always referenced in the article referred to as Figur \ref{table1}, where the capital letters are capitalized. + +\subsection{Table (10pt, bold)} +Writing tables are numbered followed by the title of the table above the table, centered, 1 spaced with a short and precise title. Consider the example in Table \ref{table1} +\begin{table}[h] + \centering + \caption{Font 10pt and center not bold for captions except for the words "Table"} + \label{table1} + \begin{tabular}{@{}cccc@{}} + \toprule + \textbf{Characteristics}& \textbf{Description }& \textbf{Frequency }& \textbf{Percentage} \\ + \midrule + Gender & Male & 198 & 80.2\% \\ + & Female & 49 & 19.8\% \\ + Entry & 2018 & 54 & 21.9\% \\ + & 2019 & 64 & 25.9\% \\ + & 2020 & 59 & 23.9\% \\ + & 2021 & 70 & 28.3\% \\ + MBKM & Yes & 217 & 87.9\% \\ + & No & 30 & 12.1\% \\ + & Total & 247 & 100\% \\ + \bottomrule + \end{tabular} +\end{table} + + +\subsection{Figure (10pt, bold)} +Image writing techniques in scientific papers must also be symmetrical in the middle. So the settings are not aligned right or left, but in the center. This helps tidy up the position of the image or photo so that it appears side by side well with the description text as in Figure \ref{fig2}. + +\begin{figure}[h] + \centering + \includegraphics[width=0.5\textwidth]{images/figur2.PNG} + \caption{Font 10pt and center not bold for captions except for the words "Figure" } + \label{fig2} +\end{figure} + + +\section{Result and Discussion (10pt, bold)} +The results obtained are data or facts obtained from research. Important data or facts that cannot be clearly narrated can be displayed in the form of tables or pictures or other illustrations. If the results are presented in the form of tables or figures, they do not need to be described at length. The discussion is a review of the results, explaining the meaning of the research results, conformity with the results or previous research, the role of the results in solving the problems mentioned in the introduction, and the possibility. + +This section is the most important part of your article. The following are things that you must pay attention to in writing the results and the research results must be clear and concise, the data presented has been processed (not raw data), set forth in the form of narratives, tables or pictures, and given easy-to-understand explanations. It is important to highlight differences between your results or findings and those of previous publications by other researchers. It is important to be compared with related references. +\subsection{Equation (10pt, bold)} +Mathematical equations must be numbered sequentially and starting with (1) until the end of the paper including the appendix. This numbering must begin and end with an opening and closing parenthesis and right align. Add one blank space above and below the Eq. \ref{Eq1}. +\begin{eqnarray} + \chi(L(\Gamma); \lambda)=(\lambda+2)^{m-n}\chi(\Gamma;\lambda+2-k) + \label{Eq1} +\end{eqnarray} +For example, from Eq. \ref{Eq2} it is derived again the next mathematical equation +\begin{eqnarray} + \chi(L(\Gamma); \lambda)=\det (\lambda I_{m}-A_{L}) + \label{Eq2} +\end{eqnarray} +Or there is the next mathematical Eq. \ref{Eq3} as below +\begin{eqnarray} +\det(D_{0}D_{0}^{t})=\sum_{|U|=n-1} \det(D_{U})\det(D_{U}^{t}) + \label{Eq3} +\end{eqnarray} +\subsection{Therema (10pt, bold)} +The schema for writing definitions, theorems, lemmas, and proofs conforms to and follows the template below. + +\begin{theorem} + Theorem is a statement about mathematics that still requires proof and the statement can be shown to have a truth value or is also true. +\end{theorem} + +\subsubsection{Lemma (10pt, bold)} +\begin{lemma} + An entry is a word or phrase entered in the dictionary beyond the definition given in the entry +\end{lemma} + +\section{Conclusion (10pt, bold)} +The author presents brief conclusions from the results of research with suggestions for advanced researchers or general readers. A conclusion may review the main points of the paper, do not replicate the abstract as the conclusion. Conclusions must identify the results obtained in a clear and unambiguous manner, the author should provide the answer to the question: is this a problem with error, method, validity, and or otherwise? + +\section{Acknowledgement (if any)} +Contains an acknowledgment of thanks to an agency if this research was funded or supported by that agency, or if there were parties who significantly assisted directly in the research or writing of this article. If the party is already listed as the author, then there is no need to mention it again in this Acknowledgment +\bibliographystyle{IEEEtran} + +%\bibliography{template} %-->reference list is on the template.bib file +\begin{thebibliography}{1.7} + \bibitem[1]{Septiawan1} \color{cyan}R. R. Septiawan, “An ODE control system of a rigid body on an ocean wave for a surfer simulation in the SPH method,” \textit{The Science Reports of Kanazawa University}, vol. 62, pp. 51–68, 2018. [Online]. Available: http://scirep.w3.kanazawa-u.ac.jp/articles/62-004.pdf. \color{black} + \bibitem[2]{Septiawan2} \color{cyan}R. R. Septiawan, S. Viridi, and Suprijadi, “The Effect of Particle Size Ratio on Porosity of a Particles Deposition Process,” \textit{Key Engineering Materials,} vol. 675–676, pp. 647–650, 2016. [Online]. Available: https://www.scientific.net/KEM.675-676.647. \color{black} + \bibitem[3]{Lucy} \color{cyan}L. B. Lucy, “A numerical approach to the testing of the fission hypothesis,” \textit{The astronomical journal}, vol. 82, pp. 1013–1024, 1977. \color{black} + \bibitem[4]{Gingold} \color{cyan}R. A. Gingold and J. J. Monaghan, “Smoothed particle hydrodynamics: theory and application to non-spherical stars,” \textit{Monthly Notices of the Royal Astronomical Society}, vol. 181, no. 3, pp. 375–389, 1977. [Online]. Available: https://academic.oup.com/mnras/article/181/3/375/988212. \color{black} + \bibitem[5]{Supriadi} \color{cyan}Suprijadi, F. Faizal, and R. R. Septiawan, “Computational Study on Melting Process Using Smoothed Particle Hydrodynamics,” Journal of Modern Physics, vol. 05, no. 03, pp. 112–116, 2014. [Online]. Available: https://www.scirp.org/pdf/JMP2014022411463120.pdf.\color{black} + \bibitem[6]{Septiawan3} \color{cyan}R. R. Septiawan, H. Abdillah, Novitrian, and Suprijadi, “Preliminary Study on Liquid Natural Convection by Temperature Differences,” 2015. [Online]. Available: https://www.atlantis-press.com/proceedings/icaet-14/16166.\color{black} + \bibitem[7]{Morikawa}\color{cyan}D. Morikawa, M. Asai, N. Idris, Y. Imoto, and M. Isshiki, “Improvements in highly viscous fluid simulation using a fully implicit SPH method,” \textit{Computational Particle Mechanics}, vol. 6, no. 4, pp. 529–544, 2019. [Online]. Available: https://link.springer.com/article/10.1007/s40571-019-00231-6.\color{black} + \bibitem[8]{Lo} \color{cyan}E. Y.M. Lo and S. Shao, “Simulation of near-shore solitary wave mechanics by an incompressible SPH method,” \textit{Applied Ocean Research}, vol. 24, no. 5, pp. 275–286, 2002. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0141118703000026.\color{black} + \bibitem[9]{Dalrymple} \color{cyan}R. A. Dalrymple and B. D. Rogers, “Numerical modeling of water waves with the SPH method,” Coastal Engineering, vol. 53, no. 2–3, pp. 141–147, 2006. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0378383905001304.\color{black} + \bibitem[10]{Yan} \color{cyan}X. Yan, Y.-T. Jiang, C.-F. Li, R. R. Martin, and S.-M. Hu, “Multiphase SPH simulation for interactive fluids and solids,” ACM Transactions on Graphics, vol. 35, no. 4, pp. 1–11, 2016. [Online]. Available: https://dl.acm.org/doi/10.1145/2897824.2925897.\color{black} + \bibitem[11]{Antocy} \color{cyan}C. Antoci, M. Gallati, and S. Sibilla, “Numerical simulation of fluid–structure interaction by SPH,” Computers and Structures, vol. 85, no. 11–14, pp. 879–890, 2007. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0045794907000132.\color{black} + \bibitem[12]{Monaghan1} \color{cyan}J. J. Monaghan, A. Kos, and N. Issa, “Fluid Motion Generated by Impact,” Journal of Waterway, Port, Coastal, and Ocean Engineering, vol. 129, no. 6, pp. 250–259, 2003. [Online]. Available: https://ascelibrary.org/doi/10.1061/\%28ASCE\%290733-950X\%282003\%29129\%3A6\%28250\%29.\color{black} + \bibitem[13]{Akinci} \color{cyan}N. Akinci, M. Ihmsen, G. Akinci, B. Solenthaler, and M. Teschner, “Versatile rigid-fluid coupling for incompressible SPH,” ACM \textit{Transactions on Graphics}, vol. 31, no. 4, pp. 1–8, 2012. [Online]. Available: https://dl.acm.org/doi/10.1145/2185520.2185558. \color{black} + \bibitem[14]{Liu} \color{cyan}G. R. Liu and M. B. Liu, \textit{Smoothed Particle Hydrodynamics}. Singapore: World Scientific Publishing Co Pte Ltd, 2003. doi: 10.1142/5340. \color{black} + \bibitem[15]{John} \color{cyan}John F. Wendt, \textit{Computational Fluid Dynamics}. Berlin, Heidelberg: Springer Berlin Heidelberg, 2009. doi: 10.1007/978-3-540-85056-4.\color{black} + \bibitem[16]{Lattanzio} \color{cyan}J. J. Monaghan and J. C. Lattanzio, “A refined particle method for astrophysical problems,” \textit{Astron Astrophys}, vol. 149, pp. 135–143, 1985.\color{black} + \bibitem[17]{Batchelor}\color{cyan}G. K. Batchelor, \textit{An Introduction to Fluid Dynamics.} Cambridge: Cambridge University Press, 2000. doi: 10.1017/CBO9780511800955.\color{black} + \bibitem[18]{Monaghan2} \color{cyan}J. J. Monaghan, “Simulating Free Surface Flows with SPH,” \textit{Journal of Computational Physics}, vol. 110, no. 2, pp. 399–406, 1994. [Online]. Available: https://www.sciencedirect.com/science/article/pii/S0021999184710345.\color{black} + \bibitem[19]{Managhan3} \color{cyan}J. J. Monaghan, “Smoothed particle hydrodynamics,” \textit{Reports on Progress in Physics}, vol. 68, no. 8, pp. 1703–1759, 2005. [Online]. Available: https://iopscience.iop.org/article/10.1088/0034-4885/68/8/R01.\color{black} + \bibitem[20]{Rao} \color{cyan}A. Rao, Dynamics of Particles and Rigid Bodies. Cambridge: Cambridge University Press, 2005. doi: 10.1017/CBO9780511805455.\color{black} + \bibitem[21]{Ogata1} \color{cyan}K. Ogata, \textit{Discrete-Time Control Systems (2nd Ed.)}. USA: Prentice-Hall, Inc., 1995.\color{black} + \bibitem[22]{Ogata2} \color{cyan}K. Ogata, \textit{Modern Control Engineering,} 5th ed. Pearson, 2009.\color{black} + \bibitem[23]{Hang} \color{cyan}J.-X. Xu, C.-C. Hang, and C. Liu, “Parallel structure and tuning of a fuzzy PID controller,” Automatica, vol. 36, no. 5, pp. 673–684, 2000. [Online]. Available: https://www.sciencedirect.com/science/article/abs/pii/S0005109899001922.\color{black} + +\end{thebibliography} +\textbf{Reference list format}\\ +The reference list format is based on the IEEE and should appear at the end of the article, covering only the literature actually cited in the manuscript. Authors should use reference management tools such as Mendeley, End Note and Grammarly. Reference writing rules: +\begin{itemize} + \item References used within the last 10 years. + \item Using the numbering that should be used for the reference title. + \item Last name and year must be used for each reference citation. + \item All references must be cited in the paper. + \item Journal and conference names should be italicized. + \item The title of the book must be italicized. +\end{itemize} + +\end{document} \ No newline at end of file diff --git a/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/template.bib b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/template.bib new file mode 100644 index 0000000..99e0be8 --- /dev/null +++ b/latex/Komputasi_ Jurnal Ilmiah Ilmu Komputer dan Matematika/template-komputasi-latex/template.bib @@ -0,0 +1,101 @@ +@article{BANASZCZYK2022109261, + title = {On a certain class of positive definite functions and measures on locally compact Abelian groups and inner-product spaces}, + journal = {Journal of Functional Analysis}, + volume = {282}, + number = {1}, + pages = {109261}, + year = {2022}, + issn = {0022-1236}, + doi = {https://doi.org/10.1016/j.jfa.2021.109261}, + url = {https://www.sciencedirect.com/science/article/pii/S0022123621003438}, + author = {Wojciech Banaszczyk}, + keywords = {Positive definite functions, Locally compact Abelian groups, Discrete Gaussian measures, Gaussian measures on lattices}, + abstract = {Let L be a lattice in Rn and φ the L-periodic Gaussian function on Rn given by φ(x)=∑y∈Le−‖x−y‖2. The paper was motivated by the following observation: φ(x+y)φ(x−y) is a positive definite function of two variables x,y. We say that a positive definite function φ on an Abelian group G is cross positive definite (c.p.d.) if, for each z∈G, the function φ(x+y+z)φ(x−y) of two variables x,y is positive definite. We say that a finite Radon measure on a locally compact Abelian group is c.p.d. if its Fourier transform is a c.p.d. function on the dual group. We investigate properties of c.p.d. functions and measures and give some integral characterizations. It is proved that the classes of c.p.d. functions and measures are closed with respect to certain natural operations. In particular, products, convolutions and Fourier transforms of c.p.d. functions and measures are c.p.d., whenever defined.} +} + +@incollection{LAWRENCE202242, + title = {Measuring Respiratory Function}, + editor = {Sam M Janes}, + booktitle = {Encyclopedia of Respiratory Medicine (Second Edition)}, + publisher = {Academic Press}, + edition = {Second Edition}, + address = {Oxford}, + pages = {42-58}, + year = {2022}, + isbn = {978-0-08-102724-0}, + doi = {https://doi.org/10.1016/B978-0-08-102723-3.00243-2}, + url = {https://www.sciencedirect.com/science/article/pii/B9780081027233002432}, + author = {Philip Lawrence and Antonia McBride and Laurie McCartney and Rebecca Thursfield}, + keywords = {Exercise testing, Gas transfer, Infant lung function, Lung function, Nitric oxide, Spirometry, Whole body plethysmography}, + abstract = {Objective measures of respiratory function provide key information in pediatric medicine. This article will explore the most commonly used techniques in pediatric respiratory physiology and how the results can direct clinical decision making. It covers some key principles that apply when measuring respiratory function in children and young people, before focusing on each technique.} +} + +@article{uwes, + author = "Uwes Anis Chaeruman, Basuki Wibawa, and Zulfiati Syahrial", + title = "{Determining the Appropriate Blend of Blended Learning: A Formative Research in the Context of Spada-Indonesia.}", + journal = "American Journal of Educational Research", + volume = "6", + number = "3", + pages = "88--195", + year = "1905", + DOI = "http://dx.doi.org/10.12691/education-6-3-5.", + keywords = "mbkm" +} + +@article{HAMURA202233, + title = {Bayesian predictive density estimation for a Chi-squared model using information from a normal observation with unknown mean and variance}, + journal = {Journal of Statistical Planning and Inference}, + volume = {217}, + pages = {33-51}, + year = {2022}, + issn = {0378-3758}, + doi = {https://doi.org/10.1016/j.jspi.2021.07.004}, + url = {https://www.sciencedirect.com/science/article/pii/S0378375821000719}, + author = {Yasuyuki Hamura and Tatsuya Kubokawa}, + keywords = {Bayesian predictive density estimation, Chi-squared distribution, Dominance, Kullback–Leibler divergence, Normal distribution, Unknown mean and variance}, + abstract = {In this paper, we consider the problem of estimating the density function of a Chi-squared variable on the basis of observations of another Chi-squared variable and a normal variable under the Kullback–Leibler divergence. We assume that these variables have a common unknown scale parameter and that the mean of the normal variable is also unknown. We compare the risk functions of two Bayesian predictive densities: one with respect to a hierarchical shrinkage prior and the other based on a noninformative prior. The hierarchical Bayesian predictive density depends on the normal variable while the Bayesian predictive density based on the noninformative prior does not. Sufficient conditions for the former to dominate the latter are obtained. These predictive densities are compared by simulation.} +} + + +@article{PEKER2021115540, + title = {Application of Chi-square discretization algorithms to ensemble classification methods}, + journal = {Expert Systems with Applications}, + volume = {185}, + pages = {115540}, + year = {2021}, + issn = {0957-4174}, + doi = {https://doi.org/10.1016/j.eswa.2021.115540}, + url = {https://www.sciencedirect.com/science/article/pii/S0957417421009477}, + author = {Nuran Peker and Cemalettin Kubat}, + keywords = {Machine learning, Data mining, Discretization, Ensemble methods, Classification, Chi-square statistics}, + abstract = {Classification is one of the important tasks in data mining and machine learning. Classification performance depends on many factors as well as data characteristics. Some algorithms are known to work better with discrete data. In contrast, most real-world data contain continuous variables. For algorithms working with discrete data, these continuous variables must be converted to discrete ones. In this process called discretization, continuous variables are converted to their corresponding discrete variables. In this paper, four Chi-square based supervised discretization algorithms ChiMerge(ChiM), Chi2, Extended Chi2(ExtChi2) and Modified Chi2(ModChi2) were used. In the literature, the performance of these algorithms is often tested with decision trees and Naïve Bayes classifiers. In this study, differently, four sets of data discretized by these algorithms were classified with ensemble methods. Classification accuracies for these data sets were obtained through using a stratified 10-fold cross-validation method. The classification performance of the original and discrete data sets of the methods is presented comparatively. According to the results, the performance of the discrete data is more successful than the original data.} +} + +@article{MAHIEU2021104256, + title = {A multiple-response chi-square framework for the analysis of Free-Comment and Check-All-That-Apply data}, + journal = {Food Quality and Preference}, + volume = {93}, + pages = {104256}, + year = {2021}, + issn = {0950-3293}, + doi = {https://doi.org/10.1016/j.foodqual.2021.104256}, + url = {https://www.sciencedirect.com/science/article/pii/S0950329321001397}, + author = {Benjamin Mahieu and Pascal Schlich and Michel Visalli and Hervé Cardot}, + keywords = {Chi-square statistic, Multiple-response Correspondence Analysis (MR-CA), Multiple-response dimensionality test of dependence, Multiple-response hypergeometric test, Analysis of multiple-response data}, + abstract = {Free-Comment (FC) and Check-All-That-Apply (CATA) provide a contingency table containing citation counts of descriptors by products. The analyses performed on this table are most often related to the chi-square statistic. However, such practices are not well suited because they consider experimental units as being the citations (one descriptor for one product by one subject) while the evaluations (vector of citations for one product by one subject) should be considered instead. This results in incorrect expected frequencies under the null hypothesis of independence between products and descriptors and thus in an incorrect chi-square statistic. Thus, analyses related to this incorrect chi-square statistic, which include Correspondence Analysis, can lead to wrong interpretations. This paper presents a modified chi-square square framework dedicated to the analysis of multiple-response data in which experimental units are the evaluations and which is, therefore, better suited to FC and CATA data. This new framework includes a multiple-response dimensionality test of dependence, a multiple-response Correspondence Analysis, and a multiple-response hypergeometric test to investigate which descriptors are significantly associated with which product. The benefits of the multiple-response chi-square framework over the usual chi-square framework are exhibited on real CATA data. An R package called “MultiResponseR” is available upon request to the authors and on GitHub to perform the multiple-response chi-square analyses.} +} + + + +@book{mbkm2, + title="{A Global Cities Education Network Report. A Global Cities Education Network Report.}", + author={Saavedra, A. and Opfer, V.}, + isbn={}, + series={}, + year={2012}, + publisher={New York, Asia Society.}, + keywords = {mbkm} +} + + + diff --git a/latex/LatexLearnPlus.md b/latex/LatexLearnPlus.md new file mode 100644 index 0000000..8f5c3fe --- /dev/null +++ b/latex/LatexLearnPlus.md @@ -0,0 +1,280 @@ +# 1.latex源文件的基本结构 +1. 结构1 +```tex +% 调用单个宏包 +\usepackage[⟨options⟩]{⟨package-name⟩} +% 一次性调用三个排版表格常用的宏包 +\usepackage{tabularx, makecell, multirow} +``` +2. 结构2 +```tex +\documentclass{article} +% \documentclass{IEEEtran}%将文章的格式改为IEEE的样式 + +% -------------------导言区------------------------% +\usepackage[fontset=ubuntu]{ctex} +\usepackage{graphicx}%宏包 +\usepackage{verbatim}%主要用于多行注释 +\usepackage +\title{Second Intro} +\author{Kim James} +\date{December 2022} + +% 1. 多行注释 +\begin{comment} %此处用于多行注释 +1.想要中文的话,直接改变 + 1-1. article->ctexart + 1-2. compiler->XeLatex +2.如果有生僻字 + 2-1.\usepackage[fontset=ubuntu]{ctex} + 2-2.\usepackage{ctex} +3.导言区主要加载一些宏包,宏包不能加入正文区 +\end{comment} + +%--------------------导言区-----------------------% + + +\begin{document} + +%-------------------正文区------------------------% +\maketitle %this is the way they use to locate the things above% +% 2.maketitle执行到maketitle了,那么先加载导言区的内容,再加载maketitle以下地方的内容 + +% 3.多行注释主要方法(注意的是!内容大于形式!) +% 4.分级的方法 +% 4-1.“."式的方法 +\begin{itemize} + \item sdfdsf + \item sdf + +\end{itemize} + +% 4-2.“1"式的方法 +\begin{enumerate} + \item 1sdf + \item 2sdf + \item 3sdf + \item 4sdf +\end{enumerate} + +% 5.section +\section{Introduction} + +\subsection{Intro2} +Youth is not a of life; it is a state of mind; it is not a matter of rosy cheeks, red lips and supple knees; it is a matter of the will, a quality of the imagination, a vigor of the emotions; it is the freshness of the deep springs of life. +I don't think this is gonna be good. +Youth means a temperamental predominance of courage over timidity, of the appetite for adventure over the love of ease. This often exists in a man of 60 more than a boy of 20. Nobody grows old merely by a number of years. We grow old by deserting our ideals. + +Years may wrinkle the skin, but to give up enthusiasm wrinkles the soul. Worry, fear, self-distrust bows the heart and turns the spirit back to dust. + +\paragraph{Intro3} +this is the paragraph, which I think is the right. + + +\section{Second section} +Hello everyone! This is a great day! + +\subsection{Background01} +Whether 60 or 16, there is in every human being’s heart the lure of wonders, the unfailing appetite for what’s next and the joy of the game of living. In the center of your heart and my heart, there is a wireless station; so long as it receives messages of beauty, hope, courage and power from man and from the infinite, so long as you are young. + + +\subsection{Background02} + +when your aerials are down, and your spirit is covered with snows of cynicism and the ice of pessimism, then you’ve grown old, even at 20; but as long as your aerials are up, to catch waves of optimism, there’s hope you may die young at 80.this is the equation $a = b^2 + \frac{n}{b}$ + +\begin{equation} + x = \frac{b^2}{2n} + \sqrt{n} +\end{equation} + + +\begin{equation} + y = \frac{a^{b+c}}{\Sigma_{i=0}^{\infty}x_{i}} +\end{equation} + +\begin{equation} + $$x = \sum_{i = 0}^{\infty}$$ +\end{equation} + +\end{document} + +%-------------------正文区------------------------------% +``` + +# 2.字体设置 +```tex + +``` + +# 3.章节设置 +```tex +% \documentclass{ctexart} +\documentclass{ctexbook}%用来解决chapter的问题 +% \documentclass{article} +\usepackage{ctex} + +\title{Latex教程} +\author{Maki's Lab} +\date{\today} + +\begin{document} + \tableofcontents + \maketitle + \chapter{绪论} + \section{目的} + \section{国内研究现状} + \section{国外研究现状} + \section{研究内容} + \section{技术路线} + \chapter{实验结果分析} + \section{引言} + jdsfjskdljf ds + + sdfsdfsdf + + sdfsdfsf + \section{实验方法} + \section{实验结果} + \subsection{数据} + \subsection{图表} + \section{结论} + \section{致谢} + +\end{document} + +``` +# 4.插入多个图片 +1. 引用多个包 +```tex +\usepackage{caption} +\usepackage{graphicx} +\usepackage{float} +%\usepackage{subfigure} +\usepackage{subcaption} +``` + +2. 插入1个图片 +```tex +\begin{figure}[htbp]%调节图片位置,h:浮动;t:顶部;b:底部;p:当前位置 + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG}% 中括号中的为调节图片大小 + \caption{chutian} + \label{chutian}%文中引用该图片代号 +\end{figure} +``` + +3. 插入2x1两个图片 +```tex +\begin{figure}[htbp] + \centering + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian1} + \label{chutian1}%文中引用该图片代号 + \end{minipage} + %\qquad + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian2} + \label{chutian2}%文中引用该图片代号 + \end{minipage} +\end{figure} +``` +4. 插入1x2图片 +```tex +\begin{figure}[htbp] + \centering + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian1} + \label{chutian1}%文中引用该图片代号 + \end{minipage} + %\qquad + %让图片换行, + + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian2} + \label{chutian2}%文中引用该图片代号 + \end{minipage} +\end{figure} +``` + +4. 插入2x2两个图片 +```tex +\begin{figure}[htbp] + \centering + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian1} + \label{chutian1}%文中引用该图片代号 + \end{minipage} + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian2} + \label{chutian2}%文中引用该图片代号 + \end{minipage} + %\qquad + %让图片换行, + + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian3} + \label{chutian3}%文中引用该图片代号 + \end{minipage} + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/chutian.JPG} + \caption{chutian4} + \label{chutian4}%文中引用该图片代号 + \end{minipage} +\end{figure} +``` + + +4. 插入多个图片 +```tex +% fugure-04:插入多个图片 + \begin{figure}[htbp] + \centering + \subfigure[Fig1] + { + \includegraphics[scale=0.25]{Figure/tex02_visualSLAM.png} + \label{1} + } + \quad + \subfigure[Fig2] + { + \includegraphics[scale=0.25]{Figure/tex02_visualSLAM.png} + \label{2} + } + \quad + \subfigure[Fig3] + { + \includegraphics[scale=0.25]{Figure/tex02_visualSLAM.png} + \label{3} + } + \quad + \subfigure[Fig4]{ + \includegraphics[scale=0.25]{Figure/tex02_visualSLAM.png} + \label{4} + } + \caption{Experimental results of the authors} + \end{figure} + +``` + + + + + +the plan of sunday: +1. 17-20:电影阿凡达2 +2. 21-23:海底捞 +3. 23之后:外面逛一逛 \ No newline at end of file diff --git a/latex/latex02/test02.pdf b/latex/latex02/test02.pdf index e94a8a8..49899d6 100644 Binary files a/latex/latex02/test02.pdf and b/latex/latex02/test02.pdf differ diff --git a/latex/latex02/test02.synctex.gz b/latex/latex02/test02.synctex.gz index 3fdbed4..246ea77 100644 Binary files a/latex/latex02/test02.synctex.gz and b/latex/latex02/test02.synctex.gz differ diff --git a/latex/latex02/test02.tex b/latex/latex02/test02.tex index a776a47..32a5987 100644 --- a/latex/latex02/test02.tex +++ b/latex/latex02/test02.tex @@ -1,94 +1,88 @@ \documentclass{article} -% \documentclass{IEEEtran}%将文章的格式改为IEEE的样式 -% -------------------导言区------------------------% -\usepackage[fontset=ubuntu]{ctex} -\usepackage{graphicx}%宏包 -\usepackage{verbatim}%主要用于多行注释 +% Language setting +% Replace `english' with e.g. `spanish' to change the document language +\usepackage[english]{babel} -\title{Second Intro} -\author{Kim James} -\date{December 2022} +% Set page size and margins +% Replace `letterpaper' with `a4paper' for UK/EU standard size +\usepackage[letterpaper,top=2cm,bottom=2cm,left=3cm,right=3cm,marginparwidth=1.75cm]{geometry} -% 1. 多行注释 -\begin{comment} %此处用于多行注释 -1.想要中文的话,直接改变 - 1-1. article->ctexart - 1-2. compiler->XeLatex -2.如果有生僻字 - 2-1.\usepackage[fontset=ubuntu]{ctex} - 2-2.\usepackage{ctex} -3.导言区主要加载一些宏包,宏包不能加入正文区 - -\end{comment} - -%--------------------导言区-----------------------% +% Useful packages +\usepackage{amsmath} +\usepackage{graphicx} +\usepackage[colorlinks=true, allcolors=blue]{hyperref} +\title{The Preview Of SLAM} +\author{HuKun} \begin{document} +\maketitle + +\begin{abstract} + This paper surveys recent and discusses future development for Simultaneous Localization And Mapping (SLAM) in various environment. +\end{abstract} -%-------------------正文区------------------------% -\maketitle %this is the way they use to locate the things above% -% 2.maketitle执行到maketitle了,那么先加载导言区的内容,再加载maketitle以下地方的内容 - -% 3.多行注释主要方法(注意的是!内容大于形式!) -% 4.分级的方法 -% 4-1.“."式的方法 -\begin{itemize} - \item sdfdsf - \item sdf -\end{itemize} -\begin{enumerate} - \item 1set - \item 2st - \item 3st - \item -\end{enumerate} -\begin{equation} - $\Sigma_{f_x}^{\infty}\Sigma_{f_x}^{\infty}x_{ij}$ -\end{equation} - -% 4-2.“1"式的方法 -\begin{enumerate} - \item 1sdf - \item 2sdf - \item 3sdf - \item 4sdf -\end{enumerate} - -% 5.section \section{Introduction} -\subsection{Intro2} -Youth is not a of life; it is a state of mind; it is not a matter of rosy cheeks, red lips and supple knees; it is a matter of the will, a quality of the imagination, a vigor of the emotions; it is the freshness of the deep springs of life. -I don't think this is gonna be good. -Youth means a temperamental predominance of courage over timidity, of the appetite for adventure over the love of ease. This often exists in a man of 60 more than a boy of 20. Nobody grows old merely by a number of years. We grow old by deserting our ideals. +Simultaneous Localization and Mapping (SLAM) remains at the center stage of robotics research, after more than 30 years since its inception. +SLAM is without a doubt a mature field of research, and the advances over the last three decades keep steadily transitioning into industrial applications, from domestic robotics [1]–[3], to self-driving cars [4] and virtual and augmented reality goggles [5], [6]. + +\section{Some examples to get started} + +\subsection{How to create Sections and Subsections} + +Simply use the section and subsection commands, as in this example document! With Overleaf, all the formatting and numbering is handled automatically according to the template you'sve chosen. If you're using Rich Text mode, you can also create new section and subsections via the buttons in the editor toolbar. + +\subsection{How to include Figures} + +First you have to upload the image file from your computer using the upload link in the file-tree menu. Then use the includegraphics command to include it in your document. Use the figure environment and the caption command to add a number and a caption to your figure. See the code for Figure \ref{fig:frog} in this section for an example. + +Note that your figure will automatically be placed in the most appropriate place for it, given the surrounding text and taking into account other figures or tables that may be close by. You can find out more about adding images to your documents in this help article on \href{https://www.overleaf.com/learn/how-to/Including_images_on_Overleaf}{including images on Overleaf}. + + + +\subsection{How to add Comments and Track Changes} + +Comments can be added to your project by highlighting some text and clicking ``Add comment'' in the top right of the editor pane. To view existing comments, click on the Review menu in the toolbar above. To reply to a comment, click on the Reply button in the lower right corner of the comment. You can close the Review pane by clicking its name on the toolbar when you're done reviewing for the time being. + +Track changes are available on all our \href{https://www.overleaf.com/user/subscription/plans}{premium plans}, and can be toggled on or off using the option at the top of the Review pane. Track changes allow you to keep track of every change made to the document, along with the person making the change. + +\subsection{How to add Lists} + + +\subsection{How to write Mathematics} + +\LaTeX{} is great at typesetting mathematics. Let $X_1, X_2, \ldots, X_n$ be a sequence of independent and identically distributed random variables with $\text{E}[X_i] = \mu$ and $\text{Var}[X_i] = \sigma^2 < \infty$, and let +\[S_n = \frac{X_1 + X_2 + \cdots + X_n}{n} + = \frac{1}{n}\sum_{i}^{n} X_i\] +denote their mean. Then as $n$ approaches infinity, the random variables $\sqrt{n}(S_n - \mu)$ converge in distribution to a normal $\mathcal{N}(0, \sigma^2)$. + + +\subsection{How to change the margins and paper size} -Years may wrinkle the skin, but to give up enthusiasm wrinkles the soul. Worry, fear, self-distrust bows the heart and turns the spirit back to dust. +Usually the template you're using will have the page margins and paper size set correctly for that use-case. For example, if you're using a journal article template provided by the journal publisher, that template will be formatted according to their requirements. In these cases, it's best not to alter the margins directly. -\paragraph{Intro3} -this is the paragraph, which I think is the right. +If however you're using a more general template, such as this one, and would like to alter the margins, a common way to do so is via the geometry package. You can find the geometry package loaded in the preamble at the top of this example file, and if you'd like to learn more about how to adjust the settings, please visit this help article on \href{https://www.overleaf.com/learn/latex/page_size_and_margins}{page size and margins}. +\subsection{How to change the document language and spell check settings} -\section{Second section} -Hello everyone! This is a great day! +Overleaf supports many different languages, including multiple different languages within one document. -\subsection{Background01} -Whether 60 or 16, there is in every human being’s heart the lure of wonders, the unfailing appetite for what’s next and the joy of the game of living. In the center of your heart and my heart, there is a wireless station; so long as it receives messages of beauty, hope, courage and power from man and from the infinite, so long as you are young. +To configure the document language, simply edit the option provided to the babel package in the preamble at the top of this example project. To learn more about the different options, please visit this help article on \href{https://www.overleaf.com/learn/latex/International_language_support}{international language support}. +To change the spell check language, simply open the Overleaf menu at the top left of the editor window, scroll down to the spell check setting, and adjust accordingly. -\subsection{Background02} +\subsection{How to add Citations and a References List} -when your aerials are down, and your spirit is covered with snows of cynicism and the ice of pessimism, then you’ve grown old, even at 20; but as long as your aerials are up, to catch waves of optimism, there’s hope you may die young at 80.this is the equation $a = b^2 + \frac{n}{b}$ +You can simply upload a \verb|.bib| file containing your BibTeX entries, created with a tool such as JabRef. You can then cite entries from it, like this: \cite{greenwade93}. Just remember to specify a bibliography style, as well as the filename of the \verb|.bib|. You can find a \href{https://www.overleaf.com/help/97-how-to-include-a-bibliography-using-bibtex}{video tutorial here} to learn more about BibTeX. -\begin{equation} - x = \frac{b^2}{2n} + \sqrt{n} -\end{equation} +If you have an \href{https://www.overleaf.com/user/subscription/plans}{upgraded account}, you can also import your Mendeley or Zotero library directly as a \verb|.bib| file, via the upload menu in the file-tree. +\subsection{Good luck!} -\begin{equation} - y = \frac{a^{b+c}}{\Sigma_{i=0}^{\infty}x_{i}} -\end{equation} +We hope you find Overleaf useful, and do take a look at our \href{https://www.overleaf.com/learn}{help library} for more tutorials and user guides! Please also let us know if you have any feedback using the Contact Us link at the bottom of the Overleaf menu --- or use the contact form at \url{https://www.overleaf.com/contact}. -\end{document} -%-------------------正文区------------------------------% +\bibliographystyle{alpha} +\bibliography{sample} +\end{document} \ No newline at end of file diff --git a/latex/latex03/Figure/tex02_visualSLAM.png b/latex/latex03/Figure/tex02_visualSLAM.png new file mode 100644 index 0000000..52a9e52 Binary files /dev/null and b/latex/latex03/Figure/tex02_visualSLAM.png differ diff --git a/latex/latex03/test01.pdf b/latex/latex03/test01.pdf index 0619267..688fae5 100644 Binary files a/latex/latex03/test01.pdf and b/latex/latex03/test01.pdf differ diff --git a/latex/latex03/test01.synctex.gz b/latex/latex03/test01.synctex.gz deleted file mode 100644 index 4d4c7fb..0000000 Binary files a/latex/latex03/test01.synctex.gz and /dev/null differ diff --git a/latex/latex03/test01.tex b/latex/latex03/test01.tex index 26e1d3b..4945071 100644 --- a/latex/latex03/test01.tex +++ b/latex/latex03/test01.tex @@ -1,25 +1,126 @@ \documentclass{article} -% \documentclass{IEEEtran}%将文章的格式改为IEEE的样式 - -% -------------------导言区------------------------% -\usepackage[fontset=ubuntu]{ctex} -\usepackage{graphicx}%宏包 -\usepackage{verbatim}%主要用于多行注释 - -\author{a} -\date{\today} - -\begin{document} - \maketitle - \section{a} - \begin{equation} - $$a + b = c$$ - $a = b$ - $$a = 1$$ - \end{equation} - \section{b} - \section{c} - \section{d} - \section{e} - + \title{zhijiekaibai} %———总标题 + \author{sdu} +\usepackage{caption} +\usepackage{graphicx} +\usepackage{float} +\usepackage{subcaption} +\usepackage{subfigure} + +\begin{document}[htbp] + \maketitle % —— 显示标题 + \tableofcontents %—— 制作目录(目录是根据标题自动生成的) + + % figure-01:插入单个照片 + \begin{figure} + \centering + \includegraphics{Figure/tex02_visualSLAM.png} + \caption{chutian} + \label{chutian} + \end{figure} + + % figure-02:插入2x1照片 + \begin{figure}[htbp] + \centering + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian1} + \label{chutian1}%文中引用该图片代号 + \end{minipage} + % \qquad, 让图片换行操作 + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian2} + \label{chutian2}%文中引用该图片代号 + \end{minipage} + \end{figure} + + % figure-03:插入2x2照片 + \begin{figure}[htbp] + \centering + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian1} + \label{chutian1}%文中引用该图片代号 + \end{minipage} + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian2} + \label{chutian2}%文中引用该图片代号 + \end{minipage} + \qquad + %让图片换行, + + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian3} + \label{chutian3}%文中引用该图片代号 + \end{minipage} + \begin{minipage}{0.49\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian4} + \label{chutian4}%文中引用该图片代号 + \end{minipage} + \caption{aaaa} + \label{aaaa} + \end{figure} + + + % 注意:subfigure != minipage + + % fugure-04:插入多个图片 + \begin{figure}[htbp] + \centering + \begin{subfigure}{0.325\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian3} + \label{chutian3}%文中引用该图片代号 + \end{subfigure} + + \centering + \begin{subfigure}{0.325\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian3} + \label{chutian3}%文中引用该图片代号 + \end{subfigure} + + \centering + \begin{subfigure}{0.325\linewidth} + \centering + \includegraphics[width=0.9\linewidth]{Figure/tex02_visualSLAM.png} + \caption{chutian3} + \label{chutian3}%文中引用该图片代号 + \end{subfigure} + + \caption{mother of chutian} + \label{da_chutian} + \end{figure} + + \begin{figure} + \begin{subfigure}{0.325\linewidth} + \centering + \includegraphics{Figure/tex02_visualSLAM.png} + \caption{a1} + \label{a1} + \end{subfigure} + + \begin{subfigure}{0.325\linewidth} + \centering + \includegraphics{Figure/tex02_visualSLAM.png} + \caption{a2} + \label{a2} + \end{subfigure} + + \caption{This is the pictures of SLAM} + \label{This is the pictures of SLAM} + \end{figure} + \end{document} \ No newline at end of file diff --git a/latex/latex03/test02.tex b/latex/latex03/test02.tex new file mode 100644 index 0000000..392a5e5 --- /dev/null +++ b/latex/latex03/test02.tex @@ -0,0 +1,297 @@ +\documentclass[12pt,aspectratio=169]{beamer} + +%%% +% Einbinden des UniWue Theme +% Weitere Hinweise unter templates/styles/beamerUniWue/README +%%% +\usetheme{UniWue} +\usefonttheme{professionalfonts} +\usepackage{UCAS} + + +\usepackage[utf8]{inputenc} % Umlaute und ähnliches möglich +\usepackage[english]{babel} % Deutsche Rechtschreibung +\usepackage[T1]{fontenc} % verbessert Worttrennung (westeuropäischer Codierung) +\usepackage{lmodern} % Schrift wirkt (in pdf-Ausgabe) fließender +\usepackage{amsmath} % Matheformeln +\usepackage{amsfonts} % zusätzliche mathematische Symbole +\usepackage{amssymb} % zusätzliche mathematische Symbole +\usepackage{graphicx} % Bilder einfügen +\usepackage[version=4]{mhchem} % diverse Chemie-Funktionen +\usepackage{pdfpages} % macht PDFs importierbar +\usepackage{floatflt,epsfig} % für die Platzierung von Abbildungen etc +\usepackage{svg} % SVG einbinden +\usepackage{lipsum} +\usepackage{subcaption} % damit Bilder nebeneinander sein können +\usepackage{esvect} % Vektorpfeil +\usepackage{hyperref} % für \url -> Internetseiten +\usepackage{appendixnumberbeamer} % Gesamtseitenzahlen ab \appendix nicht erhöht +\usepackage{csquotes} % für Bib +\usepackage[style=numeric, sorting=nty, maxcitenames=1, bibwarn=true, giveninits=true, isbn=false, url=true, doi=false, block=none]{biblatex} % für die Quellen über bibtex +\usepackage{epstopdf} % eps,gif,png zu pdf - siehe epstopdfDeclareGraphicsRule +%\usepackage{subcaption} % für Subfigure +\usepackage{xcolor} % für Farben +\usepackage{tabulary} +\usepackage{caption} % um mit * Abb. punkt zu entfernen + + +\usepackage{siunitx} %SI-Funktion + \sisetup{ + range-phrase = {-}, + output-decimal-marker = {.}, + group-separator = {}, + exponent-product = \ensuremath{{}\cdot{}}, + per-mode = reciprocal, % mit fraction kann Bruchschreibweise erhalten werden, mit reciprocal negativer Exponent + inter-unit-product = \ensuremath{{}\cdot{}}, + range-units = single, + mode = math, + detect-all, + number-unit-separator=\text{\,}, +% math-rm=\mathsf, +% text-rm=\sffamily, + }% + + +\makeatletter +\newcommand{\showfontsize}{\f@size{} pt} +\makeatother + +\newcommand*\mycommand[1]{\texttt{\emph{#1}}} +\newcommand{\itemcolor}[1]{% Update list item colour + \renewcommand{\makelabel}[1]{\color{#1}\hfil ##1}} + + +%%% Damit auch bei \mathrm keine Serifenschriftart verwendet wird: +\let\lmodernsfdefault\sfdefault +\let\rmdefault\sfdefault +\let\sfdefault\lmodernsfdefault +\renewcommand*{\familydefault}{\rmdefault} + +%%% Veränderungen zum Zitieren in der Fußnote: +\newcommand*{\quelle}[1]{\par\raggedleft\tiny Quelle:~#1} +\renewcommand{\footnotesize}{\tiny} +\renewcommand{\thefootnote}{} %keine Zahl für Fußnote +\renewcommand{\footnoterule}{} %Löscht Linie über Fußnote +\renewcommand{\footnotesep}{-5pt} +% Damit alles in der Fußnote linksbündig ist: +%\usepackage{libertine} +%\usepackage{microtype} +\makeatletter +\renewcommand\@makefntext[1]{% + \parindent 1em% + \noindent\hbox{\@thefnmark}\hspace*{0em plus 0pt minus 0pt}#1} +\makeatother + +\newcommand{\myrule}[3]{\textcolor{#1}{\rule{#2}{#3}}} +\newcommand{\ca}{\raisebox{-0.75ex}{\~{}}} % für ~ im Text + +\addbibresource{beamerbibliography.bib} + +\setbeamertemplate{navigation symbols}{} + +\author{Autor} +\title{Vorlage für Präsentationen der JMU in LaTeX} +%\setbeamercovered{transparent} +%\logo{} +\institute{Julius-Maximilians-Universität Würzburg} +\date{Date} +\subject{Subject} +\titlegraphic{\includegraphics[width=\textwidth]{Bild.jpg}} + +\begin{document} + + +{ +\setbeamertemplate{footline}{} +\begin{frame} + \vspace{-1.5cm} % Hier anpassen der Höhe der Titlepage auf der Folie + \titlepage +\end{frame} +} + +\section*{Outline} +\begin{frame} + \frametitle{Outline} + \tableofcontents[hidesubsections] +\end{frame} + +\AtBeginSection[] +{ + \frame + { + \frametitle{Outline} + \tableofcontents[currentsection,hideallsubsections] + } +} + +\AtBeginSubsection[] +{ + \frame + { + \frametitle{Outline} + \tableofcontents[sectionstyle=show/hide,subsectionstyle=show/shaded/hide] + } +} + +\newcommand<>{\highlighton}[1]{% + \alt#2{\structure{#1}}{{#1}} +} + +\newcommand{\icon}[1]{\pgfimage[height=1em]{#1}} + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +%%%%%%%%%% Content starts here %%%%%%%%%% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% + + + +\section{Introduction} + +\begin{frame} + \frametitle{Prerequisites \& Goals} + \framesubtitle{Knowledge} + \begin{block}{LaTeX} + \begin{itemize} + \item Obviously some basic LaTeX knowledge is necessary + \item Some more features will be provided here + \end{itemize} + \end{block} + + \begin{block}{Beamer} + \begin{itemize} + \item You'll learn them by looking at this presentation source + \end{itemize} + \end{block} + + \begin{block}{Goal} + \begin{itemize} + \item Learn how to make well structured slides + \item Using a beautiful theme (congrats to the Oxygen team!) + \item Take over the world + \item Relax... + \end{itemize} + \end{block} +\end{frame} + +\section{Basic structuring} +\begin{frame} + \frametitle{Sections, Frames and Blocks} + \framesubtitle{Put everything into boxes} + + The current section is "Basic structuring". + + \begin{block}{A beautiful block} + A block has a title, and some content. You can put in a block + almost everything you want that is provided by LaTeX. For example + math works as usual: + \begin{equation} + \sum_{i=1}^n i = \frac{n \times (n+1)}{2} + \end{equation} + \end{block} + + Also works outside a block: + \begin{equation} + \sum_{i=1}^n i^2 = \frac{n \times (n+1) \times (2n+1)}{6} + \end{equation} +\end{frame} + +\begin{frame} + \frametitle{Different type of blocks} + \framesubtitle{Weeeee! Colors!!} + \begin{block}{Standard block} + \begin{itemize} + \item A standard block, used for grouping + \item Obviously can contain itemizes too... + \begin{itemize} + \item And nested itemizes... + \item of course! + \end{itemize} + \end{itemize} + \end{block} + \begin{alertblock}{Alert block} + WARNING: Something very important inside this block! + \end{alertblock} + \begin{example} + Note that examples are displayed as a special block... + \end{example} +\end{frame} + +\section{Fancy features} +\begin{frame} + \frametitle{Highlighting} + \framesubtitle{Hey! Look here! here!} + + \begin{block}{A regular block} + \begin{itemize} + \item Normal text + \item \highlighton{Highlighted text} to draw attention + \item \alert{"Alert'ed" text} to spot very important information + \item Alternatively you can + \begin{itemize} + \alert{\item "Alert" the item itself} + \highlighton{\item Or "Highlight" it} + \end{itemize} + \end{itemize} + \end{block} + \begin{alertblock}{If it's very very important...} + \alert{... you can "alert" in an "alertblock"}\\ + Ewww, nasty, heh? + \end{alertblock} +\end{frame} + +\newcommand{\putlink}[1]{% + \pgfsetlinewidth{1.4pt}% + \pgfsetendarrow{\pgfarrowtriangle{4pt}}% + \pgfline{\pgfxy(1,1)}{\pgfxy(#1,1)} +} + +\begin{frame} + \frametitle{Overlay effects} + \framesubtitle{Keep the suspense!} + \begin{block}{Time bomb} + \begin{enumerate} + \item<2-> Two more to go + \item<3-> One more to go + \item<4-> Last chance... + \item<5-> BOOM! + \end{enumerate} + \end{block} + \begin{block}{"Animation"}<6-> + \begin{pgfpicture}{0cm}{0cm}{7cm}{2cm} + \only<1-6>{ + \putlink{2} + } + \only<7>{ + \putlink{4} + } + \only<8>{ + \putlink{6} + } + \only<9>{ + \putlink{8} + } + \only<10>{ + \putlink{10} + } + \end{pgfpicture} + \end{block} +\end{frame} + + + + +\section*{} +\frame{ + \vfill + \centering + \highlighton{ + \usebeamerfont*{frametitle}And now? + + \usebeamerfont*{framesubtitle}Enter the secret section + } + \vfill +} + +\end{document} \ No newline at end of file diff --git a/latex/latexLearn.md b/latex/latexLearn.md deleted file mode 100644 index 3b0f625..0000000 --- a/latex/latexLearn.md +++ /dev/null @@ -1,154 +0,0 @@ -# 第一章 LATEX 的基本概念 -## 1-1.源代码结构 -```tex -\documentclass{...} % ... 为某文档类 -% 导言区 -\begin{document} -% 正文内容 -\end{document} -% 此后内容会被忽略 -``` -## 1-2.命令 -```tex -\begin{⟨environment name⟩}[⟨optional arguments⟩]{⟨mandatory arguments⟩} -… -\end{⟨environment name⟩} -``` - - `其中⟨environment name⟩ 为环境名,\begin 和 \end 中填写的环境名应当一致。类似命令, -{⟨mandatory arguments⟩} 和 [⟨optional arguments⟩] 为环境所需的必选和可选参数` - -## 1-3.latex宏包和文档类 -### 1-3-1.文档类 - -```tex -\documentclass[⟨options⟩]{⟨class-name⟩} -``` -**注意** -1. article 文章格式的文档类,广泛用于科技论文、报告、说明文档等。 -2. report 长篇报告格式的文档类,具有章节结构,用于综述、长篇论文、简单 -的书籍等。 -3. book 书籍文档类,包含章节结构和前言、正文、后记等结构。 -4. proc 基于 article 文档类的一个简单的*学术文档模板*。 -5. slides *幻灯格式*的文档类,使用无衬线字体。 -6. minimal 一个极其精简的文档类,只设定了纸张大小和基本字号,用作代码测试的最小工作示例(Minimal Working Example)。 - -### 1-3-1.宏包 - -**结构** -```tex -% 调用单个宏包 -\usepackage[⟨options⟩]{⟨package-name⟩} -% 一次性调用三个排版表格常用的宏包 -\usepackage{tabularx, makecell, multirow} -``` - -## 1-4.latex可能用到文件 - -* sty 宏包文件。宏包的名称与文件名一致。 -* cls 文档类文件。文档类名称与文件名一致。 -* bib BIBTEX 参考文献数据库文件。 -* bst BIBTEX 用到的参考文献格式模板。详见 6.1.4 小节。 -LATEX 在编译过程中除了生成 .dvi 或 .pdf 格式的文档外9,还可能会生成相当多的辅助文件和日志。一些功能如交叉引用、参考文献、目录、索引等,需要先通过编译生成辅助文件,然 -后再次编译时读入辅助文件得到正确的结果,所以复杂的 LATEX 源代码可能要编译多次: - -* log 排版引擎生成的日志文件,供排查错误使用。 -* aux LATEX 生成的主辅助文件,记录交叉引用、目录、参考文献的引用等。 -* toc LATEX 生成的目录记录文件。 -* lof LATEX 生成的图片目录记录文件。 -* lot LATEX 生成的表格目录记录文件。 -* bbl BIBTEX 生成的参考文献记录文件。 -* blg BIBTEX 生成的日志文件。 -* idx LATEX 生成的供 makeindex 处理的索引记录文件。 -* ind makeindex 处理 .idx 生成的用于排版的格式化索引文件。 -* ilg makeindex 生成的日志文件。 -* out hyperref 宏包生成的 PDF 书签记录文件。 - -## 1-5.文件的组织形式 - -* LATEX 提供了命令 \include 用来在源代码里插入文件: -`\include{⟨filename⟩}` - -`⟨filename⟩ `为文件名(不带 .tex 扩展名),如果和要编译的主文件不在一个目录中,则要加上 -\include{chapters/file} % 相对路径 -\include{/home/Bob/file} % *nix(包含 Linux、macOS)绝对路径 -\include{D:/file} % Windows 绝对路径,用正斜线 - -值得注意的是 \include 在读入 ⟨filename⟩ 之前会另起一页。有的时候我们并不需要这样, -而是用 \input 命令,它纯粹是把文件里的内容插入: -*\input{⟨filename⟩}* - -当导言区内容较多时,常常将其单独放置在一个 .tex 文件中,再用 \input 命令插入。复杂的图、表、代码等也会用类似的手段处理。 -LATEX 还提供了一个 \includeonly 命令来组织文件,用于导言区,指定只载入某些文件。 -导言区使用了 \includeonly 后,正文中不在其列表范围的 \include 命令不会起效: -\includeonly{⟨filename1⟩,⟨filename2⟩,…} - - -# 第二章 用 LATEX 排版文字 - -## 2-1.排版中文 -```tex -\documentclass{ctexart} -\begin{document} -在\LaTeX{}中排版中文。 -汉字和English单词混排,通常不需要在中英文之间添加额外的空格。 -当然,为了代码的可读性,加上汉字和 English 之间的空格也无妨。 -汉字换行时不会引入多余的空格。 -\end{document} -``` -## 2-2.latex中的字符 -1. 空格和分段 - 1. ,空格键和 Tab 键输入的空白字符视为“空格”。连续的若干个空白字符视为一个空格,连续的2个换行会将文字分段 - 2. 多个空行被视为一个空行 -```tex -Several spaces equal one. -Front spaces are ignored. -An empty line starts a new -paragraph.\par -A \verb|\par| command does -the same. -``` -2. 注释 -```tex -This is an % short comment -% --- -% Long and organized -% comments -% --- -example: Comments do not bre% -ak a word. -``` -3. 特殊字符 -*如 % 表示注释,$、^、_ 等用于排版数学公式,& 用于排 -版表格,等等。直接输入这些字符得不到对应的符号,还往往出错* -```tex -in = {\# \$ \% \& \{ \} \_ -\^{} \~{} \textbackslash} - -out = {# $ % & { } _ ^ ~ \} -``` -4. 练字 -```tex -% input -It's difficult to find \ldots\\ -It's dif{}f{}icult to f{}ind \ldots -% output -It’s difficult to find … -It’s difficult to find … -``` - -5. 标点符号 - 1. 引号: -```tex -``Please press the `x' key.'' -``` - 2. 连字号和破折号 -```tex -daughter-in-law, X-rated\\ -pages 13--67\\ -yes---or no? -``` - 3. 省略号:\dots - - -## 2-3.断行和断页 \ No newline at end of file diff --git a/latex/latexLearn.pdf b/latex/latexLearn.pdf deleted file mode 100644 index 43798cf..0000000 Binary files a/latex/latexLearn.pdf and /dev/null differ diff --git "a/leetcode/1.\344\270\244\346\225\260\344\271\213\345\222\214.c" "b/leetcode/1.\344\270\244\346\225\260\344\271\213\345\222\214.c" deleted file mode 100644 index ae0fcdb..0000000 --- "a/leetcode/1.\344\270\244\346\225\260\344\271\213\345\222\214.c" +++ /dev/null @@ -1,17 +0,0 @@ -/* - * @lc app=leetcode.cn id=1 lang=c - * - * [1] 两数之和 - */ - -// @lc code=start - - -/** - * Note: The returned array must be malloced, assume caller calls free(). - */ -int* twoSum(int* nums, int numsSize, int target, int* returnSize){ - -} -// @lc code=end - diff --git a/office/word.md b/office/word.md deleted file mode 100644 index 6417ec9..0000000 --- a/office/word.md +++ /dev/null @@ -1 +0,0 @@ -# 1.常用设置 \ No newline at end of file diff --git a/pictures/IMG_0583.JPG b/pictures/IMG_0583.JPG new file mode 100644 index 0000000..63591db Binary files /dev/null and b/pictures/IMG_0583.JPG differ diff --git "a/pictures/algorithm/Al-13\344\272\224\345\244\247\347\256\227\346\263\225-\345\233\236\346\272\257\347\256\227\346\263\225-01.jpg" "b/pictures/algorithm/Al-13\344\272\224\345\244\247\347\256\227\346\263\225-\345\233\236\346\272\257\347\256\227\346\263\225-01.jpg" new file mode 100644 index 0000000..63591db Binary files /dev/null and "b/pictures/algorithm/Al-13\344\272\224\345\244\247\347\256\227\346\263\225-\345\233\236\346\272\257\347\256\227\346\263\225-01.jpg" differ diff --git a/problems/problems.md b/problems/problems.md index f30d946..81d418e 100644 --- a/problems/problems.md +++ b/problems/problems.md @@ -1193,4 +1193,10 @@ Else If InStr(A_ThisHotkey, "Left") Else If InStr(A_ThisHotkey, "Right") xl.ActiveSheet.Range(addressSelect . ":" . colEnd . rowSelect).Select Return -``` \ No newline at end of file +``` + + + + +# 5.机器人小车选型 +1. \ No newline at end of file