项目笔记《DeepLung:Deep 3D Dual Path Nets for Automated Pulmonary Nodule Detection and Classification》(三)(下)结果评估
在(上)中讲了如何得到csv文件并调用noduleCADEvaluationLUNA16.py求取froc值,这里就讲一讲froc值是如何求取的。
annotations_filename = './annotations/annotations.csv'
annotations_excluded_filename = './annotations/annotations_excluded.csv'
seriesuids_filename = './annotations/seriesuids.csv'
results_filename = './annotations/3DRes18FasterR-CNN.csv'#3D Faster R-CNN - Res18.csv' #top5.csv'#
seriesuids_path = '/home/ustc/lclin/code/DeepLung/evaluationScript/series_uid9.csv'
results_path = "/home/ustc/lclin/code/DeepLung/detector/results/wzy_res18/retrft969/val120/predanno-0.125pbb.csv"
noduleCADEvaluation(annotations_filename,annotations_excluded_filename,seriesuids_path,results_path,'./')
如上面代码所示,输入标签文件,结果文件,调用noduleCADEvaluation函数即可,任务完成,十分简单。
接下来看一下这个函数。
def noduleCADEvaluation(annotations_filename,annotations_excluded_filename,seriesuids_filename,results_filename,outputDir):
'''
function to load annotations and evaluate a CAD algorithm
@param annotations_filename: list of annotations
@param annotations_excluded_filename: list of annotations that are excluded from analysis
@param seriesuids_filename: list of CT images in seriesuids
@param results_filename: list of CAD marks with probabilities
@param outputDir: output directory
''' print annotations_filename (allNodules, seriesUIDs) = collect(annotations_filename, annotations_excluded_filename, seriesuids_filename) #根据标签和用户id,求出所有结节,所有用户 evaluateCAD(seriesUIDs, results_filename, outputDir, allNodules, #根据结节,用户,结果文件,输出froc值
os.path.splitext(os.path.basename(results_filename))[0],
maxNumberOfCADMarks=100, performBootstrapping=bPerformBootstrapping,
numberOfBootstrapSamples=bNumberOfBootstrapSamples, confidence=bConfidence)
这个函数调用了两个函数collect和evaluateCAD。先从collect开始看。
def collect(annotations_filename,annotations_excluded_filename,seriesuids_filename):
annotations = csvTools.readCSV(annotations_filename)
annotations_excluded = csvTools.readCSV(annotations_excluded_filename)
seriesUIDs_csv = csvTools.readCSV(seriesuids_filename) seriesUIDs = [] #建立一个用户列表,将用户id添加进去
for seriesUID in seriesUIDs_csv:
seriesUIDs.append(seriesUID[0]) #seriesUID也是一个列表,只不过只有一个元素 allNodules = collectNoduleAnnotations(annotations, annotations_excluded, seriesUIDs) return (allNodules, seriesUIDs)
该函数又调用了另一个函数collectNoduleAnnotations。
def collectNoduleAnnotations(annotations, annotations_excluded, seriesUIDs):
allNodules = {} #将所有结节存储在字典中
noduleCount = 0
noduleCountTotal = 0 for seriesuid in seriesUIDs:
# print 'adding nodule annotations: ' + seriesuid nodules = []
numberOfIncludedNodules = 0 #对真正用来检测的结节计数 # add included findings
header = annotations[0]
for annotation in annotations[1:]:
nodule_seriesuid = annotation[header.index(seriesuid_label)] if seriesuid == nodule_seriesuid: #将结节所属的用户id与要建立字典索引的id比较,若相同,就获取它
nodule = getNodule(annotation, header, state = "Included")
nodules.append(nodule)
numberOfIncludedNodules += 1 # add excluded findings
header = annotations_excluded[0]
for annotation in annotations_excluded[1:]:
nodule_seriesuid = annotation[header.index(seriesuid_label)] if seriesuid == nodule_seriesuid: #对无关结节也执行上面的操作,不同的是不对include计数
nodule = getNodule(annotation, header, state = "Excluded")
nodules.append(nodule) allNodules[seriesuid] = nodules
noduleCount += numberOfIncludedNodules
noduleCountTotal += len(nodules) print 'Total number of included nodule annotations: ' + str(noduleCount)
print 'Total number of nodule annotations: ' + str(noduleCountTotal)
return allNodules
这段代码比较简单,其中有一个获取结节的函数getNodule,需要看一下
def getNodule(annotation, header, state = ""):
nodule = NoduleFinding()
nodule.coordX = annotation[header.index(coordX_label)] #依次将x,y,z添加到nodule对象的属性中
nodule.coordY = annotation[header.index(coordY_label)]
nodule.coordZ = annotation[header.index(coordZ_label)] if diameter_mm_label in header: #检查有无直径标签,有则添加
nodule.diameter_mm = annotation[header.index(diameter_mm_label)] if CADProbability_label in header: #检查有无概率标签,有则添加
nodule.CADprobability = annotation[header.index(CADProbability_label)] if not state == "":
nodule.state = state return nodule
这里又又出现一个函数,准确地说是类,NoduleFinding(),这个类存在于nodulefinding.py模块,也是在evaluationScript这个文件夹中。
一起来欣赏下这个类,一目了然,而且这个模块也只有这段代码。
class NoduleFinding(object):
'''
Represents a nodule
''' def __init__(self, noduleid=None, coordX=None, coordY=None, coordZ=None, coordType="World",
CADprobability=None, noduleType=None, diameter=None, state=None, seriesInstanceUID=None): # set the variables and convert them to the correct type
self.id = noduleid
self.coordX = coordX
self.coordY = coordY
self.coordZ = coordZ
self.coordType = coordType
self.CADprobability = CADprobability
self.noduleType = noduleType
self.diameter_mm = diameter
self.state = state
self.candidateID = None
self.seriesuid = seriesInstanceUID
另外,大家可能会奇怪,xxx_label都是些什么,这些在文件noduleCADEvaluationLUNA16.py中都有定义,如下,看一下标签文件就明白了。
seriesuid_label = 'seriesuid'
coordX_label = 'coordX'
coordY_label = 'coordY'
coordZ_label = 'coordZ'
diameter_mm_label = 'diameter_mm'
CADProbability_label = 'probability'
最后,回到起点,看看froc究竟是如何计算的,有请evaluateCAD函数,这段代码超级长。
def evaluateCAD(seriesUIDs, results_filename, outputDir, allNodules, CADSystemName, maxNumberOfCADMarks=-1,#输入病人id,检测结果,评估结果的输出目录,所有标签结节,
performBootstrapping=True,numberOfBootstrapSamples=1000,confidence = 0.95): #检测系统的名字,其余参数与自助采样有关,不太懂
'''
function to evaluate a CAD algorithm
@param seriesUIDs: list of the seriesUIDs of the cases to be processed
@param results_filename: file with results
@param outputDir: output directory
@param allNodules: dictionary with all nodule annotations of all cases, keys of the dictionary are the seriesuids
@param CADSystemName: name of the CAD system, to be used in filenames and on FROC curve
''' nodOutputfile = open(os.path.join(outputDir,'CADAnalysis.txt'),'w') #写入CADAnalysis文件
nodOutputfile.write("\n")
nodOutputfile.write((60 * "*") + "\n")
nodOutputfile.write("CAD Analysis: %s\n" % CADSystemName)
nodOutputfile.write((60 * "*") + "\n")
nodOutputfile.write("\n") results = csvTools.readCSV(results_filename)#读取检测结果csv格式,seriesuid,coordX,coordY,coordZ,probability allCandsCAD = {} for seriesuid in seriesUIDs: #对每个病例读取相应的候选结节 # collect candidates from result file
nodules = {} #从检测结果文件中获取与病例对应的候选结节,添加进字典
header = results[0] i = 0
for result in results[1:]:
nodule_seriesuid = result[header.index(seriesuid_label)] if seriesuid == nodule_seriesuid:
nodule = getNodule(result, header)
nodule.candidateID = i
nodules[nodule.candidateID] = nodule
i += 1 if (maxNumberOfCADMarks > 0):
# number of CAD marks, only keep must suspicous marks if len(nodules.keys()) > maxNumberOfCADMarks:
# make a list of all probabilities
probs = []
for keytemp, noduletemp in nodules.iteritems():
probs.append(float(noduletemp.CADprobability))
probs.sort(reverse=True) # sort from large to small
probThreshold = probs[maxNumberOfCADMarks]
nodules2 = {}
nrNodules2 = 0
for keytemp, noduletemp in nodules.iteritems():
if nrNodules2 >= maxNumberOfCADMarks:
break
if float(noduletemp.CADprobability) > probThreshold:
nodules2[keytemp] = noduletemp
nrNodules2 += 1 nodules = nodules2 # print 'adding candidates: ' + seriesuid
allCandsCAD[seriesuid] = nodules #将病例与对应候选结节存入字典 # open output files
nodNoCandFile = open(os.path.join(outputDir, "nodulesWithoutCandidate_%s.txt" % CADSystemName), 'w') # --- iterate over all cases (seriesUIDs) and determine how
# often a nodule annotation is not covered by a candidate # initialize some variables to be used in the loop
candTPs = 0 #这里是一堆定义,让人头大
candFPs = 0
candFNs = 0
candTNs = 0
totalNumberOfCands = 0 #总候选结节数,也就是你的检测结果文件中的所有结节数量
totalNumberOfNodules = 0 #总标签结节数
doubleCandidatesIgnored = 0
irrelevantCandidates = 0
minProbValue = -1000000000.0 # minimum value of a float
FROCGTList = []
FROCProbList = []
FPDivisorList = []
excludeList = []
FROCtoNoduleMap = []
ignoredCADMarksList = [] # -- loop over the cases
for seriesuid in seriesUIDs:
# get the candidates for this case
try:
candidates = allCandsCAD[seriesuid]
except KeyError:
candidates = {} # add to the total number of candidates
totalNumberOfCands += len(candidates.keys()) # make a copy in which items will be deleted
candidates2 = candidates.copy() #对候选结节复制一个副本 # get the nodule annotations on this case
try:
noduleAnnots = allNodules[seriesuid] #获取所有结节中属于该病例的结节(既包括真的结节,也包括无关的结节)
except KeyError:
noduleAnnots = [] # - loop over the nodule annotations
for noduleAnnot in noduleAnnots: #对标签结节循环处理
# increment the number of nodules
if noduleAnnot.state == "Included": #如果是用来评测的真结节,则
totalNumberOfNodules += 1 x = float(noduleAnnot.coordX) #获取结节坐标
y = float(noduleAnnot.coordY)
z = float(noduleAnnot.coordZ) # 2. Check if the nodule annotation is covered by a candidate
# A nodule is marked as detected when the center of mass of the candidate is within a distance R of
# the center of the nodule. In order to ensure that the CAD mark is displayed within the nodule on the
# CT scan, we set R to be the radius of the nodule size.
diameter = float(noduleAnnot.diameter_mm)
if diameter < 0.0:
diameter = 10.0
radiusSquared = pow((diameter / 2.0), 2.0) found = False
noduleMatches = []
for key, candidate in candidates.iteritems(): #对每一个候选结节,判断是否与真实结节相交
x2 = float(candidate.coordX)
y2 = float(candidate.coordY)
z2 = float(candidate.coordZ)
dist = math.pow(x - x2, 2.) + math.pow(y - y2, 2.) + math.pow(z - z2, 2.)
if dist < radiusSquared: #判断是否在半径距离内
if (noduleAnnot.state == "Included"): #若是用来检测的结节,添加进noduleMatches,并删除该候选结节
found = True
noduleMatches.append(candidate)
if key not in candidates2.keys():#这里不复杂,就是说把每个与标签结节相交的候选结节提取出来后,要删除副本中的id,这样是检测会否有其它标签结节也与该结节所属的候选结节相交
print "This is strange: CAD mark %s detected two nodules! Check for overlapping nodule annotations, SeriesUID: %s, nodule Annot ID: %s" % (str(candidate.id), seriesuid, str(noduleAnnot.id))
else:
del candidates2[key]
elif (noduleAnnot.state == "Excluded"): # an excluded nodule #若是无关结节,则添加进ignoredCADMarksList
if bOtherNodulesAsIrrelevant: # delete marks on excluded nodules so they don't count as false positives
if key in candidates2.keys():
irrelevantCandidates += 1
ignoredCADMarksList.append("%s,%s,%s,%s,%s,%s,%.9f" % (seriesuid, -1, candidate.coordX, candidate.coordY, candidate.coordZ, str(candidate.id), float(candidate.CADprobability)))
del candidates2[key]
if len(noduleMatches) > 1: # double detection #如果一个标签结节对应多个候选结节,记录下数目
doubleCandidatesIgnored += (len(noduleMatches) - 1)
if noduleAnnot.state == "Included": #若该结节是include结节
# only include it for FROC analysis if it is included
# otherwise, the candidate will not be counted as FP, but ignored in the
# analysis since it has been deleted from the nodules2 vector of candidates
if found == True: #若找到与之匹配的候选结节
# append the sample with the highest probability for the FROC analysis
maxProb = None
for idx in range(len(noduleMatches)):
candidate = noduleMatches[idx]
if (maxProb is None) or (float(candidate.CADprobability) > maxProb):
maxProb = float(candidate.CADprobability) #记录匹配的候选结节的概率,将最大概率存入maxProb FROCGTList.append(1.0) #添加 1
FROCProbList.append(float(maxProb)) #添加刚刚的最大概率
FPDivisorList.append(seriesuid) #添加病例id
excludeList.append(False) #添加False
FROCtoNoduleMap.append("%s,%s,%s,%s,%s,%.9f,%s,%.9f" % (seriesuid, noduleAnnot.id, noduleAnnot.coordX, noduleAnnot.coordY, noduleAnnot.coordZ, float(noduleAnnot.diameter_mm), str(candidate.id), float(candidate.CADprobability)))
candTPs += 1 #添加1
else: #若未找到与之匹配的结节
candFNs += 1
# append a positive sample with the lowest probability, such that this is added in the FROC analysis
FROCGTList.append(1.0)
FROCProbList.append(minProbValue)
FPDivisorList.append(seriesuid)
excludeList.append(True)
FROCtoNoduleMap.append("%s,%s,%s,%s,%s,%.9f,%s,%s" % (seriesuid, noduleAnnot.id, noduleAnnot.coordX, noduleAnnot.coordY, noduleAnnot.coordZ, float(noduleAnnot.diameter_mm), int(-1), "NA"))
nodNoCandFile.write("%s,%s,%s,%s,%s,%.9f,%s\n" % (seriesuid, noduleAnnot.id, noduleAnnot.coordX, noduleAnnot.coordY, noduleAnnot.coordZ, float(noduleAnnot.diameter_mm), str(-1))) # add all false positives to the vectors
for key, candidate3 in candidates2.iteritems(): #此时candidata2中都是无人领取的结节,都是FP
candFPs += 1
FROCGTList.append(0.0)
FROCProbList.append(float(candidate3.CADprobability))
FPDivisorList.append(seriesuid)
excludeList.append(False)
FROCtoNoduleMap.append("%s,%s,%s,%s,%s,%s,%.9f" % (seriesuid, -1, candidate3.coordX, candidate3.coordY, candidate3.coordZ, str(candidate3.id), float(candidate3.CADprobability))) if not (len(FROCGTList) == len(FROCProbList) and len(FROCGTList) == len(FPDivisorList) and len(FROCGTList) == len(FROCtoNoduleMap) and len(FROCGTList) == len(excludeList)):
nodOutputfile.write("Length of FROC vectors not the same, this should never happen! Aborting..\n") nodOutputfile.write("Candidate detection results:\n")
nodOutputfile.write(" True positives: %d\n" % candTPs)
nodOutputfile.write(" False positives: %d\n" % candFPs)
nodOutputfile.write(" False negatives: %d\n" % candFNs)
nodOutputfile.write(" True negatives: %d\n" % candTNs)
nodOutputfile.write(" Total number of candidates: %d\n" % totalNumberOfCands)
nodOutputfile.write(" Total number of nodules: %d\n" % totalNumberOfNodules) nodOutputfile.write(" Ignored candidates on excluded nodules: %d\n" % irrelevantCandidates)
nodOutputfile.write(" Ignored candidates which were double detections on a nodule: %d\n" % doubleCandidatesIgnored)
if int(totalNumberOfNodules) == 0:
nodOutputfile.write(" Sensitivity: 0.0\n")
else:
nodOutputfile.write(" Sensitivity: %.9f\n" % (float(candTPs) / float(totalNumberOfNodules)))
nodOutputfile.write(" Average number of candidates per scan: %.9f\n" % (float(totalNumberOfCands) / float(len(seriesUIDs)))) # compute FROC
print FROCGTList
print FROCProbList
print len(FROCGTList)
fps, sens, thresholds = computeFROC(FROCGTList,FROCProbList,len(seriesUIDs),excludeList) #这一步最为关键,计算FROC值,其实返回的是召回率与假阳性率的列表 if performBootstrapping: #是否使用自助采样,不太懂
fps_bs_itp,sens_bs_mean,sens_bs_lb,sens_bs_up = computeFROC_bootstrap(FROCGTList,FROCProbList,FPDivisorList,seriesUIDs,excludeList,
numberOfBootstrapSamples=numberOfBootstrapSamples, confidence = confidence) # Write FROC curve #计算到上面就结束了,后面是一些画图
with open(os.path.join(outputDir, "froc_%s.txt" % CADSystemName), 'w') as f:
for i in range(len(sens)):
f.write("%.9f,%.9f,%.9f\n" % (fps[i], sens[i], thresholds[i])) # Write FROC vectors to disk as well
with open(os.path.join(outputDir, "froc_gt_prob_vectors_%s.csv" % CADSystemName), 'w') as f:
for i in range(len(FROCGTList)):
f.write("%d,%.9f\n" % (FROCGTList[i], FROCProbList[i])) fps_itp = np.linspace(FROC_minX, FROC_maxX, num=10001) sens_itp = np.interp(fps_itp, fps, sens)
frvvlu = 0
nxth = 0.125
for fp, ss in zip(fps_itp, sens_itp):
if abs(fp - nxth) < 3e-4:
frvvlu += ss
nxth *= 2
if abs(nxth - 16) < 1e-5: break
print(frvvlu/7, nxth)
print(sens_itp[fps_itp==0.125]+sens_itp[fps_itp==0.25]+sens_itp[fps_itp==0.5]+sens_itp[fps_itp==1]+sens_itp[fps_itp==2]\
+sens_itp[fps_itp==4]+sens_itp[fps_itp==8])
if performBootstrapping:
# Write mean, lower, and upper bound curves to disk
with open(os.path.join(outputDir, "froc_%s_bootstrapping.csv" % CADSystemName), 'w') as f:
f.write("FPrate,Sensivity[Mean],Sensivity[Lower bound],Sensivity[Upper bound]\n")
for i in range(len(fps_bs_itp)):
f.write("%.9f,%.9f,%.9f,%.9f\n" % (fps_bs_itp[i], sens_bs_mean[i], sens_bs_lb[i], sens_bs_up[i]))
else:
fps_bs_itp = None
sens_bs_mean = None
sens_bs_lb = None
sens_bs_up = None # create FROC graphs
if int(totalNumberOfNodules) > 0:
graphTitle = str("")
fig1 = plt.figure()
ax = plt.gca()
clr = 'b'
plt.plot(fps_itp, sens_itp, color=clr, label="%s" % CADSystemName, lw=2)
if performBootstrapping:
plt.plot(fps_bs_itp, sens_bs_mean, color=clr, ls='--')
plt.plot(fps_bs_itp, sens_bs_lb, color=clr, ls=':') # , label = "lb")
plt.plot(fps_bs_itp, sens_bs_up, color=clr, ls=':') # , label = "ub")
ax.fill_between(fps_bs_itp, sens_bs_lb, sens_bs_up, facecolor=clr, alpha=0.05)
xmin = FROC_minX
xmax = FROC_maxX
plt.xlim(xmin, xmax)
plt.ylim(0.5, 1)
plt.xlabel('Average number of false positives per scan')
plt.ylabel('Sensitivity')
plt.legend(loc='lower right')
plt.title('FROC performance - %s' % (CADSystemName)) if bLogPlot:
plt.xscale('log', basex=2)
ax.xaxis.set_major_formatter(FixedFormatter([0.125,0.25,0.5,1,2,4,8])) # set your ticks manually
ax.xaxis.set_ticks([0.125,0.25,0.5,1,2,4,8])
ax.yaxis.set_ticks(np.arange(0.5, 1, 0.1))
# ax.yaxis.set_ticks(np.arange(0, 1.1, 0.1))
plt.grid(b=True, which='both')
plt.tight_layout() plt.savefig(os.path.join(outputDir, "froc_%s.png" % CADSystemName), bbox_inches=0, dpi=300) return (fps, sens, thresholds, fps_bs_itp, sens_bs_mean, sens_bs_lb, sens_bs_up)
这里会计算FROC,调用的是computeFROC函数。
def computeFROC(FROCGTList, FROCProbList, totalNumberOfImages, excludeList):
# Remove excluded candidates
FROCGTList_local = []
FROCProbList_local = []
for i in range(len(excludeList)):
if excludeList[i] == False:
FROCGTList_local.append(FROCGTList[i])
FROCProbList_local.append(FROCProbList[i]) numberOfDetectedLesions = sum(FROCGTList_local)
totalNumberOfLesions = sum(FROCGTList)
totalNumberOfCandidates = len(FROCProbList_local)
fpr, tpr, thresholds = skl_metrics.roc_curve(FROCGTList_local, FROCProbList_local, pos_label=1)
if sum(FROCGTList) == len(FROCGTList): # Handle border case when there are no false positives and ROC analysis give nan values.
print "WARNING, this system has no false positives.."
fps = np.zeros(len(fpr))
else:
fps = fpr * (totalNumberOfCandidates - numberOfDetectedLesions) / totalNumberOfImages
sens = (tpr * numberOfDetectedLesions) / totalNumberOfLesions
return fps, sens, thresholds
到此,结束。
项目笔记《DeepLung:Deep 3D Dual Path Nets for Automated Pulmonary Nodule Detection and Classification》(三)(下)结果评估的更多相关文章
- 项目笔记《DeepLung:Deep 3D Dual Path Nets for Automated Pulmonary Nodule Detection and Classification》(二)(上)模型设计
		我只讲讲检测部分的模型,后面两样性分类的试验我没有做,这篇论文采用了很多肺结节检测论文都采用的u-net结构,准确地说是具有DPN结构的3D版本的u-net,直接上图. DPN是颜水成老师团队的成果, ... 
