__all__=['AlgorithmBase','ReaderBaseBase','ReaderBase','FilterBase','FilterPreserveTypeBase','TwoFileReaderBase','WriterBase','InterfacedBaseReader',]__displayname__='Base Classes'importwarningsimportpyvistaaspv# Outside Imports:importvtk# NOTE: This is the first import executed in the package! Keep here!!importvtk.util.vtkAlgorithmasvalg# import VTKPythonAlgorithmBasefrom.import_helpers###############################################################################
[docs]classAlgorithmBase(valg.VTKPythonAlgorithmBase):"""This is a base class to add coconvenience methods to the ``VTKPythonAlgorithmBase`` for all algorithms implemented in ``PVGeo``. We implement our algorithms in this manner to harness all of the backend support that the ``VTKPythonAlgorithmBase`` class provides for integrating custom algorithms on a VTK pipeline. All of the pipeline methods for setting inputs, getting outputs, making requests are handled by the super classes. For more information on what functionality is available, check out the VTK Docs for the `vtkAlgorithm`_ and then check out the following blog posts: * `vtkPythonAlgorithm is great`_ * A VTK pipeline primer `(part 1)`_, `(part 2)`_, and `(part 3)`_ * `ParaView Python Docs`_ .. _vtkAlgorithm: https://www.vtk.org/doc/nightly/html/classvtkAlgorithm.html .. _vtkPythonAlgorithm is great: https://blog.kitware.com/vtkpythonalgorithm-is-great/ .. _(part 1): https://blog.kitware.com/a-vtk-pipeline-primer-part-1/ .. _(part 2): https://blog.kitware.com/a-vtk-pipeline-primer-part-2/ .. _(part 3): https://blog.kitware.com/a-vtk-pipeline-primer-part-3/ .. _ParaView Python Docs: https://www.paraview.org/ParaView/Doc/Nightly/www/py-doc/paraview.util.vtkAlgorithm.html """__displayname__='Algorithm Base'__category__='base'def__init__(self,nInputPorts=1,inputType='vtkDataSet',nOutputPorts=1,outputType='vtkTable',**kwargs):valg.VTKPythonAlgorithmBase.__init__(self,nInputPorts=nInputPorts,inputType=inputType,nOutputPorts=nOutputPorts,outputType=outputType,)# Add error handler to make errors easier to deal withself.__error_observer=_helpers.ErrorObserver()self.__error_observer.make_observer(self)
[docs]defGetOutput(self,port=0):"""A convenience method to get the output data object of this ``PVGeo`` algorithm. """output=pv.wrap(self.GetOutputDataObject(port))ifhasattr(output,'active_scalars')andnotoutput.active_scalarsisnotNoneandoutput.n_arrays:iflen(output.point_data):output.set_active_scalars(output.point_data.keys()[0])eliflen(output.cell_data):output.set_active_scalars(output.cell_data.keys()[0])returnoutput
[docs]deferror_occurred(self):"""A convenience method for handling errors on the VTK pipeline Return: bool: true if an error has occurred since last checked """returnself.__error_observer.error_occurred()
[docs]defget_error_message(self):"""A convenience method to print the error message."""returnself.__error_observer.get_error_message()
[docs]defapply(self):"""Update the algorithm and get the output data object"""self.Update()returnpv.wrap(self.GetOutput())
[docs]defupdate(self):"""Alias for self.Update()"""returnself.Update()
[docs]defget_output(self,port=0):"""Alias for self.GetOutput()"""returnself.GetOutput(port=port)
################################################################################ Base Base Reader
[docs]classReaderBaseBase(AlgorithmBase):"""A base class for inherited functionality common to all reader algorithms"""__displayname__='Reader Base Base'__category__='base'def__init__(self,nOutputPorts=1,outputType='vtkTable',**kwargs):AlgorithmBase.__init__(self,nInputPorts=0,nOutputPorts=nOutputPorts,outputType=outputType,**kwargs)# Attributes are namemangled to ensure proper setters/getters are used# For the readerself.__filenames=kwargs.get('filenames',[])# To know whether or not the read needs to performself.__need_to_read=True
[docs]defneed_to_read(self,flag=None):"""Ask self if the reader needs to read the files again. Args: flag (bool): Set the read status Return: bool: the status of the reader. """ifflagisnotNoneandisinstance(flag,(bool,int)):self.__need_to_read=flagreturnself.__need_to_read
[docs]defModified(self,read_again=True):"""Call modified if the files needs to be read again again"""ifread_again:self.__need_to_read=read_againAlgorithmBase.Modified(self)
[docs]defclear_file_names(self):"""Use to clear file names of the reader. Note: This does not set the reader to need to read again as there are no files to read. """self.__filenames=[]
[docs]defAddFileName(self,filename):"""Use to set the file names for the reader. Handles singlt string or list of strings. Args: filename (str): The absolute file name with path to read. """iffilenameisNone:return# do nothing if None is passed by a constructor on accidentifisinstance(filename,list):forfinfilename:self.AddFileName(f)eliffilenamenotinself.__filenames:self.__filenames.append(filename)self.Modified()
[docs]defadd_file_name(self,filename):"""Use to set the file names for the reader. Handles singlt string or list of strings. Args: filename (str): The absolute file name with path to read. """returnself.AddFileName(filename)
[docs]defget_file_names(self,idx=None):"""Returns the list of file names or given and index returns a specified timestep's filename. """ifself.__filenamesisNoneorlen(self.__filenames)<1:raise_helpers.PVGeoError('File names are not set.')ifidxisNone:returnself.__filenamesreturnself.__filenames[idx]
[docs]defapply(self,filename):"""Given a file name (or list of file names), perform the read"""self.AddFileName(filename)self.Update()returnpv.wrap(self.GetOutput())
################################################################################ Base filter to preserve input data type
[docs]classFilterBase(AlgorithmBase):"""A base class for implementing filters which holds several conveience methods"""__displayname__='Filter Base'__category__='base'def__init__(self,nInputPorts=1,inputType='vtkDataSet',nOutputPorts=1,outputType='vtkPolyData',**kwargs):AlgorithmBase.__init__(self,nInputPorts=nInputPorts,inputType=inputType,nOutputPorts=nOutputPorts,outputType=outputType,**kwargs)
[docs]defapply(self,input_data_object):"""Run this algorithm on the given input dataset"""self.SetInputDataObject(input_data_object)self.Update()returnpv.wrap(self.GetOutput())
################################################################################ Base Reader
[docs]classReaderBase(ReaderBaseBase):"""A base class for inherited functionality common to all reader algorithms that need to handle a time series. """__displayname__='Reader Base: Time Varying'__category__='base'def__init__(self,nOutputPorts=1,outputType='vtkTable',**kwargs):ReaderBaseBase.__init__(self,nOutputPorts=nOutputPorts,outputType=outputType,**kwargs)# Attributes are namemangled to ensure proper setters/getters are used# For the VTK/ParaView pipelineself.__dt=kwargs.get('dt',1.0)self.__timesteps=None
[docs]def_update_time_steps(self):"""For internal use only: appropriately sets the timesteps."""iflen(self.get_file_names())>1:self.__timesteps=_helpers.update_time_steps(self,self.get_file_names(),self.__dt)return1
#### Algorithm Methods ####
[docs]defRequestInformation(self,request,inInfo,outInfo):"""This is a convenience method that should be overwritten when needed. This will handle setting the timesteps appropriately based on the number of file names when the pipeline needs to know the time information. """self._update_time_steps()return1
#### Seters and Geters ####
[docs]defget_time_step_values(self):"""Use this in ParaView decorator to register timesteps on the pipeline."""returnself.__timesteps.tolist()ifself.__timestepsisnotNoneelseNone
[docs]defset_time_delta(self,dt):"""An advanced property to set the time step in seconds."""ifdt!=self.__dt:self.__dt=dtself.Modified()
################################################################################ Base filter to preserve input data type
[docs]classFilterPreserveTypeBase(FilterBase):"""A Base class for implementing filters that preserve the data type of their arbitrary input. """__displayname__='Filter Preserve Type Base'__category__='base'def__init__(self,nInputPorts=1,**kwargs):FilterBase.__init__(self,nInputPorts=nInputPorts,inputType=kwargs.pop('inputType','vtkDataObject'),nOutputPorts=1,**kwargs)self._preserve_port=0# This is the port to preserve data object type# THIS IS CRUCIAL to preserve data type through filter
[docs]defRequestDataObject(self,request,inInfo,outInfo):"""There is no need to overwrite this. This method lets the pipeline know that the algorithm will dynamically decide the output data type based in the input data type. """self.OutputType=self.GetInputData(inInfo,self._preserve_port,0).GetClassName()self.FillOutputPortInformation(0,outInfo.GetInformationObject(0))return1
################################################################################ Two File Reader Base
[docs]classTwoFileReaderBase(AlgorithmBase):"""A base clase for readers that need to handle two input files. One meta-data file and a series of data files. """__displayname__='Two File Reader Base'__category__='base'def__init__(self,nOutputPorts=1,outputType='vtkUnstructuredGrid',**kwargs):AlgorithmBase.__init__(self,nInputPorts=0,nOutputPorts=nOutputPorts,outputType=outputType)self.__dt=kwargs.get('dt',1.0)self.__timesteps=Noneself.__mesh_filename=kwargs.get('meshfile',None)# Can only be one!modfiles=kwargs.get('model_files',[])# Can be many (single attribute, manytimesteps)ifisinstance(modfiles,str):modfiles=[modfiles]self.__model_filenames=modfilesself.__need_to_read_mesh=Trueself.__need_to_read_models=Truedef__update_time_steps(self):"""For internal use only"""iflen(self.__model_filenames)>0:self.__timesteps=_helpers.update_time_steps(self,self.__model_filenames,self.__dt)return1
[docs]defneed_to_readMesh(self,flag=None):"""Ask self if the reader needs to read the mesh file again. Args: flag (bool): set the status of the reader for mesh files. """ifflagisnotNoneandisinstance(flag,(bool,int)):self.__need_to_read_mesh=flagreturnself.__need_to_read_mesh
[docs]defneed_to_readModels(self,flag=None):"""Ask self if the reader needs to read the model files again. Args: flag (bool): set the status of the reader for model files. """ifflagisnotNoneandisinstance(flag,(bool,int)):self.__need_to_read_models=flagreturnself.__need_to_read_models
[docs]defModified(self,read_again_mesh=True,read_again_models=True):"""Call modified if the files needs to be read again again Args: read_again_mesh (bool): set the status of the reader for mesh files. read_again_models (bool): set the status of the reader for model files. """ifread_again_mesh:self.need_to_readMesh(flag=read_again_mesh)ifread_again_models:self.need_to_readModels(flag=read_again_models)returnAlgorithmBase.Modified(self)
[docs]defRequestInformation(self,request,inInfo,outInfo):"""Used by pipeline to handle setting up time variance"""self.__update_time_steps()return1
#### Setters and Getters ####
[docs]@staticmethoddefhas_models(model_files):"""A convenience ethod to see if a list contatins models filenames."""ifisinstance(model_files,list):returnlen(model_files)>0returnmodel_filesisnotNone
[docs]defthis_has_models(self):"""Ask self if the reader has model filenames set."""returnTwoFileReaderBase.has_models(self.__model_filenames)
[docs]defget_time_step_values(self):"""Use this in ParaView decorator to register timesteps"""returnself.__timesteps.tolist()ifself.__timestepsisnotNoneelseNone
[docs]defset_time_delta(self,dt):"""An advanced property for the time step in seconds."""ifdt!=self.__dt:self.__dt=dtself.Modified(read_again_mesh=False,read_again_models=False)
[docs]defclear_mesh(self):"""Use to clear mesh file name"""self.__mesh_filename=Noneself.Modified(read_again_mesh=True,read_again_models=False)
[docs]defclear_models(self):"""Use to clear data file names"""self.__model_filenames=[]self.Modified(read_again_mesh=False,read_again_models=True)
[docs]defset_mesh_filename(self,filename):"""Set the mesh file name."""ifself.__mesh_filename!=filename:self.__mesh_filename=filenameself.Modified(read_again_mesh=True,read_again_models=False)
[docs]defadd_model_file_name(self,filename):"""Use to set the file names for the reader. Handles single string or list of strings. Args: filename (str or list(str)): the file name(s) to use for the model data. """iffilenameisNone:return# do nothing if None is passed by a constructor on accidentifisinstance(filename,list):forfinfilename:self.add_model_file_name(f)self.Modified(read_again_mesh=False,read_again_models=True)eliffilenamenotinself.__model_filenames:self.__model_filenames.append(filename)self.Modified(read_again_mesh=False,read_again_models=True)return1
[docs]defget_model_filenames(self,idx=None):"""Returns the list of file names or given and index returns a specified timestep's filename. """ifidxisNoneornotself.this_has_models():returnself.__model_filenamesreturnself.__model_filenames[idx]
[docs]defget_mesh_filename(self):"""Get the mesh filename"""returnself.__mesh_filename
[docs]defapply(self):"""Perform the read with parameters/file names set during init or by setters"""self.Update()returnpv.wrap(self.GetOutput())
[docs]classWriterBase(AlgorithmBase):__displayname__='Writer Base'__category__='base'def__init__(self,nInputPorts=1,inputType='vtkPolyData',**kwargs):AlgorithmBase.__init__(self,nInputPorts=nInputPorts,inputType=inputType,nOutputPorts=0)self.__filename=kwargs.get('filename',None)self.__fmt='%.9e'# For composite datasets: not always usedself.__blockfilenames=Noneself.__composite=False
[docs]defFillInputPortInformation(self,port,info):"""Allows us to save composite datasets as well. Note: I only care about ``vtkMultiBlockDataSet`` """info.Set(self.INPUT_REQUIRED_DATA_TYPE(),self.InputType)info.Append(self.INPUT_REQUIRED_DATA_TYPE(),'vtkMultiBlockDataSet')# vtkCompositeDataSetreturn1
[docs]defSetFileName(self,filename):"""Specify the filename for the output. Writer can only handle a single output data object/time step."""ifnotisinstance(filename,str):raiseRuntimeError('File name must be string. Only single file is supported.')ifself.__filename!=filename:self.__filename=filenameself.Modified()
[docs]defset_file_name(self,filename):"""Specify the filename for the output. Writer can only handle a single output data object/time step."""returnself.SetFileName(filename)
[docs]defget_file_name(self):"""Get the set filename."""returnself.__filename
[docs]defWrite(self,input_data_object=None):"""Perform the write out."""ifinput_data_object:self.SetInputDataObject(input_data_object)self.Modified()self.Update()
[docs]defperform_write_out(self,input_data_object,filename,object_name):"""This method must be implemented. This is automatically called by ``RequestData`` for single inputs or composite inputs."""raiseNotImplementedError('perform_write_out must be implemented!')
[docs]defapply(self,input_data_object):"""Run this writer algorithm on the given input data object"""self.SetInputDataObject(input_data_object)self.Modified()self.Update()
[docs]defset_format(self,fmt):"""Use to set the ASCII format for the writer default is ``'%.9e'``"""ifself.__fmt!=fmtandisinstance(fmt,str):self.__fmt=fmtself.Modified()
[docs]defget_format(self):"""Get the ASCII format used for floats"""returnself.__fmt
#### Following methods are for composite datasets ####
[docs]defuse_composite(self):"""True if input dataset is a composite dataset"""returnself.__composite
[docs]defset_block_filenames(self,n):"""Gets a list of filenames based on user input filename and creates a numbered list of filenames for the reader to save out. Assumes the filename has an extension set already. """number=ncount=0whilenumber>0:number=number//10count=count+1count='%d'%countidentifier='_%.'+count+'d'blocknum=[identifier%iforiinrange(n)]# Check the file extension:ext=self.get_file_name().split('.')[-1]basename=self.get_file_name().replace('.%s'%ext,'')self.__blockfilenames=[basename+'%s.%s'%(blocknum[i],ext)foriinrange(n)]returnself.__blockfilenames
[docs]defget_block_filename(self,idx):"""Get filename for component of a multi block dataset"""returnself.__blockfilenames[idx]
[docs]defRequestData(self,request,inInfo,outInfo):"""Subclasses must implement a ``perform_write_out`` method that takes an input data object and a filename. This method will automatically handle composite data sets. """inp=self.GetInputData(inInfo,0,0)ifisinstance(inp,vtk.vtkMultiBlockDataSet):self.__composite=True# Handle composite datasets. NOTE: This only handles vtkMultiBlockDataSetifself.__composite:num=inp.GetNumberOfBlocks()self.set_block_filenames(num)foriinrange(num):data=inp.GetBlock(i)name=inp.GetMetaData(i).Get(vtk.vtkCompositeDataSet.NAME())ifdata.IsTypeOf(self.InputType):self.perform_write_out(data,self.get_block_filename(i),name)else:warnings.warn('Input block %d of type(%s) not saveable by writer.'%(i,type(data)))# Handle single input datasetelse:self.perform_write_out(inp,self.get_file_name(),None)return1
[docs]classInterfacedBaseReader(ReaderBase):"""A general base reader for all interfacing with libraries that already have file I/O methods and VTK data object interfaces. This provides a routine for using an external library to handle all I/O and produce the VTK data objects."""__displayname__='Interfaced Base Reader'def__init__(self,**kwargs):ReaderBase.__init__(self,**kwargs)self.__objects=[]# THIS IS CRUCIAL to dynamically decided output type
[docs]defRequestDataObject(self,request,inInfo,outInfo):"""Do not override. This method lets the user dynamically decide the output data type based in the read meshes. Note: they all have to be the same VTK type. """self._read_up_front()self.FillOutputPortInformation(0,outInfo.GetInformationObject(0))return1
[docs]@staticmethoddef_read_file(filename):"""OVERRIDE: Reads from the the libraries format and returns an object in the given library's format."""raiseNotImplementedError()
[docs]@staticmethoddef_get_vtk_object(obj):"""OVERRIDE: Given an object in the interfaced library's type, return a converted VTK data object."""raiseNotImplementedError()
[docs]def_read_up_front(self):"""Do not override. A predifiened routine for reading the files up front."""filenames=self.get_file_names()self.__objects=[]forfinfilenames:mesh=self._read_file(f)obj=self._get_vtk_object(mesh)self.__objects.append(obj)# Now check that all objects in list are same type and set output typetyp=type(self.__objects[0])ifnotall(isinstance(x,typ)forxinself.__objects):raise_helpers.PVGeoError('Input VTK objects are not all of the same type.')self.OutputType=self.__objects[0].GetClassName()
[docs]def_get_object_at_index(self,idx=None):"""Internal helper to get the data object at the specified index"""ifidxisnotNone:returnself.__objects[idx]returnself.__objects[0]
[docs]defRequestData(self,request,inInfo,outInfo):"""Do not override. Used by pipeline to get data for current timestep and populate the output data object. """# Get requested time indexi=_helpers.get_requested_time(self,outInfo)# Get output:output=self.GetOutputData(outInfo,0)output.ShallowCopy(self._get_object_at_index(idx=i))return1
[docs]defRequestInformation(self,request,inInfo,outInfo):"""Do not override. Used by pipeline to set extents and time info."""# Call parent to handle time stuffReaderBase.RequestInformation(self,request,inInfo,outInfo)# Now set whole output extentinfo=outInfo.GetInformationObject(0)obj=self.__objects[0]# Get first grid to set output extents# Set WHOLE_EXTENT: This is absolutely necessaryext=obj.GetExtent()info.Set(vtk.vtkStreamingDemandDrivenPipeline.WHOLE_EXTENT(),ext,6)return1