java实现 tf-idf
1、前言
TF-IDF(term frequency–inverse document frequency)是一种用于信息检索与数据挖掘的常用加权技术。TF意思是词频(Term Frequency),IDF意思是逆向文件频率(Inverse Document Frequency)。
TF-IDF是一种统计方法,用以评估一字词对于一个文件集或一个语料库中的其中一份文件的重要程度。字词的重要性随着它在文件中出现的次数成正比增加,但同时会随着它在语料库中出现的频率成反比下降。
TF-IDF加权的各种形式常被搜索引擎应用,作为文件与用户查询之间相关程度的度量或评级。除了TF-IDF以外,因特网上的搜索引擎还会使用基于链接分析的评级方法,以确定文件在搜寻结果中出现的顺序。
2、原理
TFIDF的主要思想是:如果某个词或短语在一篇文章中出现的频率TF高,并且在其他文章中很少出现,则认为此词或者短语具有很好的类别区分能力,适合用来分类。
TFIDF实际上是:TF * IDF,TF词频(Term Frequency),IDF逆向文件频率(Inverse Document Frequency)。
TF表示词条在文档d中出现的频率。
IDF的主要思想是:如果包含词条t的文档越少,也就是n越小,IDF越大,则说明词条t具有很好的类别区分能力
如果某一类文档C中包含词条t的文档数为m,而其它类包含t的文档总数为k,显然所有包含t的文档数n=m+k,当m大的时候,n也大,按照IDF公式得到的IDF的值会小,就说明该词条t类别区分能力不强。
但是实际上,如果一个词条在一个类的文档中频繁出现,则说明该词条能够很好代表这个类的文本的特征,这样的词条应该给它们赋予较高的权重,并选来作为该类文本的特征词以区别与其它类文档。这就是IDF的不足之处
3、公式
TF公式:
以上式子中 是该词在文件中的出现次数,而分母则是在文件中所有字词的出现次数之和。
IDF公式:
|D|: 语料库中的文件总数
: 包含词语的文件数目(即的文件数目)如果该词语不在语料库中,就会导致被除数为零,因此一般情况下使用
然后
4、java实现
import org.apache.solr.client.solrj.SolrClient;
import org.apache.solr.client.solrj.SolrQuery;
import org.apache.solr.client.solrj.SolrServerException;
import org.apache.solr.client.solrj.impl.HttpSolrClient;
import org.apache.solr.client.solrj.request.AbstractUpdateRequest;
import org.apache.solr.client.solrj.request.ContentStreamUpdateRequest;
import org.apache.solr.client.solrj.response.QueryResponse;
import org.apache.solr.client.solrj.response.UpdateResponse;
import org.apache.solr.common.SolrDocument;
import org.apache.solr.common.SolrDocumentList;
import org.apache.solr.common.SolrInputDocument; import java.io.File;
import java.io.IOException;
import java.text.SimpleDateFormat;
import java.util.*; /**
* @Author:sks
* @Description:根据tfidf理论计算,是一种用于信息检索与数据挖掘的常用加权技术。
* TF意思是词频(Term Frequency),
* IDF意思是逆向文件频率(Inverse Document Frequency)。
* @Date:Created in 9:30 2018/1/10
* @Modified by:
**/
public class tfidf { private static SolrClient solr; //单个文档中所有分词出现次数总和
private static int singleDocTotalCount = 0; //统计在单一文章中出现次数大于某个数的关键字,默认是3
private static int KEYWORD_MIN_COUNT_IN_SINGLE_DOC = 3; public static void main(String[] args) throws SolrServerException,IOException { List<String> excludeInfo = new ArrayList<String>();
excludeInfo.add("WORD模版");
excludeInfo.add("Page"); String urlString = "http://localhost:8983/solr/test";
String path = "D:/work/Solr/ImportData"; Init(urlString);
// indexFilesSolrCell(path,excludeInfo);
// try {
// Thread.sleep(3000);
// } catch (InterruptedException e) {
// e.printStackTrace();
// }
// //资料库中文档总数
int docmentTotalCount = (int)getDocTotalCount();
// setIdf(docmentTotalCount);
//获取重要关键字
getImportanceKeywords(docmentTotalCount);
} /**
* @Author:sks
* @Description:初始化solr客户端
* @Date:
*/
public static void Init(String urlString){ solr = new HttpSolrClient.Builder(urlString).build();
} /**
* @Author:sks
* @Description:获取文档总数
* @Date:
*/
private static long getDocTotalCount() throws SolrServerException,IOException{
long num = 0;
try {
SolrQuery params = new SolrQuery();
params.set("q", "*:*");
//params.setQuery("*:*");
QueryResponse rsp = solr.query(params);
SolrDocumentList docs = rsp.getResults();
num = docs.getNumFound();
} catch (SolrServerException e) {
e.printStackTrace();
}
return num;
} /**
* @Author:sks
* @Description:索引文件夹fileDirectory(不包含子文件夹)下的所有文件,
* @Date:
*/
private static void indexFilesSolrCell(String fileDirectory,List<String> excludeInfo) throws IOException, SolrServerException{
File file = new File(fileDirectory);
File[] files = file.listFiles();
for(File f :files){
singleDocTotalCount = 0;
indexFilesSolrCell(f.getName(),f.toString(),excludeInfo);
}
} /**
* @Author:sks
* @Description:索引文件,
* @Date:
* @fileName:文件名
* @path:文件路径(包含文件名)
*/
private static void indexFilesSolrCell(String fileName, String path,List<String> excludeInfo)
throws IOException, SolrServerException
{ ContentStreamUpdateRequest up = new ContentStreamUpdateRequest("/update/extract");
String contentType = getFileContentType(fileName);
up.addFile(new File(path), contentType);
String fileType = fileName.substring(fileName.lastIndexOf(".")+1);
up.setParam("literal.id", fileName); up.setParam("literal.path", path);//文件路径
up.setParam("fmap.content", "attr_content");//文件内容
up.setAction(AbstractUpdateRequest.ACTION.COMMIT, true, true);
solr.request(up); String txt = getTextById(fileName,"attr_content",excludeInfo);
if(txt.length()==0)
{
System.out.println("文件"+fileName+"索引失败");
return;
} delIndexByID(fileName); Map<String, String> temp = new HashMap<String, String>(); temp.put("id",fileName);//文档id,用文件名作为ID
temp.put("text",txt);//文件文本
temp.put("fileType",fileType);//文件类型
temp.put("fileloadDate",GetCurrentDate());//上传日期 //统计出现次数大于等于3的关键字
String keywords = getTopKeywords(KEYWORD_MIN_COUNT_IN_SINGLE_DOC,txt);
temp.put("wordCount",keywords); //统计出现次数大于等于3的关键字频率
String tf =getTopKeywordsFrequency(KEYWORD_MIN_COUNT_IN_SINGLE_DOC,txt);
temp.put("tf",tf); updateMultiFieldData(temp);
} /**
* @Author:sks
* @Description:根据id,获取字段field对应的数据
* @Date:
*/
private static String getTextById(String id,String field,List<String> excludeInfo) throws SolrServerException,IOException {
//使用这个对象做查询
SolrQuery params = new SolrQuery();
//查询所有数据
params.setQuery("id:"+id);
params.setFields(field);
QueryResponse queryResponse = solr.query(params);
//拿到数据集合,返回查询结果
List<SolrDocument> list = queryResponse.getResults(); String txt = "";
for(SolrDocument solrDocument :list){
if (solrDocument.size() >0){
txt = solrDocument.get(field).toString();
break;
}
} txt = txt.replace(" ","");
String[] txts = txt.split("\n");
StringBuilder sb = new StringBuilder(); boolean bcontinue = false;
for(String t:txts){
if(t.length()==0){
continue;
}
bcontinue = false;
for(String m:excludeInfo) {
if(t.indexOf(m)>-1)
{
bcontinue = true;
break;
}
}
if(bcontinue){
continue;
}
sb.append(t);
sb.append("\n");
}
return sb.toString();
} /**
* @Author:sks
* @Description:获取文本中出现次数较高的关键字
* @Date:
* @keywordCount:出现的次数
* @txt:文本信息
*/
private static String getTopKeywords(int keywordCount,String txt) throws SolrServerException,IOException{
Map<String, Integer> totalMap = getAllWordsFromText(txt);
List<Map.Entry<String,Integer>> result = GetTopvalues(totalMap,keywordCount);
String keywords= "";
StringBuilder sb = new StringBuilder();
for (Map.Entry<String,Integer> lt : result) {
sb.append(lt.getKey());
sb.append(":");
sb.append(lt.getValue());
sb.append(","); }
keywords = sb.toString();
if(result.size()>1){
keywords = keywords.substring(0,keywords.length()-1);
}
return keywords;
} /**
* @Author:sks
* @Description:获取文本中出现次数较高的关键字及其词频
* @Date:
* @keywordCount:出现的次数
* @txt:文本信息
*/
private static String getTopKeywordsFrequency(int keywordCount,String txt) throws SolrServerException,IOException{
Map<String, Integer> totalMap = getAllWordsFromText(txt);
List<Map.Entry<String,Integer>> result = GetTopvalues(totalMap,keywordCount); StringBuilder sb = new StringBuilder();
for (Map.Entry<String,Integer> lt : result) {
sb.append(lt.getKey());
sb.append(":");
float value = (float)lt.getValue()/singleDocTotalCount ;
sb.append(String.format("%.8f",value));
sb.append(",");
}
String keywords = sb.toString();
if(result.size()>1){
keywords = keywords.substring(0,keywords.length()-1);
}
return keywords; } /**
* @Author:sks
* @Description:更新多个字段数据,
* @Date:
* @maps:字段名和值键值对
*/
private static void updateMultiFieldData( Map<String, String> maps) throws IOException, SolrServerException{ Set<String> keys = maps.keySet();
SolrInputDocument doc = new SolrInputDocument();
for (String key:keys){
doc.addField(key,maps.get(key)); }
solr.add(doc);
UpdateResponse rspCommit = solr.commit();
System.out.println("commit doc to index" + " result:" + rspCommit.getStatus() + " Qtime:" + rspCommit.getQTime());
}
/**
* @Author:sks
* @Description:把字符串分词,统计分词的重复次数,把分词和次数存在键值对里面
* @Date:
*/
private static Map<String, Integer> getAllWordsFromText(String txt) throws SolrServerException, IOException {
List<String> wlist = new ArrayList();
//由于文本太长,不能进行分词,所以要把文本拆分开分别进行分词,每500长度的文本作为一组进行分词
int l = txt.length();
if(txt.length()>500) {
String[] txts = txt.split("\n");
String words = "";
for (int i = 0; i < txts.length; i++) {
if (words.length() < 500)
{
words += txts[i] + "。";
}
else
{
wlist.add(words);
words = txts[i] + "。";
}
} wlist.add(words);
}
else
{
wlist.add(txt);
} int count = 0;
Map<String, Integer> rawMap = null;
List<String> results = null;
Set<String> keys = null;
Map<String, Integer> totalMap = new HashMap<String, Integer>();
NewsSummary obj = new NewsSummary(); for(String txtline :wlist) {
if (txtline != null && txtline.length()>0) {
results = obj.IKSegment(txtline);
// results = getAnalysis(txtline);
rawMap = getWordsCount(results);
keys = rawMap.keySet();
for (String key : keys)
{
singleDocTotalCount++;
count = rawMap.get(key);
if(totalMap.containsKey(key))
{
count += totalMap.get(key);
totalMap.remove(key);
}
else
{
totalMap.put(key,count);
}
}
}
}
return totalMap;
} /**
* @Author:sks
* @Description:把列表中的数据存储在键值对里面,重复次数累加
* @Date:
*/
private static Map<String, Integer> getWordsCount(List<String> txts) throws SolrServerException, IOException {
Map<String, Integer> resultMap = new HashMap<String, Integer>();
int count = 1;
for(int i = 0;i<txts.size();i++){
String key = txts.get(i) ;
if(key.length()>1) {
count = 1;
if (resultMap.containsKey(key)) {
count += resultMap.get(key);
}
resultMap.remove(key);
resultMap.put(key, count);
}
} return resultMap;
}
/**
* @Author:sks
* @Description:给map按照值降序排序,并取值大于topValue的键值对返回
* @Date:
*/
private static List<Map.Entry<String,Integer>> GetTopvalues(Map<String, Integer> hm,Integer topValue) throws SolrServerException, IOException {
Map<String, Integer> temp = new HashMap<String, Integer>();
Set<String> keys = hm.keySet();
int value = 0;
for(String key :keys)
{
value = hm.get(key);
if (value >= topValue) {
temp.put(key,value);
}
}
//这里将map.entrySet()转换成list
List<Map.Entry<String,Integer>> list = new ArrayList<Map.Entry<String,Integer>>(temp.entrySet());
//然后通过比较器来实现排序
Collections.sort(list,new Comparator<Map.Entry<String,Integer>>() {
//降序排序
public int compare(Map.Entry<String, Integer> o1,
Map.Entry<String, Integer> o2) {
return o2.getValue().compareTo(o1.getValue());
}
}); return list;
}
/**
* @Author:sks
* @Description:根据文件名获取文件的ContentType类型
* @Date:
*/
public static String getFileContentType(String filename) {
String contentType = "";
String prefix = filename.substring(filename.lastIndexOf(".") + 1);
if (prefix.equals("xlsx")) {
contentType = "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet";
} else if (prefix.equals("pdf")) {
contentType = "application/pdf";
} else if (prefix.equals("doc")) {
contentType = "application/msword";
} else if (prefix.equals("txt")) {
contentType = "text/plain";
} else if (prefix.equals("xls")) {
contentType = "application/vnd.ms-excel";
} else if (prefix.equals("docx")) {
contentType = "application/vnd.openxmlformats-officedocument.wordprocessingml.document";
} else if (prefix.equals("ppt")) {
contentType = "application/vnd.ms-powerpoint";
} else if (prefix.equals("pptx")) {
contentType = "application/vnd.openxmlformats-officedocument.presentationml.presentation";
} else {
contentType = "othertype";
} return contentType;
} /**
* @Author:sks
* @Description:删除指定ID的索引
* @Date:
* @id:索引ID
*/
public static void delIndexByID(String id) throws SolrServerException, IOException{ UpdateResponse ur = solr.deleteById(id);
System.out.println(ur);
UpdateResponse c = solr.commit();
System.out.println(c);
} /**
* @Author:sks
* @Description:设置idf
* @Date:
* @docmentTotalCount:资料库中文档总数
*/
private static void setIdf(int docmentTotalCount) throws SolrServerException,IOException {
Map<String, String> map = getidKeywordTFMap(docmentTotalCount);
Set<String> keys = map.keySet();
String[] words = null;
String word = "";
double tf = 0;
double idf = 0; StringBuilder sbtfidf = null;
StringBuilder sbidf = null;
String singleword = "";
// region
for(String key:keys){
word = map.get(key);
//去掉开头的[和结尾的]符合
word = word.substring(1,word.length()-2);
words = word.split(",");
sbtfidf = new StringBuilder();
sbidf = new StringBuilder(); for(String w :words)
{
System.out.println(w);
tf = Float.parseFloat(w.split(":")[1]);
singleword = w.split(":")[0];
idf = getwordIdf(singleword,docmentTotalCount);
sbidf.append(singleword);
sbidf.append(":");
sbidf.append(getwordindocCount(singleword,docmentTotalCount));
sbidf.append(","); sbtfidf.append(singleword);
sbtfidf.append(";"); sbtfidf.append(String .format("%.12f",tf*idf));
sbtfidf.append(",");
}
// endregion
updateSingleData(key,"wordinDocCount",sbidf.toString());
updateSingleData(key,"tfIdf",sbtfidf.toString());
}
} /**
* @Author:sks
* @Description:获取ID和keyword键值对
* @Date:
*/
private static Map<String, String> getidKeywordTFMap(int docmentTotalCount) throws SolrServerException,IOException {
//使用这个对象做查询
SolrQuery params = new SolrQuery();
//查询所有数据
params.setQuery("*:*");
// params.setQuery("id:5.15%2B袁纯子、王英%2B路透社报告:欧洲七大公共媒体数字化转型进路 (1).docx");
// params.set("q", "*:*");
params.setFields("id,tf");
params.setStart(0);
params.setRows(docmentTotalCount); QueryResponse rsp = solr.query(params);
// SolrDocumentList docs = rsp.getResults();
List<SolrDocument> list = rsp.getResults(); Map<String, String> idkeywordMap = new HashMap<String, String>();
String result = "";
String id = "";
//循环打印数据集合
for (SolrDocument sd : list) {
if(sd.size()>1) {
idkeywordMap.put(sd.get("id").toString(), sd.get("tf").toString());
}
}
return idkeywordMap;
} /**
* @Author:sks
* @Description:获取关键字的idf(inverse docment frequency) = log(文件总数/包含关键字的文件数)
* @Date:
* @word:关键字
* @docmentTotalCount:资料库中文档总数
*/
private static double getwordIdf(String word,int docmentTotalCount) throws SolrServerException,IOException {
int count = getwordindocCount(word,docmentTotalCount);
double idf = 0 ;
if (count>0) {
idf = Math.log((double) docmentTotalCount / count);
}
return idf;
} /**
* @Author:sks
* @Description:获取单词所在文档的个数
* @Date:
* @word:关键字
* @docmentTotalCount:资料库中文档总数
*/
private static int getwordindocCount(String word,int docmentTotalCount) throws SolrServerException,IOException {
//使用这个对象做查询
SolrQuery params = new SolrQuery();
//查询所有数据
// params.setQuery("*:*"); params.setQuery("text:"+word);
params.setFields("freq:termfreq(text,'"+word+"')");
//分页,默认是分页从0开始,每页显示10行
params.setStart(0);
params.setRows(docmentTotalCount);
QueryResponse queryResponse = solr.query(params);
//拿到数据集合,返回查询结果
List<SolrDocument> list = queryResponse.getResults();
int count = 0;
//循环打印数据集合
for (SolrDocument solrDocument : list) {
if(solrDocument.get("freq").toString()!="0"){
count++;
}
}
return count;
} /**
* @Author:sks
* @Description:更新索引中单个属性数据
* @Date:
* @id:索引ID
* @fieldName:属性名称
* @fieldValue:属性值
*/
public static void updateSingleData(String id,String fieldName,Object fieldValue) throws SolrServerException,IOException{ Map<String, Object> oper = new HashMap<String, Object>();
oper.put("set", fieldValue);
SolrInputDocument doc = new SolrInputDocument();
doc.addField("id", id);
doc.addField(fieldName, oper);
UpdateResponse rsp = solr.add(doc);
System.out.println("update doc id:" + id + " result:" + rsp.getStatus() + " Qtime:" + rsp.getQTime());
UpdateResponse rspCommit = solr.commit();
System.out.println("commit doc to index" + " result:" + rspCommit.getStatus() + " Qtime:" + rspCommit.getQTime()); } /**
* @Author:sks
* @Description:根据tf-idf 原理 获取资料库中重要关键字,
* @Date:
*/
private static void getImportanceKeywords(int docmentTotalCount) throws SolrServerException,IOException {
Map<String, String> map = getidKeywordTFMap(docmentTotalCount);
Set<String> keys = map.keySet();
String[] words = null;
String word = "";
double tf = 0;
double idf = 0;
double tfidf = 0;
String singleword = "";
Map<String, Double> keywordidfMap = new HashMap<String, Double>();
// region
for(String key:keys){
word = map.get(key);
//去掉开头的[和结尾的]符合
word = word.substring(1,word.length()-2);
words = word.split(",");
for(String w :words)
{ tf = Float.parseFloat(w.split(":")[1]);
singleword = w.split(":")[0];
idf = getwordIdf(singleword,docmentTotalCount);
tfidf = tf * idf ;
if(keywordidfMap.containsKey(singleword))
{
if(keywordidfMap.get(singleword)>tfidf)
{
keywordidfMap.remove(singleword);
keywordidfMap.put(singleword,tfidf);
}
}
else {
keywordidfMap.put(singleword,tfidf);
}
}
}
List<Map.Entry<String, Double>> sortedSentList = new ArrayList<Map.Entry<String,Double>>(keywordidfMap.entrySet());//按得分从高到底排序好的句子,句子编号与得分
//System.setProperty("java.util.Arrays.useLegacyMergeSort", "true");
Collections.sort(sortedSentList, new Comparator<Map.Entry<String, Double>>(){
// @Override
public int compare(Map.Entry<String, Double> o1, Map.Entry<String, Double> o2) {
return o2.getValue() == o1.getValue() ? 0 :
(o2.getValue() > o1.getValue() ? 1 : -1);
} });
for(Map.Entry<String, Double> entry:sortedSentList) {
System.out.println(entry.getKey() + ":" + entry.getValue());
}
} /**
* @Author:sks
* @Description:获取系统当天日期yyyy-mm-dd
* @Date:
*/
private static String GetCurrentDate() throws SolrServerException,IOException {
Date dt = new Date();
//最后的aa表示“上午”或“下午” HH表示24小时制 如果换成hh表示12小时制
// SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss aa");
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
String day =sdf.format(dt);
return day;
}
}
java实现 tf-idf的更多相关文章
- 25.TF&IDF算法以及向量空间模型算法
主要知识点: boolean model IF/IDF vector space model 一.boolean model 在es做各种搜索进行打分排序时,会先用boolean mo ...
- TF/IDF(term frequency/inverse document frequency)
TF/IDF(term frequency/inverse document frequency) 的概念被公认为信息检索中最重要的发明. 一. TF/IDF描述单个term与特定document的相 ...
- 基于TF/IDF的聚类算法原理
一.TF/IDF描述单个term与特定document的相关性TF(Term Frequency): 表示一个term与某个document的相关性. 公式为这个term在document中出 ...
- 使用solr的函数查询,并获取tf*idf值
1. 使用函数df(field,keyword) 和idf(field,keyword). http://118.85.207.11:11100/solr/mobile/select?q={!func ...
- TF/IDF计算方法
FROM:http://blog.csdn.net/pennyliang/article/details/1231028 我们已经谈过了如何自动下载网页.如何建立索引.如何衡量网页的质量(Page R ...
- tf–idf算法解释及其python代码实现(下)
tf–idf算法python代码实现 这是我写的一个tf-idf的简单实现的代码,我们知道tfidf=tf*idf,所以可以分别计算tf和idf值在相乘,首先我们创建一个简单的语料库,作为例子,只有四 ...
- tf–idf算法解释及其python代码实现(上)
tf–idf算法解释 tf–idf, 是term frequency–inverse document frequency的缩写,它通常用来衡量一个词对在一个语料库中对它所在的文档有多重要,常用在信息 ...
- 文本分类学习(三) 特征权重(TF/IDF)和特征提取
上一篇中,主要说的就是词袋模型.回顾一下,在进行文本分类之前,我们需要把待分类文本先用词袋模型进行文本表示.首先是将训练集中的所有单词经过去停用词之后组合成一个词袋,或者叫做字典,实际上一个维度很大的 ...
- 信息检索中的TF/IDF概念与算法的解释
https://blog.csdn.net/class_brick/article/details/79135909 概念 TF-IDF(term frequency–inverse document ...
- Elasticsearch学习之相关度评分TF&IDF
relevance score算法,简单来说,就是计算出,一个索引中的文本,与搜索文本,他们之间的关联匹配程度 Elasticsearch使用的是 term frequency/inverse doc ...
随机推荐
- redis之(二十)redis的总结一
1 什么是Redis Redis(REmote DIctionary Server,远程数据字典服务器)是开源的内存数据库,常用作缓存或者消息队列. Redis的特点: Redis存在于内存,使用硬盘 ...
- mysql中json数据的拼接方式
SELECT CONCAT('[', GROUP_CONCAT( CONCAT('{"id":"',STRUCTURE_ID,'"'),',', CONCAT( ...
- CentOS7.5安装notepadqq
这个notepadqq就是linux版本的notepad了 1.添加yum源 sudo wget -O /etc/yum.repos.d/sea-devel.repo http://sea.fedor ...
- 解决Mysql 服务无法启动 服务没有报告任何错误
MySQL数据库在升级到5.7版本后,和之前的版本有些不一样,没有data文件夹,我们都知道MySQL数据库文件是保存在data文件夹中的,网上有人说把5.6版本的data文件夹拷贝一个,这种说法听听 ...
- oracle 自己改了 spfile 导致起不来
oracle pfile 出错 今天在升级 oracle 内存的时候参数调错了,导致 oracle 起不来, 情急之下用 vim 修改了 spfile 文件,结果由于该文件是二进制的,不能直接修改,所 ...
- 验收测试与UI
CRS 如果功能复杂的情况下,是不是先写验收测试,然后写单元测试,最后写代码? STST 是的 从高往低走,无论是分析,还是测试,还是开发 从高往低走,带来的是干净无累赘的,底层依赖高层的优雅的结果 ...
- 关于std::ios::sync_with_stdio(false)
std::ios::sync_with_stdio(false); 很多C++的初学者可能会被这个问题困扰,经常出现程序无故超时,最终发现问题处在cin和cout上,(甚至有些老oier也会被这个问题 ...
- Python3 文件操作基本语法
对文件操作流程 打开文件,得到文件句柄并赋值给一个变量 通过句柄对文件进行操作 关闭文件 f = open('lyrics') #打开文件 first_line = f.readline() prin ...
- 【SQL】将特定的元素按照自己所需的位置排序
Oracle中,平时我们排序常用“Order by 列名” 的方式来排序,但是有的时候我们希望这个列中的某些元素排在前面或者后面或者中间的某个位置. 这时我们可以使用Order by case whe ...
- ubuntu问题集锦
我使用的是ubuntu 14.04 用UltraIOS 制作镜像安装的 ubuntu 问题1:闪屏问题以及文字显示不全 解决方案:重装显卡驱动 解决过程:http://my.oschina.net/ ...