- 项目笔记《DeepLung:Deep 3D Dual Path Nets for Automated Pulmonary Nodule Detection and Classification》(三)(上)结果评估
		在(一)中,我将肺结节检测项目总结为三阶段,这里我要讲讲这个项目的第三阶段,至于第二阶段,由于数据增强部分的代码我始终看不大懂,先不讲. 结果评估的程序在evaluationScript文件夹下,这个 ... 
- 项目笔记《DeepLung:Deep 3D Dual Path Nets for Automated Pulmonary Nodule Detection and Classification》(一)预处理
		最近一个月都在做肺结节的检测,学到了不少东西,运行的项目主要是基于这篇论文,在github上可以查到项目代码. 我个人总结的肺结节检测可以分为三个阶段,数据预处理,网络搭建及训练,结果评估. 这篇博客 ... 
- Django商城项目笔记No.2项目准备工作
		Django商城项目笔记No.2项目准备工作 接着上篇开始,创建好工程之后,随之而来的是怎么配置工程,这篇文章记录如何进行相关的配置 1.pycharm打开工程,进行相关的配置 通过pycharm打开 ... 
- Django项目笔记:sessions处理以及复杂对象序列化
		前言:一点题外话 我发现,不更新博客的时候,不是非常忙,就是效率非常低.最近没怎么更新博客,原因是第二种= =.惭愧惭愧. 今天效率出奇的高,一天时间把PassNote后端的接口全部写完了,Djang ... 
