当前位置: 首页>>代码示例>>Python>>正文


Python line_profiler.LineProfiler方法代码示例

本文整理汇总了Python中line_profiler.LineProfiler方法的典型用法代码示例。如果您正苦于以下问题:Python line_profiler.LineProfiler方法的具体用法?Python line_profiler.LineProfiler怎么用?Python line_profiler.LineProfiler使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在line_profiler的用法示例。


在下文中一共展示了line_profiler.LineProfiler方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: activate_profiler

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def activate_profiler():
    if sys.version_info[0] == 3:  # PY3
        import builtins
    else:
        import __builtin__ as builtins
    if Options()['misc'].get('profile', False):
        # if profiler is activated, associate line_profiler
        Logger()('Activating line_profiler...')
        try:
            import line_profiler
        except ModuleNotFoundError:
            Logger()('Failed to import line_profiler.', log_level=Logger.ERROR, raise_error=False)
            Logger()('Please install it from https://github.com/rkern/line_profiler', log_level=Logger.ERROR, raise_error=False)
            return
        prof = line_profiler.LineProfiler()
        builtins.__dict__['profile'] = prof
    else:
        # otherwise, create a blank profiler, to disable profiling code
        builtins.__dict__['profile'] = lambda func: func
        prof = None
    return prof 
开发者ID:Cadene,项目名称:bootstrap.pytorch,代码行数:23,代码来源:run.py

示例2: reset

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def reset(self):
        functions = self.functions
        line_prof = line_profiler.LineProfiler()
        # copy settings
        if self._enable:
            line_prof.enable()
        else:
            line_prof.disable()
        if self._enable_by_count:
            line_prof.enable_by_count()
        else:
            line_prof.disable_by_count()
        # add previously registered functions
        for fxn in functions:
            line_prof.add_function(fxn)
        self._line_prof = line_prof
        return self 
开发者ID:kelvinguu,项目名称:lang2program,代码行数:19,代码来源:chrono.py

示例3: _profile

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def _profile(prof, statement, glob, loc):
    """Profile a Python statement."""
    dir = Path('.profile')
    ensure_dir_exists(dir)
    prof.runctx(statement, glob, loc)
    # Capture stdout.
    old_stdout = sys.stdout
    sys.stdout = output = StringIO()
    try:  # pragma: no cover
        from line_profiler import LineProfiler
        if isinstance(prof, LineProfiler):
            prof.print_stats()
        else:
            prof.print_stats('cumulative')
    except ImportError:  # pragma: no cover
        prof.print_stats('cumulative')
    sys.stdout = old_stdout
    stats = output.getvalue()
    # Stop capture.
    if 'Line' in prof.__class__.__name__:  # pragma: no cover
        fn = 'lstats.txt'
    else:
        fn = 'stats.txt'
    stats_file = dir / fn
    stats_file.write_text(stats) 
开发者ID:cortex-lab,项目名称:phy,代码行数:27,代码来源:profiling.py

示例4: get_profiler

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def get_profiler():
    if not profiling:
        return

    # lazy load (this won't be available in production)
    import line_profiler

    glob = globals()

    if 'line_profiler_' not in glob:
        profiler = line_profiler.LineProfiler()
        if profile_by_count:
            profiler.enable_by_count()
        glob['line_profiler_'] = profiler
        print 'initialized profiler'

    return glob['line_profiler_'] 
开发者ID:millerjohnp,项目名称:traversing_knowledge_graphs,代码行数:19,代码来源:util.py

示例5: test_WignerDRecursion_lineprofiling

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def test_WignerDRecursion_lineprofiling():
    from line_profiler import LineProfiler
    ell_max = 8
    hcalc = HCalculator(ell_max)
    cosβ = 2*np.random.rand(100, 100) - 1
    workspace = hcalc.workspace(cosβ)
    hcalc(cosβ, workspace=workspace)  # Run once to ensure everything is compiled
    profiler = LineProfiler(hcalc.__call__)#, _step_2, _step_3, _step_4, _step_5, _step_6)
    profiler.runctx('hcalc(cosβ, workspace=workspace)', {'hcalc': hcalc, 'cosβ': cosβ, 'workspace': workspace}, {})
    print()
    profiler.print_stats() 
开发者ID:moble,项目名称:spherical_functions,代码行数:13,代码来源:test_recursion.py

示例6: profile_each_line

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def profile_each_line(func, *args, **kwargs):
    profiler = LineProfiler()
    profiled_func = profiler(func)
    retval = None
    try:
        retval = profiled_func(*args, **kwargs)
    finally:
        profiler.print_stats()
    return retval 
开发者ID:nextml,项目名称:NEXT,代码行数:11,代码来源:utils.py

示例7: profile_linebyline

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def profile_linebyline(func):
    import line_profiler
    @functools.wraps(func)
    def wrapper(*args, **kwargs):
        prof = line_profiler.LineProfiler()
        val = prof(func)(*args, **kwargs)
        prof.print_stats()
        return val
    return wrapper


