"""Function for recording and reporting deprecations.Notes-----this file is copied (with minor modifications) from the Nibabel.https://github.com/nipy/nibabel. See COPYING file distributed along withthe Nibabel package for the copyright and license terms."""importfunctoolsfrominspectimportsignatureimportreimportwarningsfrompackagingimportversionfromfuryimport__version___LEADING_WHITE=re.compile(r"^(\s*)")
[docs]classExpiredDeprecationError(RuntimeError):"""Error for expired deprecation. Error raised when a called function or method has passed out of its deprecation period. """pass
[docs]classArgsDeprecationWarning(DeprecationWarning):"""Warning for args deprecation. Warning raised when a function or method argument has changed or removed. """pass
def_ensure_cr(text):"""Remove trailing whitespace and add carriage return. Ensures that ``text`` always ends with a carriage return """returntext.rstrip()+"\n"def_add_dep_doc(old_doc,dep_doc):"""Add deprecation message ``dep_doc`` to docstring in ``old_doc``. Parameters ---------- old_doc : str Docstring from some object. dep_doc : str Deprecation warning to add to top of docstring, after initial line. Returns ------- new_doc : str ``old_doc`` with ``dep_doc`` inserted after any first lines of docstring. """dep_doc=_ensure_cr(dep_doc)ifnotold_doc:returndep_docold_doc=_ensure_cr(old_doc)old_lines=old_doc.splitlines()new_lines=[]line_no=0forline_noinrange(len(old_lines)):line=old_lines[line_no]ifline.strip():new_lines.append(line)else:breaknext_line=line_no+1ifnext_line>=len(old_lines):# nothing following first paragraph, just append messagereturnold_doc+"\n"+dep_docindent=_LEADING_WHITE.match(old_lines[next_line]).group()dep_lines=[indent+LforLin[""]+dep_doc.splitlines()+[""]]return"\n".join(new_lines+dep_lines+old_lines[next_line:])+"\n"
[docs]defcmp_pkg_version(version_str,pkg_version_str=__version__):"""Compare ``version_str`` to current package version. Parameters ---------- version_str : str Version string to compare to current package version pkg_version_str : str, optional Version of our package. Optional, set from ``__version__`` by default. Returns ------- version_cmp : int 1 if ``version_str`` is a later version than ``pkg_version_str``, 0 if same, -1 if earlier. Examples -------- >>> cmp_pkg_version('1.2.1', '1.2.0') 1 >>> cmp_pkg_version('1.2.0dev', '1.2.0') -1 """version_cmp=version.parseifany(re.match(r"^[a-z, A-Z]",v)forvin[version_str,pkg_version_str]):msg="Invalid version {0} or {1}".format(version_str,pkg_version_str)raiseValueError(msg)elifversion_cmp(version_str)>version_cmp(pkg_version_str):return1elifversion_cmp(version_str)==version_cmp(pkg_version_str):return0else:return-1
[docs]defis_bad_version(version_str,version_comparator=cmp_pkg_version):"""Return True if `version_str` is too high."""returnversion_comparator(version_str)==-1
[docs]defdeprecate_with_version(message,since="",until="",version_comparator=cmp_pkg_version,warn_class=DeprecationWarning,error_class=ExpiredDeprecationError,):"""Return decorator function for deprecation warning / error. The decorated function / method will: * Raise the given ``warning_class`` warning when the function / method gets called, up to (and including) version `until` (if specified); * Raise the given ``error_class`` error when the function / method gets called, when the package version is greater than version ``until`` (if specified). Parameters ---------- message : str Message explaining deprecation, giving possible alternatives. since : str, optional Released version at which object was first deprecated. until : str, optional Last released version at which this function will still raise a deprecation warning. Versions higher than this will raise an error. version_comparator : callable Callable accepting string as argument, and return 1 if string represents a higher version than encoded in the version_comparator`, 0 if the version is equal, and -1 if the version is lower. For example, the ``version_comparator`` may compare the input version string to the current package version string. warn_class : class, optional Class of warning to generate for deprecation. error_class : class, optional Class of error to generate when ``version_comparator`` returns 1 for a given argument of ``until``. Returns ------- deprecator : func Function returning a decorator. """messages=[message]if(since,until)!=("",""):messages.append("")ifsince:messages.append("* deprecated from version: "+since)ifuntil:messages.append("* {0}{1} as of version: {2}".format("Raises"ifis_bad_version(until)else"Will raise",error_class,until))message="\n".join(messages)defdeprecator(func):@functools.wraps(func)defdeprecated_func(*args,**kwargs):ifuntilandis_bad_version(until,version_comparator):raiseerror_class(message)warnings.warn(message,warn_class,stacklevel=2)returnfunc(*args,**kwargs)deprecated_func.__doc__=_add_dep_doc(deprecated_func.__doc__,message)returndeprecated_funcreturndeprecator
[docs]defdeprecated_params(old_name,new_name=None,since="",until="",version_comparator=cmp_pkg_version,arg_in_kwargs=False,warn_class=ArgsDeprecationWarning,error_class=ExpiredDeprecationError,alternative="",):"""Deprecate a *renamed* or *removed* function argument. The decorator assumes that the argument with the ``old_name`` was removed from the function signature and the ``new_name`` replaced it at the **same position** in the signature. If the ``old_name`` argument is given when calling the decorated function the decorator will catch it and issue a deprecation warning and pass it on as ``new_name`` argument. Parameters ---------- old_name : str or list/tuple thereof The old name of the argument. new_name : str or list/tuple thereof or ``None``, optional The new name of the argument. Set this to `None` to remove the argument ``old_name`` instead of renaming it. since : str or number or list/tuple thereof, optional The release at which the old argument became deprecated. until : str or number or list/tuple thereof, optional Last released version at which this function will still raise a deprecation warning. Versions higher than this will raise an error. version_comparator : callable Callable accepting string as argument, and return 1 if string represents a higher version than encoded in the ``version_comparator``, 0 if the version is equal, and -1 if the version is lower. For example, the ``version_comparator`` may compare the input version string to the current package version string. arg_in_kwargs : bool or list/tuple thereof, optional If the argument is not a named argument (for example it was meant to be consumed by ``**kwargs``) set this to ``True``. Otherwise the decorator will throw an Exception if the ``new_name`` cannot be found in the signature of the decorated function. Default is ``False``. warn_class : warning, optional Warning to be issued. error_class : Exception, optional Error to be issued alternative : str, optional An alternative function or class name that the user may use in place of the deprecated object if ``new_name`` is None. The deprecation warning will tell the user about this alternative if provided. Raises ------ TypeError If the new argument name cannot be found in the function signature and arg_in_kwargs was False or if it is used to deprecate the name of the ``*args``-, ``**kwargs``-like arguments. At runtime such an Error is raised if both the new_name and old_name were specified when calling the function and "relax=False". Notes ----- This function is based on the Astropy (major modification). https://github.com/astropy/astropy. See COPYING file distributed along with the astropy package for the copyright and license terms. Examples -------- The deprecation warnings are not shown in the following examples. To deprecate a positional or keyword argument:: >>> from fury.deprecator import deprecated_params >>> @deprecated_params('sig', 'sigma', '0.3') ... def test(sigma): ... return sigma >>> test(2) 2 >>> test(sigma=2) 2 >>> test(sig=2) # doctest: +SKIP 2 It is also possible to replace multiple arguments. The ``old_name``, ``new_name`` and ``since`` have to be `tuple` or `list` and contain the same number of entries:: >>> @deprecated_params(['a', 'b'], ['alpha', 'beta'], ... ['0.2', 0.4]) ... def test(alpha, beta): ... return alpha, beta >>> test(a=2, b=3) # doctest: +SKIP (2, 3) """ifisinstance(old_name,(list,tuple)):# Normalize input parametersifnotisinstance(arg_in_kwargs,(list,tuple)):arg_in_kwargs=[arg_in_kwargs]*len(old_name)ifnotisinstance(since,(list,tuple)):since=[since]*len(old_name)ifnotisinstance(until,(list,tuple)):until=[until]*len(old_name)ifnotisinstance(new_name,(list,tuple)):new_name=[new_name]*len(old_name)if(len({len(old_name),len(new_name),len(since),len(until),len(arg_in_kwargs),})!=1):raiseValueError("All parameters should have the same length")else:# To allow a uniform approach later on, wrap all arguments in lists.old_name=[old_name]new_name=[new_name]since=[since]until=[until]arg_in_kwargs=[arg_in_kwargs]defdeprecator(function):# The named arguments of the function.arguments=signature(function).parameterspositions=[None]*len(old_name)fori,(o_name,n_name,in_keywords)inenumerate(zip(old_name,new_name,arg_in_kwargs)):# Determine the position of the argument.ifin_keywords:continueifn_nameisnotNoneandn_namenotinarguments:# In case the argument is not found in the list of arguments# the only remaining possibility is that it should be caught# by some kind of **kwargs argument.msg='"{}" was not specified in the function '.format(n_name)msg+="signature. If it was meant to be part of "msg+='"**kwargs" then set "arg_in_kwargs" to "True"'raiseTypeError(msg)key=o_nameifn_nameisNoneelsen_nameparam=arguments[key]ifparam.kind==param.POSITIONAL_OR_KEYWORD:key=o_nameifn_nameisNoneelsen_namepositions[i]=list(arguments.keys()).index(key)elifparam.kind==param.KEYWORD_ONLY:# These cannot be specified by position.positions[i]=Noneelse:# positional-only argument, varargs, varkwargs or some# unknown type:msg='cannot replace argument "{}" '.format(n_name)msg+="of kind {}.".format(repr(param.kind))raiseTypeError(msg)@functools.wraps(function)defwrapper(*args,**kwargs):fori,(o_name,n_name)inenumerate(zip(old_name,new_name)):messages=['"{}" was deprecated'.format(o_name),]if(since[i],until[i])!=("",""):messages.append("")ifsince[i]:messages.append("* deprecated from version: "+str(since[i]))ifuntil[i]:messages.append("* {0}{1} as of version: {2}".format("Raises"ifis_bad_version(until[i])else"Will raise",error_class,until[i],))messages.append("")message="\n".join(messages)# The only way to have oldkeyword inside the function is# that it is passed as kwarg because the oldkeyword# parameter was renamed to newkeyword.ifo_nameinkwargs:value=kwargs.pop(o_name)# Check if the newkeyword was given as well.newarg_in_args=(positions[i]isnotNoneandlen(args)>positions[i])newarg_in_kwargs=n_nameinkwargsifnewarg_in_argsornewarg_in_kwargs:msg='cannot specify both "{}"'.format(o_name)msg+=" (deprecated parameter) and "msg+='"{}" (new parameter name).'.format(n_name)raiseTypeError(msg)# Pass the value of the old argument with the# name of the new argument to the functionkey=n_nameoro_namekwargs[key]=valueifn_nameisnotNone:message+='* Use argument "{}" instead.'.format(n_name)elifalternative:message+="* Use {} instead.".format(alternative)ifuntil[i]andis_bad_version(until[i],version_comparator):raiseerror_class(message)warnings.warn(message,warn_class,stacklevel=2)# Deprecated keyword without replacement is given as# positional argument.elifnotn_nameandpositions[i]andlen(args)>positions[i]:ifalternative:message+="* Use {} instead.".format(alternative)ifuntil[i]andis_bad_version(until[i],version_comparator):raiseerror_class(message)warnings.warn(message,warn_class,stacklevel=2)returnfunction(*args,**kwargs)returnwrapperreturndeprecator