本文整理汇总了Python中matplotlib.dates.datestr2num函数的典型用法代码示例。如果您正苦于以下问题:Python datestr2num函数的具体用法?Python datestr2num怎么用?Python datestr2num使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了datestr2num函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: test_autofmt_xdate
def test_autofmt_xdate(which):
date = ['3 Jan 2013', '4 Jan 2013', '5 Jan 2013', '6 Jan 2013',
'7 Jan 2013', '8 Jan 2013', '9 Jan 2013', '10 Jan 2013',
'11 Jan 2013', '12 Jan 2013', '13 Jan 2013', '14 Jan 2013']
time = ['16:44:00', '16:45:00', '16:46:00', '16:47:00', '16:48:00',
'16:49:00', '16:51:00', '16:52:00', '16:53:00', '16:55:00',
'16:56:00', '16:57:00']
angle = 60
minors = [1, 2, 3, 4, 5, 6, 7]
x = mdates.datestr2num(date)
y = mdates.datestr2num(time)
fig, ax = plt.subplots()
ax.plot(x, y)
ax.yaxis_date()
ax.xaxis_date()
ax.xaxis.set_minor_locator(AutoMinorLocator(2))
ax.xaxis.set_minor_formatter(FixedFormatter(minors))
fig.autofmt_xdate(0.2, angle, 'right', which)
if which in ('both', 'major', None):
for label in fig.axes[0].get_xticklabels(False, 'major'):
assert int(label.get_rotation()) == angle
if which in ('both', 'minor'):
for label in fig.axes[0].get_xticklabels(True, 'minor'):
assert int(label.get_rotation()) == angle
开发者ID:JIE2016G,项目名称:matplotlib,代码行数:33,代码来源:test_figure.py
示例2: calculateaveflow
def calculateaveflow(self):
utils.start_waiting_cursor()
date_from = self.FromDateTime.dateTime().toPyDateTime()
date_to = self.ToDateTime.dateTime().toPyDateTime()
#Identify distinct set of obsid and instrumentid with Accvol-data and within the user-defined date_time-interval:
sql= """SELECT DISTINCT obsid, instrumentid FROM (SELECT * FROM w_flow WHERE flowtype = 'Accvol' AND date_time >= '%s' AND date_time <= '%s' AND obsid IN (%s))"""%(date_from,date_to, utils.sql_unicode_list(self.observations))
#utils.pop_up_info(sql)#debug
uniqueset = db_utils.sql_load_fr_db(sql)[1] # The unique set of obsid and instrumentid is kept in uniqueset
negativeflow = False
for pyobsid, pyinstrumentid in uniqueset:
sql= """select date_time, reading from w_flow where flowtype = 'Accvol' and obsid='%s' and instrumentid='%s' and date_time >='%s' and date_time <='%s' order by date_time"""%(pyobsid,pyinstrumentid,date_from,date_to)
recs = db_utils.sql_load_fr_db(sql)[1]
"""Transform data to a numpy.recarray"""
My_format = [('date_time', datetime.datetime), ('values', float)] #Define format with help from function datetime
table = np.array(recs, dtype=My_format) #NDARRAY
table2=table.view(np.recarray) # RECARRAY Makes the two columns into callable objects, i.e. write table2.values
for j, row in enumerate(table2):#This is where Aveflow is calculated for each obs and also written to db
if j>0:#first row is "start-value" for Accvol and there is no Aveflow to be calculated
Volume = (table2.values[j] - table2.values[j-1])*1000#convert to L since Accvol is supposed to be in m3
""" Get help from function datestr2num to get date and time into float"""
DeltaTime = 24*3600*(datestr2num(table2.date_time[j]) - datestr2num(table2.date_time[j-1]))#convert to seconds since numtime is days
Aveflow = Volume/DeltaTime#L/s
if Aveflow<0:
negativeflow = True
sql = """insert or ignore into w_flow(obsid,instrumentid,flowtype,date_time,reading,unit) values('%s','%s','Aveflow','%s','%s','l/s')"""%(pyobsid,pyinstrumentid,table2.date_time[j],Aveflow)
db_utils.sql_alter_db(sql)
if negativeflow:
utils.MessagebarAndLog.info(bar_msg=ru(QCoreApplication.translate('Calcave', "Please notice that negative flow was encountered.")))
utils.stop_waiting_cursor()
self.close()
开发者ID:jkall,项目名称:qgis-midvatten-plugin,代码行数:30,代码来源:w_flow_calc_aveflow.py
示例3: plot_data
def plot_data(self):
if not self.has_graph:
new_x = [mdates.datestr2num(x) for x in self.graph_x]
plt.xlabel('Time')
plt.ylabel('Count')
ax = self.fig.add_subplot(111)
ax.xaxis.set_major_formatter(mdates.DateFormatter('%H:%M'))
ax.plot(new_x, self.graph_y, 'r-')
ax.get_xaxis().set_ticks([])
#ax.get_yaxis().set_ticks([])
self.canvas = FigureCanvas(self.fig)
self.graph_layout.addWidget(self.canvas)
self.canvas.draw()
self.has_graph = True
else:
self.graph_layout.removeWidget(self.canvas)
self.canvas.close()
self.fig.clf()
plt.xlabel('Time')
plt.ylabel('Count')
ax = self.fig.add_subplot(111)
ax.xaxis.set_major_formatter(mdates.DateFormatter('%H:%M'))
new_x = [mdates.datestr2num(x) for x in self.graph_x]
ax.plot(new_x, self.graph_y, 'r-')
ax.get_xaxis().set_ticks([])
#ax.get_yaxis().set_ticks([])
self.canvas = FigureCanvas(self.fig)
self.graph_layout.addWidget(self.canvas)
self.canvas.draw()
开发者ID:jshodd,项目名称:SigmaSwiper,代码行数:29,代码来源:sigmaSwiper.py
示例4: calculateaveflow
def calculateaveflow(self):
PyQt4.QtGui.QApplication.setOverrideCursor(PyQt4.QtCore.Qt.WaitCursor)
date_from = self.FromDateTime.dateTime().toPyDateTime()
date_to = self.ToDateTime.dateTime().toPyDateTime()
#Identify distinct set of obsid and instrumentid with Accvol-data and within the user-defined date_time-interval:
sql= """select distinct obsid, instrumentid from(select * from w_flow where flowtype = "Accvol" and date_time >="%s" and date_time <="%s" and obsid IN %s)"""%(date_from,date_to,(str(self.observations)).encode('utf-8').replace('[','(').replace(']',')'))
#utils.pop_up_info(sql)#debug
uniqueset = utils.sql_load_fr_db(sql)[1] # The unique set of obsid and instrumentid is kept in uniqueset
negativeflow = False
for pyobsid, pyinstrumentid in uniqueset:
sql= """select date_time, reading from w_flow where flowtype = 'Accvol' and obsid='%s' and instrumentid='%s' and date_time >='%s' and date_time <='%s' order by date_time"""%(pyobsid,pyinstrumentid,date_from,date_to)
recs = utils.sql_load_fr_db(sql)[1]
"""Transform data to a numpy.recarray"""
My_format = [('date_time', datetime.datetime), ('values', float)] #Define format with help from function datetime
table = np.array(recs, dtype=My_format) #NDARRAY
table2=table.view(np.recarray) # RECARRAY Makes the two columns into callable objects, i.e. write table2.values
j=0
for row in table2:#This is where Aveflow is calculated for each obs and also written to db
if j>0:#first row is "start-value" for Accvol and there is no Aveflow to be calculated
Volume = (table2.values[j] - table2.values[j-1])*1000#convert to L since Accvol is supposed to be in m3
""" Get help from function datestr2num to get date and time into float"""
DeltaTime = 24*3600*(datestr2num(table2.date_time[j]) - datestr2num(table2.date_time[j-1]))#convert to seconds since numtime is days
Aveflow = Volume/DeltaTime#L/s
if Aveflow<0:
negativeflow = True
sql = """insert or ignore into w_flow(obsid,instrumentid,flowtype,date_time,reading,unit) values('%s','%s','Aveflow','%s','%s','l/s')"""%(pyobsid,pyinstrumentid,table2.date_time[j],Aveflow)
utils.sql_alter_db(sql)
j = j + 1
if negativeflow:
self.iface.messageBar().pushMessage("Info","Please notice that negative flow was encountered.", 0, duration=5)
PyQt4.QtGui.QApplication.restoreOverrideCursor()
self.close()
开发者ID:qgisbrasil,项目名称:qgis-midvatten-plugin-pt_BR,代码行数:32,代码来源:w_flow_calc_aveflow.py
示例5: main_loop
def main_loop(self):
"""
Single iteration of the application's main loop.
"""
# Get current image frame from the camera
frame = self.camera.get_frame()
self.h,self.w,_c = frame.shape
#display unaltered frame
#imshow("Original",frame)
#set current image frame to the processor's input
self.processor.frame_in = frame
#process the image frame to perform all needed analysis
self.processor.run(frame)
#collect the output frame for display
output_frame = self.processor.frame_out
#show the processed/annotated output frame
imshow("Processed",output_frame)
#create and/or update the raw data display if needed
global smileneighbour, mqLoop, smilecount, eyetot
#if self.bpm_plot:
#self.make_bpm_plot()
if mqLoop >= 1:
x = str(datetime.datetime.now())
sm.write(str(md.datestr2num(x)) + " " + str(smileneighbour) + "\n")
e.write(str(md.datestr2num(x)) + " " + str(eyetot) + "\n")
#hr.write(str(md.datestr2num(x)) + " " + str(self.processor.show_bpm_text.bpm) + "\n")
hr.write(str(md.datestr2num(x)) + " " + str(self.processor.bpm) + "\n")
pulse_estimation_log.write(str(int(round(time.time() * 1000))) + " " + str(self.processor.bpm) + "\n")
smileneighbour+= 2*eyetot
smileneighbour/=100
print "bpm: " + str(self.processor.bpm)
#if (self.processor.show_bpm_text.bpm) > dhr:
if (self.processor.bpm) > dhr:
#print (self.processor.fft.samples[-1]/2, self.processor.fft.samples[-1]-dhr/2)
#overbeat = (self.processor.fft.samples[-1]-dhr)*(self.processor.fft.samples[-1]-dhr)
#smileneighbour += (self.processor.show_bpm_text.bpm-dhr)
smileneighbour += (self.processor.bpm - dhr)
f.write(str(md.datestr2num(x)) + " " + str(smileneighbour) + "\n")
mqLoop = 0
else:
mqLoop+= 0.9
img = cv.QueryFrame(capture)
smileneighbour = 0
eyetot = 0
#if img:
# image = DetectRedEyes(img, faceCascade, smileCascade, eyeCascade)
# cv.ShowImage("camera", image)
#handle any key presses
self.key_handler()
开发者ID:GurraB,项目名称:REU2018,代码行数:56,代码来源:get_pulse.py
示例6: getDate
def getDate(self,startDate,endDate,date2hot):
date = []
hot = []
minDate = mdates.datestr2num(startDate)
maxDate = mdates.datestr2num(endDate)
for item in date2hot:
value = item[1]
dt = mdates.datestr2num(item[0])
if dt >= minDate and dt <= maxDate:
date.append(dt)
hot.append(value)
return date , hot
开发者ID:gzliuyun,项目名称:Predict,代码行数:12,代码来源:GPs.py
示例7: _parse_date
def _parse_date(datestring):
'''
takes a date string and returns a datetime.datetime object
'''
datenum = mdates.datestr2num(datestring)
dateval = mdates.num2date(datenum)
return dateval
开发者ID:bdapple,项目名称:python-metar,代码行数:7,代码来源:station.py
示例8: Converter
def Converter(val):
if val.count(".") == 2:
return dates.datestr2num(val)
else:
try:
val.index("/")
return dates.datestr2num(val)
except ValueError:
try:
val.index(":")
return dates.datestr2num(val) % 1
except ValueError:
try:
return float(val or "nan")
except ValueError:
return np.nan
开发者ID:mnfienen,项目名称:beach_gui,代码行数:16,代码来源:utils.py
示例9: ForecastDraw
def ForecastDraw(self):
"""
at the day-level
:return:
"""
pl.title("aqi/time(day)")# give plot a title
pl.xlabel('time')# make axis labels
pl.ylabel('aqi')
data = np.loadtxt(StringIO(self._xyArrayStr), dtype=np.dtype([("t", "S13"), ("v", float)]))
datestr = np.char.replace(data["t"], "T", " ")
t = dt.datestr2num(datestr)
# k = pl.num2date(t)
# k2 = dt.num2date(t)
v = data["v"]
if len(t) > 30:
t = t[-30:]
v = v[-30:]
pl.plot_date(t, v, fmt="-o")
self.polyfit(t, v)
pl.subplots_adjust(bottom=0.3)
# pl.legend(loc=4)#指定legend的位置,读者可以自己help它的用法
ax = pl.gca()
ax.fmt_xdata = pl.DateFormatter('%Y-%m-%d %H:%M:%S')
pl.xticks(rotation=70)
# pl.xticks(t, datestr) # 如果以数据点为刻度,则注释掉这一行
ax.xaxis.set_major_formatter(pl.DateFormatter('%Y-%m-%d %H:%M'))
# pl.xlim(('2016-03-09 00:00', '2016-03-12 00:00'))
pl.grid() # 有格子
pl.show()# show the plot on the screen
return self._forecast_Value
开发者ID:KGBUSH,项目名称:AQI-Forecast,代码行数:33,代码来源:CountAQI.py
示例10: gd2jd
def gd2jd(datestr):
""" Convert a string Gregorian date into a Julian date using Pylab.
If no time is given (i.e., only a date), then noon is assumed.
Timezones can be given, but UTC is assumed otherwise.
:EXAMPLES:
::
print gd2jd('Aug 11 2007') #---------------> 2454324.5
print gd2jd('Aug 11 2007, 12:00 PST') #-----> 2454324.29167
print gd2jd('12:00 PM, January 1, 2000') #--> 2451545.0
:REQUIREMENTS: :doc:`matplotlib`
:SEE ALSO: :func:`jd2gd`
"""
# 2008-08-26 14:03 IJC: Created
# 2010-12-08 13:00 IJC: Removed "+ 3442850" from num2julian call
# 2011-05-19 11:37 IJMC: Put the factor back in for error-catching...
import matplotlib.dates as dates
if datestr.__class__==str:
d = dates.datestr2num(datestr)
jd = dates.num2julian(d)
if jd<0:
jd = dates.num2julian(d + 3442850)
print "You are probably using an old version of Matplotlib..."
else:
jd = []
return jd
开发者ID:jmint52,项目名称:iancode,代码行数:32,代码来源:transittime.py
示例11: load_ctd_mod
def load_ctd_mod(filename):
tmp=np.genfromtxt(filename,dtype=str)
out={}
out[tmp[0,0]]=tmp[1,0].astype(int)
out[tmp[0,1]]=tmp[1:,1].astype(int)
out[tmp[0,2]]=tmp[1,2].astype(float)
out[tmp[0,3]]=tmp[1,3].astype(float)
out["{}{}".format(tmp[0,4],tmp[0,5])]=np.array(["{} {}".format(d,t) for d,t in zip(tmp[1:,4],tmp[1:,5])])
out['time']=dates.datestr2num(out["{}{}".format(tmp[0,4],tmp[0,5])])
out[tmp[0,6]]=tmp[1:,6].astype(float)
out[tmp[0,7]]=tmp[1:,7].astype(float)
out[tmp[0,8]]=tmp[1:,8].astype(float)
uit=np.unique(out['it'])
for i,it in enumerate(uit):
if i==0:
idx=np.argwhere(out['it']==it)
else:
idx=np.hstack([idx,np.argwhere(out['it']==it)])
aout={}
for key in out:
if idx.shape[0]*idx.shape[1] == np.atleast_2d(out[key]).shape[0]*np.atleast_2d(out[key]).shape[1]:
aout[key]=out[key][idx]
out['arrays']=aout
return out
开发者ID:moflaher,项目名称:workspace_python,代码行数:29,代码来源:datatools.py
示例12: generate_plot
def generate_plot(dictionary, title, labelX, labelY, filename,ids, flag):
import numpy as np
figure=plt.figure(figsize=(6*3.13,4*3.13))
plt.title(title)
hspace = 1.0
nrow=1
plt.subplots_adjust( hspace=hspace )
figure.autofmt_xdate()
for hashtag in dictionary:
x = dictionary[hashtag]['x']
x = dates.datestr2num(x)
y = dictionary[hashtag]['y']
plt.subplot(3,3,nrow)
nrow+=1
plt.ylabel(labelY)
plt.xlabel(labelX)
plt.xticks(rotation=30)
plt.plot_date(x, y, '-',color='green', linewidth=2.0, label=hashtag.decode('utf8'))
plt.legend(loc='best',prop={'size':10})
plt.show()
figure.savefig(filename+ids,dpi=(1200))
plt.close()
开发者ID:hackerway,项目名称:Virality_Twitter,代码行数:25,代码来源:generate_network.py
示例13: dayHisto
def dayHisto(timeList, minDate, maxDate, yLabel, labels=(), filename='gitfig.png', highlightLo=None, highlightHi=None, highlightLabel=None):
'''
take a list of lists 'timeList' of datetime objects, and histogram them w/ 1 bin per day
minDate and maxDate == datetime.date objects; stack histo for each element in timeList.
'''
timeNum = []
for times in timeList:
nums = []
for time in times:
nums.append(dates.date2num(time))
timeNum.append(nums)
days = dates.DayLocator()
fmt = dates.DateFormatter('%b-%d')
fig = plt.figure()
ax = fig.add_subplot(111)
plt.xlim(minDate, maxDate)
ax.hist(timeNum,
bins=range( int(dates.date2num(minDate)), int(dates.date2num(maxDate)) +1 ),
align='left',
stacked=True,
label = labels )
ax.xaxis_date()
ax.xaxis.set_major_locator(days)
ax.xaxis.set_major_formatter(fmt)
fig.autofmt_xdate()
plt.ylabel(yLabel)
if len(timeList) > 1:
plt.legend(loc='best')
# shade area nicely
if highlightHi is not None and highlightLo is not None:
xlo = dates.datestr2num(highlightLo)
xhi = dates.datestr2num(highlightHi)
extra = (xhi-xlo)/2
xlo -= extra
xhi += extra
ax.axvspan(xlo, xhi, color='black', alpha=0.1, hatch='.')
shade_patch = patches.Patch(color='black', alpha=0.1, hatch='.', label=highlightLabel)
handles, labels = ax.get_legend_handles_labels()
handles.append(shade_patch)
plt.legend(handles=handles, loc='best')
plt.savefig(filename, bbox_inches='tight')
开发者ID:BillMills,项目名称:whatAreTheGitHubHaps,代码行数:47,代码来源:whatAreTheGitHubHaps.py
示例14: save_tgnc
def save_tgnc(tg, filename):
ncid = n4.Dataset(filename, 'w',format='NETCDF3_CLASSIC')
#create dimensions
ncid.createDimension('time',None)
ncid.createDimension('one',1)
ncid.createDimension('DateStrLen',19)
#define variables
cast = ncid.createVariable('tgnumber','i',('one',))
lon = ncid.createVariable('lon','d',('one',))
lat = ncid.createVariable('lat','d',('one',))
h = ncid.createVariable('h','d',('one',))
dist = ncid.createVariable('dist','d',('one',))
time = ncid.createVariable('time','d',('time',))
timestamp = ncid.createVariable('Times','c',('time','DateStrLen'))
zeta = ncid.createVariable('zeta','d',('time',))
cast[:] = tg['tg_number']
cast.__setattr__('long_name','TG Deployment Number matched to model location')
lon[:] = tg['lon']
lon.__setattr__('long_name','Longitude')
lon.__setattr__('units','degrees')
lat[:] = tg['lat']
lat.__setattr__('long_name','latitude')
lat.__setattr__('units','degrees')
time[:] = tg['time']
time.__setattr__('long_name','time')
time.__setattr__('units','days')
time.__setattr__('comments','python datenum')
tstr=dates.num2date(dates.datestr2num(tg['Time']))
tnew=np.array([ t.strftime('%Y-%m-%dT%H:%M:%S') for t in tstr])
timestamp[:]=np.array([list(tt) for tt in tnew])[:]
timestamp.__setattr__('long_name','Time string')
timestamp.__setattr__('units','yyyy-mm-dd HH:MM:SS')
h[:]=tg['h']
h.__setattr__('long_name','Depth')
h.__setattr__('units','meters')
dist[:]=tg['dist']
dist.__setattr__('long_name','Distance between obs and model')
dist.__setattr__('units','meters')
zeta[:] = tg['zeta']
zeta.__setattr__('long_name','Water Elevation')
zeta.__setattr__('units','meters')
ncid.__setattr__('type','TG-like ncfile')
ncid.__setattr__('history','Created ' +ttime.ctime(ttime.time()) )
ncid.close()
开发者ID:moflaher,项目名称:workspace_python,代码行数:58,代码来源:misctools.py
示例15: createsingleplotobject
def createsingleplotobject(self,sql,i,My_format,curs,plottype='line'):
rs = curs.execute(sql) #Send SQL-syntax to cursor
recs = rs.fetchall() # All data are stored in recs
# late fix for xy-plots
My_format2 = [('numx', float), ('values', float)]#define a format for xy-plot (to use if not datetime on x-axis)
#Transform data to a numpy.recarray
try:
table = np.array(recs, dtype=My_format) #NDARRAY
table2=table.view(np.recarray) # RECARRAY transform the 2 cols into callable objects
myTimestring = [] #LIST
FlagTimeXY = 'time'
j = 0
for row in table2:
myTimestring.append(table2.date_time[j])
j = j + 1
numtime=datestr2num(myTimestring) #conv list of strings to numpy.ndarray of floats
except:
table = np.array(recs, dtype=My_format2) #NDARRAY
table2=table.view(np.recarray) # RECARRAY transform the 2 cols into callable objects
myXYstring = [] #LIST
FlagTimeXY = 'XY'
j = 0
for row in table2: #
myXYstring.append(table2.numx[j])
j = j + 1
numtime = myXYstring
# from version 0.2 there is a possibility to make discontinuous plot if timestep bigger than maxtstep
if self.spnmaxtstep.value() > 0: # if user selected a time step bigger than zero than thre may be discontinuous plots
pos = np.where(np.abs(np.diff(numtime)) >= self.spnmaxtstep.value())[0]
numtime[pos] = np.nan
table2.values[pos] = np.nan
if plottype == "marker":
MarkVar = 'o'
elif plottype == "line":
MarkVar = '-'
elif plottype == "line and cross":
MarkVar = '+-'
else:
MarkVar = 'o-'
if FlagTimeXY == "time" and plottype == "step-pre":
self.p[i], = self.axes.plot_date(numtime, table2.values, drawstyle='steps-pre', linestyle='-', marker='None',c=np.random.rand(3,1),label=self.plabels[i])# 'steps-pre' best for precipitation and flowmeters, optional types are 'steps', 'steps-mid', 'steps-post'
elif FlagTimeXY == "time" and plottype == "step-post":
self.p[i], = self.axes.plot_date(numtime, table2.values, drawstyle='steps-post', linestyle='-', marker='None',c=np.random.rand(3,1),label=self.plabels[i])
elif FlagTimeXY == "time" and plottype == "line and cross":
self.p[i], = self.axes.plot_date(numtime, table2.values, MarkVar,markersize = 6, label=self.plabels[i])
elif FlagTimeXY == "time":
self.p[i], = self.axes.plot_date(numtime, table2.values, MarkVar,label=self.plabels[i])
elif FlagTimeXY == "XY" and plottype == "step-pre":
self.p[i], = self.axes.plot(numtime, table2.values, drawstyle='steps-pre', linestyle='-', marker='None',c=np.random.rand(3,1),label=self.plabels[i])
elif FlagTimeXY == "XY" and plottype == "step-post":
self.p[i], = self.axes.plot(numtime, table2.values, drawstyle='steps-post', linestyle='-', marker='None',c=np.random.rand(3,1),label=self.plabels[i])
elif FlagTimeXY == "XY" and plottype == "line and cross":
self.p[i], = self.axes.plot(numtime, table2.values, MarkVar,markersize = 6, label=self.plabels[i])
else:
self.p[i], = self.axes.plot(numtime, table2.values, MarkVar,label=self.plabels[i])
开发者ID:qgisbrasil,项目名称:qgis-midvatten-plugin-pt_BR,代码行数:58,代码来源:customplot.py
示例16: plot_time_series
def plot_time_series(self, fig, is_timeseries, ax, x, y, fill=False, title='', xlabel='', ylabel='',
title_font={}, axis_font={}, tick_font={}, scatter=False, qaqc=[], events={}, **kwargs):
if not title_font:
title_font = title_font_default
if not axis_font:
axis_font = axis_font_default
if scatter:
ppl.scatter(ax, x, y, **kwargs)
else:
h = ppl.plot(ax, x, y, **kwargs)
if is_timeseries:
self.get_time_label(ax, x)
fig.autofmt_xdate()
else:
ax.set_xlabel(xlabel.replace("_", " "), **axis_font)
if ylabel:
ax.set_ylabel(ylabel.replace("_", " "), **axis_font)
if title:
ax.set_title(title.replace("_", " "), **title_font)
ax.grid(True)
if fill:
miny = min(ax.get_ylim())
if not scatter:
ax.fill_between(x, y, miny+1e-7, facecolor = h[0].get_color(), alpha=0.15)
else:
ax.fill_between(x, y, miny+1e-7, facecolor = axis_font_default['color'], alpha=0.15)
if events:
ylim = ax.get_ylim()
for event in events['events']:
time = datestr2num(event['start_date'])
x = np.array([time, time])
h = ax.plot(x, ylim, '--', label=event['class'])
legend = ax.legend()
if legend:
for label in legend.get_texts():
label.set_fontsize(10)
if len(qaqc) > 0:
bad_data = np.where(qaqc > 0)
h = ppl.plot(ax, x[bad_data], y[bad_data],
marker='o',
mfc='none',
linestyle='None',
markersize=6,
markeredgewidth=2,
mec='r')
# plt.tick_params(axis='both', which='major', labelsize=10)
if tick_font:
ax.tick_params(**tick_font)
plt.tight_layout()
开发者ID:Bobfrat,项目名称:ooi-ui-services,代码行数:58,代码来源:plot_tools.py
示例17: deal_with_results
def deal_with_results(self,res):
"""Handles results gotten from API and formatted, plots them with matplotlib tools and saves plot img"""
view_nums = [x[1] for x in res] # y axis
date_strs = [mdates.datestr2num(x[0]) for x in res]
fig, ax = plt.subplots(1)
ax.plot_date(date_strs, view_nums, fmt="g-")
fig.autofmt_xdate()
ax.fmt_xdata = mdates.DateFormatter('%Y-%m-%d')
total = sum(view_nums)
plt.title("%d total Course Views over past %s days" % (total, len(date_strs)-1)) # should get title of course
return fig
开发者ID:aerenchyma,项目名称:opened_statsdashboard,代码行数:11,代码来源:googleanalytics_apiaccess_timeseries_try.py
示例18: loadcur
def loadcur(filename,exact=False):
files=glob.glob(filename)
files.sort()
returndic={}
for j,fname in enumerate(files):
fp=open(fname,'r')
numlines = len(fp.readlines())
fp.seek(0)
headerdone=False
indata={}
for i,line in enumerate(fp.readlines()):
if '||' in line:
if '!Observed' in line:
sline=line.split()
indata['lon']=-1*(float(sline[3])+float(sline[4][:-1])/60)
indata['lat']=1*(float(sline[1])+float(sline[2][:-1])/60)
elif 'Computed from spatial average bin' in line:
sline=line.split()
indata['bin']=int(sline[5][:-1])
indata['range']=np.array([int(val) for val in sline[6][:-1].split('-')])
else:
if headerdone==False:
headerdone=True
arrstart=i
indata['time']=np.empty((numlines-i,))
indata['timestr']=np.empty((numlines-i,),dtype='S16')
indata['u']=np.empty((numlines-i,))
indata['v']=np.empty((numlines-i,))
sline=line.split()
if len(sline)==2:
indata['timestr'][i-arrstart]=sline[0]+' '+sline[1][:5]
indata['u'][i-arrstart]=np.nan
indata['v'][i-arrstart]=np.nan
elif len(sline)==4:
indata['timestr'][i-arrstart]=sline[0]+' '+sline[1]
indata['u'][i-arrstart]=float(sline[2])
indata['v'][i-arrstart]=float(sline[3])
else:
print('Unhandled Case')
fp.close()
returndic[j+1]=indata
returndic[j+1]['time']=dates.datestr2num(returndic[j+1]['timestr'])
returndic[j+1]['filename']=fname
return returndic
开发者ID:ilai,项目名称:workspace_python,代码行数:53,代码来源:datatools.py
示例19: load_ctd_zeta_mod
def load_ctd_zeta_mod(filename):
tmp=np.genfromtxt(filename,dtype=str)
out={}
out[tmp[0,0]]=tmp[1,0].astype(int)
out[tmp[0,1]]=tmp[1:,1].astype(int)
out[tmp[0,2]]=tmp[1,2].astype(float)
out[tmp[0,3]]=tmp[1,3].astype(float)
out["{}{}".format(tmp[0,4],tmp[0,5])]=np.array(["{} {}".format(d,t) for d,t in zip(tmp[1:,4],tmp[1:,5])])
out['time']=dates.datestr2num(out["{}{}".format(tmp[0,4],tmp[0,5])])
out[tmp[0,6]]=tmp[1:,6].astype(float)
return out
开发者ID:moflaher,项目名称:workspace_python,代码行数:13,代码来源:datatools.py
示例20: generate_user_activity
def generate_user_activity(user_contribution_ddict):
import numpy as np
figure=plt.figure(figsize=(6*3.13,4*3.13))
for hashtag in user_contribution_ddict:
xlist=user_contribution_ddict[hashtag]['x']
ylist=user_contribution_ddict[hashtag]['y']
for index in range(len(xlist)):
x=xlist[index]
y=ylist[index]
y = dates.datestr2num(y)
plt.plot(x,y)
plt.show()
plt.close()
开发者ID:hackerway,项目名称:Virality_Twitter,代码行数:14,代码来源:generate_network.py
注:本文中的matplotlib.dates.datestr2num函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论