# Some debug testing here 
开发者ID:lrq3000,项目名称:pyFileFixity,代码行数:14,代码来源:debug.py

示例8: profile

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def profile(title):
    def wrapper(f):
        def printProfile(*args):
            lp = LineProfiler()
            dec_f = lp(f)
            output_value = dec_f(*args)
            print("Line Profile for:",title)
            print("----------------------")
            lp.print_stats()
            return output_value
        return printProfile
    return wrapper
############################################################## 
开发者ID:bbli,项目名称:ml_board,代码行数:15,代码来源:utils.py

示例9: enable_profiler

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def enable_profiler(env, scope):
    # decorate line profiler
    import line_profiler
    import inspect
    env.profile_deco = profile_deco = line_profiler.LineProfiler()
    for name in scope:
        obj = scope[name]
        if getattr(obj, "__module__", None) != "rqalpha.user_module":
            continue
        if inspect.isfunction(obj):
            scope[name] = profile_deco(obj)
        if inspect.isclass(obj):
            for key, val in six.iteritems(obj.__dict__):
                if inspect.isfunction(val):
                    setattr(obj, key, profile_deco(val)) 
开发者ID:zhengwsh,项目名称:InplusTrader_Linux,代码行数:17,代码来源:main.py

示例10: start_line_profiler

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def start_line_profiler():
    """Start the line profiler"""
    global _active_line_profiler
    _active_line_profiler = line_profiler.LineProfiler()

    xlcAlert("Line Profiler Active\n"
             "Run the function you are interested in and then stop the profiler.\n"
             "Ensure you have decoratored the function with @enable_line_profiler.") 
开发者ID:pyxll,项目名称:pyxll-examples,代码行数:10,代码来源:profiling_tools.py

示例11: __init__

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def __init__(self):
        self._line_prof = line_profiler.LineProfiler() 
开发者ID:kelvinguu,项目名称:lang2program,代码行数:4,代码来源:chrono.py

示例12: _enable_profiler

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def _enable_profiler(line_by_line=False):  # pragma: no cover
    """Enable the profiler."""
    if 'profile' in builtins.__dict__:
        return builtins.__dict__['profile']
    if line_by_line:
        import line_profiler
        prof = line_profiler.LineProfiler()
    else:
        prof = ContextualProfile()
    builtins.__dict__['profile'] = prof
    return prof 
开发者ID:cortex-lab,项目名称:phy,代码行数:13,代码来源:profiling.py

示例13: do_profile

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def do_profile(follow=None):
        """
        使用line_profiler创建性能分析装饰器
        follow列表选择要追踪的函数,如果为空,则全部分析
        用例:
        def num_range(n):
            for x in range(n):
                yield x

        @do_profile(follow=[num_range])
        def expensive_function():
            for x in num_range(1000):
                _ = x ** x
            return 'OK!'

        result = expensive_function()
        """
        if follow is None:
            follow = list()
        def inner(func):
            def profiled_func(*args, **kwargs):
                profiler = LineProfiler()
                try:
                    profiler.add_function(func)
                    for f in follow:
                        profiler.add_function(f)
                    profiler.enable_by_count()
                    return func(*args, **kwargs)
                finally:
                    profiler.print_stats()
            return profiled_func
        return inner 
开发者ID:X0Leon,项目名称:XQuant,代码行数:34,代码来源:profiler.py

示例14: main

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def main():
    profiler = LineProfiler()
    for f in funcs_to_profile:
        profiler.add_function(f)
    profiler.wrap_function(run)()
    profiler.print_stats(stripzeros=True) 
开发者ID:samuelcolvin,项目名称:pydantic,代码行数:8,代码来源:profile.py

示例15: do_profile

# 需要导入模块: import line_profiler [as 别名]
# 或者: from line_profiler import LineProfiler [as 别名]
def do_profile(follow=(), follow_all_methods=False):
        """
        Decorator to profile a function or class method

        It uses line_profiler to give detailed reports on time spent on each
        line in the code.

        Pros: has intuitive and finely detailed reports. Can follow
        functions in third party libraries.

        Cons:
        has external dependency on line_profiler and is quite slow,
        so don't use it for benchmarking.

        Handy tip:
        Just decorate your test function or class method and pass any
        additional problem function(s) in the follow argument!
        If any follow argument is a string, it is assumed that the string
        refers to bound a method of the class

        See also
        --------
        do_cprofile, test_do_profile
        """
        def inner(func):

            def profiled_func(*args, **kwargs):
                try:
                    profiler = LineProfiler()
                    profiler.add_function(func)
                    if follow_all_methods:
                        cls = args[0]  # class instance
                        _add_all_class_methods(profiler, cls,
                                               except_=func.__name__)
                    for f in follow:
                        _add_function_or_classmethod(profiler, f, args)
                    profiler.enable_by_count()
                    return func(*args, **kwargs)
                finally:
                    profiler.print_stats()
            return profiled_func
        return inner 
开发者ID:pbrod,项目名称:numdifftools,代码行数:44,代码来源:profiletools.py


注:本文中的line_profiler.LineProfiler方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。