- Dual Path Networks(DPN)——一种结合了ResNet和DenseNet优势的新型卷积网络结构。深度残差网络通过残差旁支通路再利用特征,但残差通道不善于探索新特征。密集连接网络通过密集连接通路探索新特征,但有高冗余度。
		如何评价Dual Path Networks(DPN)? 论文链接:https://arxiv.org/pdf/1707.01629v1.pdf在ImagNet-1k数据集上,浅DPN超过了最好的Re ... 
- 《BI项目笔记》——微软BI项目笔记连载
		本系列文章主要是结合实际项目,加上自己的总结,整理出来的一系列项目笔记,涉及微软SQL Server2008中商务智能开发中的SSAS.SSIS模块: 准备工作: <BI项目笔记>基于雪 ... 
- A Statistical View of Deep Learning (IV): Recurrent Nets and Dynamical Systems
		A Statistical View of Deep Learning (IV): Recurrent Nets and Dynamical Systems Recurrent neural netw ... 
- 项目笔记---CSharp图片处理
		原文:项目笔记---CSharp图片处理 项目笔记---CSharp图片处理 最近由于项目上需要对图片进行二值化处理,就学习了相关的图片处理上的知识,从开始的二值化的意义到动态阀值检测二值化等等,并用 ... 
随机推荐
- Nginx简单入门教学,包学包会,让你不再依赖伪大神!
			这篇教程简单介绍了 nginx 并且讲解了一些 nginx 可以解决的简单任务.这里,我们假设 nginx 已经安装在读者的机器上.如果没有,可以看一下如何安装 nginx.这篇教程主要讲解的是如果启 ... 
- Shell编程进阶   1.4 shell自定义变量
			变量 系统自带变量 echo $PATH $HOME $PWD 自定义变量 # a= # echo $a1 # b= # echo $b2 写与用户交互的脚本 vim .sh #!/bin/bash ... 
- python dict.fromkeys()研究
			def unique(seq): #return [x for x in my_list if x not in locals()['_[1]']] return {}.fromkeys(seq).k ... 
- windows系统中启动应用需要的端口被别的程序占用
			开始--运行--cmd 进入命令提示符 输入netstat -ano 即可看到所有连接的PID 之后在任务管理器中找到这个PID所对应的程序如果任务管理器中没有PID这一项,可以在任务管理器中选&qu ... 
- 关于handler的再次讨论
			主要有两个问题,post方法和sendmessage方法有什么不同? 同一个handler对象发送的message只能发送给自己吗? 问题1: post方法,对于Handler的Post方式来说,它会 ... 
- Using JConsole
			Using JConsole 转自 https://docs.oracle.com/javase/8/docs/technotes/guides/management/jconsole.html Th ... 
- solr增量数据配置说明
			转帖地址:http://www.blogjava.net/conans/articles/379546.html 以下资料整理自网络,觉的有必要合并在一起,这样方便查看.主要分为两部分,第一部分是对& ... 
- c++的单例模式及c++11对单例模式的优化
			单例模式 单例模式,可以说设计模式中最常应用的一种模式了,据说也是面试官最喜欢的题目.但是如果没有学过设计模式的人,可能不会想到要去应用单例模式,面对单例模式适用的情况,可能会优先考虑使用全局或者静态 ... 
- 开发同事 Linux 实用基本操作
			Linux 有复杂的体系,有很多的命令,开发同事日常开发时,不像运维同事需要熟练使用很多命令. 下面记录下我在工作中,常用的基本命令: 一 日志查看 对于开发同事来说,日常工作中,Linux 中最常用 ... 
- 算法Sedgewick第四版-第1章基础-1.4 Analysis of Algorithms-006BitonicMax
			package algorithms.analysis14; import algorithms.util.StdOut; import algorithms.util.StdRandom; /*** ... 
