pax_global_header00006660000000000000000000000064140275015660014520gustar00rootroot0000000000000052 comment=09044167c05fb47b1ae9cfd9505ec15584087b37 gpu-utils-3.6.0/000077500000000000000000000000001402750156600134575ustar00rootroot00000000000000gpu-utils-3.6.0/GPUmodules/000077500000000000000000000000001402750156600155035ustar00rootroot00000000000000gpu-utils-3.6.0/GPUmodules/GPUgui.py000077500000000000000000000246721402750156600172330ustar00rootroot00000000000000#!/usr/bin/env python3 """ gpu-utils: GPUgui module to support gui in rickslab-gpu-utils. Copyright (C) 2020 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2020 RicksLab' __credits__ = ['@berturion - Testing and Verification'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-utils' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation from typing import Tuple, Dict import sys import re import logging import warnings try: import gi gi.require_version('Gtk', '3.0') from gi.repository import Gtk, Gdk except ModuleNotFoundError as error: print('gi import error: {}'.format(error)) print('gi is required for {}'.format(__program_name__)) print(' In a venv, first install vext: pip install --no-cache-dir vext') print(' Then install vext.gi: pip install --no-cache-dir vext.gi') sys.exit(0) try: from GPUmodules import env except ImportError: import env from GPUmodules import __version__, __status__ ColorDict = Dict[str, str] LOGGER = logging.getLogger('gpu-utils') PATTERNS = env.GutConst.PATTERNS def get_color(value: str) -> str: """ Get the rgb hex string for the provided color name. :param value: A valid project color name. :return: rrb value as a hex string. """ return GuiProps.color_name_to_hex(value) class GuiProps: """ Class to manage style properties of Gtk widgets. """ _colors: ColorDict = {'white': '#FFFFFF', 'white_off': '#FCFCFC', 'white_pp': '#F0E5D3', 'cream': '#FFFDD1', 'gray20': '#CCCCCC', 'gray50': '#7F7F7F', 'gray60': '#666666', 'gray70': '#4D4D4D', 'gray80': '#333333', 'gray95': '#0D0D0D', 'gray_dk': '#6A686E', 'black': '#000000', # Colors Low Contrast - For table fields 'green': '#8EC3A7', 'green_dk': '#6A907C', 'teal': '#218C8D', 'olive': '#6C9040', 'red': '#B73743', 'orange': '#E86850', 'yellow': '#C9A100', 'blue': '#587498', 'purple': '#6264A7', # Colors Bright - For plot lines 'br_red': '#FF2D2D', 'br_orange': '#FF6316', 'br_blue': '#66CCFF', 'br_pink': '#CC00FF', 'br_green': '#99FF99', 'br_yellow': '#FFFF66', # Slate - For table fields 'slate_lt': '#A0A0AA', 'slate_md': '#80808d', 'slate_dk': '#5D5D67', 'slate_vdk': '#3A3A40'} @staticmethod def color_name_to_hex(value: str) -> str: """ Return the hex code for the given string. The specified string must exist in the project color list. :param value: Color name :return: Color hex code """ if value not in GuiProps._colors.keys(): raise ValueError('Invalid color name {} not in {}'.format(value, GuiProps._colors)) return GuiProps._colors[value] @staticmethod def color_name_to_rgba(value: str) -> Tuple[float, ...]: """ Convert the given color name to a color tuple. The given color string mus exist in the project color list. :param value: Color name :return: Color tuple """ if value not in GuiProps._colors.keys(): raise ValueError('Invalid color name {} not in {}'.format(value, GuiProps._colors)) return GuiProps.hex_to_rgba(GuiProps._colors[value]) @staticmethod def hex_to_rgba(value: str) -> Tuple[float, ...]: """ Return rgba tuple for give hex color name. :param value: hex color value as string :return: rgba tuple .. note:: Code copied from Stack Overflow """ if not re.fullmatch(PATTERNS['HEXRGB'], value): raise ValueError('Invalid hex color format in {}'.format(value)) value = value.lstrip('#') if len(value) != 6: raise ValueError('Invalid hex color format in {}'.format(value)) (r_1, g_1, b_1, a_1) = tuple(int(value[i:i + 2], 16) for i in range(0, 6, 2)) + (1,) (r_1, g_1, b_1, a_1) = (r_1 / 255.0, g_1 / 255.0, b_1 / 255.0, a_1) return tuple([r_1, g_1, b_1, a_1]) @staticmethod def set_gtk_prop(gui_item, top: int = None, bottom: int = None, right: int = None, left: int = None, width: int = None, width_chars: int = None, width_max: int = None, max_length: int = None, align: tuple = None, xalign: float = None) -> None: """ Set properties of Gtk objects. :param gui_item: Gtk object :param top: Top margin :param bottom: Bottom margin :param right: Right margin :param left: Left margin :param width: Width of request field :param width_chars: Width of label :param width_max: Max Width of object :param max_length: max length of entry :param align: Alignment parameters :param xalign: X Alignment parameter """ if top: gui_item.set_property('margin-top', top) if bottom: gui_item.set_property('margin-bottom', bottom) if right: gui_item.set_property('margin-right', right) if left: gui_item.set_property('margin-left', left) if width: gui_item.set_property('width-request', width) if width_max: gui_item.set_max_width_chars(width_max) if width_chars: gui_item.set_width_chars(width_chars) if max_length: gui_item.set_max_length(max_length) with warnings.catch_warnings(): warnings.filterwarnings('ignore', category=DeprecationWarning) if xalign: # FIXME - This is deprecated in latest Gtk, need to use halign gui_item.set_alignment(xalign=xalign) if align: # FIXME - This is deprecated in latest Gtk, need to use halign gui_item.set_alignment(*align) @classmethod def set_style(cls, css_str=None) -> None: """ Set the specified css style, or set default styles if no css string is specified. :param css_str: A valid css format string. """ css_list = [] if css_str is None: # Initialize formatting colors. css_list.append("grid { background-image: image(%s); }" % cls._colors['gray80']) css_list.append("#light_grid { background-image: image(%s); }" % cls._colors['gray20']) css_list.append("#dark_grid { background-image: image(%s); }" % cls._colors['gray70']) css_list.append("#dark_box { background-image: image(%s); }" % cls._colors['slate_dk']) css_list.append("#med_box { background-image: image(%s); }" % cls._colors['slate_md']) css_list.append("#light_box { background-image: image(%s); }" % cls._colors['slate_lt']) css_list.append("#head_box { background-image: image(%s); }" % cls._colors['blue']) css_list.append("#warn_box { background-image: image(%s); }" % cls._colors['red']) css_list.append("#button_box { background-image: image(%s); }" % cls._colors['slate_dk']) css_list.append("#message_box { background-image: image(%s); }" % cls._colors['gray50']) css_list.append("#message_label { color: %s; }" % cls._colors['white_off']) css_list.append("#warn_label { color: %s; }" % cls._colors['white_pp']) css_list.append("#white_label { color: %s; }" % cls._colors['white_off']) css_list.append("#black_label { color: %s; }" % cls._colors['gray95']) css_list.append("#ppm_combo { background-image: image(%s); color: %s; }" % (cls._colors['green'], cls._colors['black'])) css_list.append("button { background-image: image(%s); color: %s; }" % (cls._colors['slate_lt'], cls._colors['black'])) css_list.append("entry { background-image: image(%s); color: %s; }" % (cls._colors['green'], cls._colors['gray95'])) # Below format does not work. css_list.append("entry:selected { background-image: image(%s); color: %s; }" % (cls._colors['yellow'], cls._colors['white'])) else: css_list.append(css_str) LOGGER.info('css %s', css_list) screen = Gdk.Screen.get_default() for css_item in css_list: provider = Gtk.CssProvider() css = css_item.encode('utf-8') provider.load_from_data(css) style_context = Gtk.StyleContext() style_context.add_provider_for_screen(screen, provider, Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION) def about() -> None: """ Display details of this module. """ print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if __name__ == '__main__': about() gpu-utils-3.6.0/GPUmodules/GPUmodule.py000077500000000000000000003250541402750156600177320ustar00rootroot00000000000000#!/usr/bin/env python3 """GPUmodules - Classes to represent GPUs and sets of GPUs used in rickslab-gpu-utils. Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation', 'Keith Myers - Testing, Debug, Verification of NV Capability'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-utils' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import re import subprocess import shlex import os import sys import logging from typing import Union, List, Dict, TextIO, IO, Generator, Any from pathlib import Path from uuid import uuid4 from enum import Enum import glob from numpy import nan as np_nan from GPUmodules import __version__, __status__ try: from GPUmodules import env except ImportError: import env LOGGER = logging.getLogger('gpu-utils') PATTERNS = env.GutConst.PATTERNS class GpuEnum(Enum): """ Replace __str__ method of Enum so that name excludes type and can be used as key in other dicts. """ def __str__(self): return self.name class ObjDict(dict): """ Allow access of dictionary keys by key name. """ # pylint: disable=attribute-defined-outside-init # pylint: disable=too-many-instance-attributes def __getattr__(self, name): if name in self: return self[name] raise AttributeError('No such attribute: {}'.format(name)) def __setattr__(self, name, value): self[name] = value def __delattr__(self, name): if name in self: del self[name] else: raise AttributeError('No such attribute: {}'.format(name)) class GpuItem: """An object to store GPU details. """ # pylint: disable=attribute-defined-outside-init # pylint: disable=too-many-instance-attributes _finalized: bool = False _button_labels: Dict[str, str] = {'loading': 'Load%', 'power': 'Power', 'power_cap': 'PowerCap', 'temp_val': 'Temp', 'vddgfx_val': 'VddGfx', 'sclk_ps_val': 'SCLK Pstate', 'sclk_f_val': 'SCLK', 'mclk_ps_val': 'MCLK Pstate', 'mclk_f_val': 'MCLK'} _fan_item_list: List[str] = ['fan_enable', 'pwm_mode', 'fan_target', 'fan_speed', 'fan_pwm', 'fan_speed_range', 'fan_pwm_range'] short_list: List[str] = ['vendor', 'readable', 'writable', 'compute', 'card_num', 'id', 'model_device_decode', 'gpu_type', 'card_path', 'sys_card_path', 'hwmon_path', 'pcie_id'] _GPU_NC_Param_List: List[str] = ['compute', 'readable', 'writable', 'vendor', 'model', 'card_num', 'sys_card_path', 'gpu_type', 'card_path', 'hwmon_path', 'pcie_id', 'driver', 'id', 'model_device_decode'] # Vendor and Type skip lists for reporting AMD_Skip_List: List[str] = ['frequencies_max', 'compute_mode', 'serial_number', 'card_index'] NV_Skip_List: List[str] = ['fan_enable', 'fan_speed', 'fan_pwm_range', 'fan_speed_range', 'pwm_mode', 'mem_gtt_total', 'mem_gtt_used', 'mem_gtt_usage', 'mclk_ps', 'mclk_f_range', 'sclk_f_range', 'vddc_range', 'power_dpm_force', 'temp_crits', 'voltages'] LEGACY_Skip_List: List[str] = ['vbios', 'loading', 'mem_loading', 'sclk_ps', 'mclk_ps', 'ppm', 'power', 'power_cap', 'power_cap_range', 'mem_vram_total', 'mem_vram_used', 'mem_gtt_total', 'mem_gtt_used', 'mem_vram_usage', 'mem_gtt_usage', 'fan_speed_range', 'fan_enable', 'fan_target', 'fan_speed', 'voltages', 'vddc_range', 'frequencies', 'sclk_f_range', 'mclk_f_range'] # Define Class Labels GPU_Type = GpuEnum('type', 'Undefined Unsupported Supported Legacy APU PStatesNE PStates CurvePts') GPU_Comp = GpuEnum('Compatibility', 'None ALL ReadWrite ReadOnly WriteOnly Readable Writable') GPU_Vendor = GpuEnum('vendor', 'Undefined ALL AMD NVIDIA INTEL ASPEED MATROX PCIE') _apu_gpus: List[str] = ['Carrizo', 'Renoir', 'Cezanne', 'Wrestler', 'Llano', 'Ontario', 'Trinity', 'Richland', 'Kabini', 'Kaveri', 'Picasso', 'Bristol Ridge', 'Raven Ridge', 'Hondo', 'Desna', 'Zacate', 'Weatherford', 'Godavari', 'Temash', 'WinterPark', 'BeaverCreek'] # Table parameters labels. table_parameters: List[str] = ['model_display', 'loading', 'mem_loading', 'mem_vram_usage', 'mem_gtt_usage', 'power', 'power_cap', 'energy', 'temp_val', 'vddgfx_val', 'fan_pwm', 'sclk_f_val', 'sclk_ps_val', 'mclk_f_val', 'mclk_ps_val', 'ppm'] table_param_labels: Dict[str, str] = { 'model_display': 'Model', 'loading': 'GPU Load %', 'mem_loading': 'Mem Load %', 'mem_vram_usage': 'VRAM Usage %', 'mem_gtt_usage': 'GTT Usage %', 'power': 'Power (W)', 'power_cap': 'Power Cap (W)', 'energy': 'Energy (kWh)', 'temp_val': 'T (C)', 'vddgfx_val': 'VddGFX (mV)', 'fan_pwm': 'Fan Spd (%)', 'sclk_f_val': 'Sclk (MHz)', 'sclk_ps_val': 'Sclk Pstate', 'mclk_f_val': 'Mclk (MHz)', 'mclk_ps_val': 'Mclk Pstate', 'ppm': 'Perf Mode'} # Complete GPU print items, use skip lists where appropriate _GPU_CLINFO_Labels: Dict[str, str] = { 'sep4': '#', 'opencl_version': ' Device OpenCL C Version', 'device_name': ' Device Name', 'device_version': ' Device Version', 'driver_version': ' Driver Version', 'max_cu': ' Max Compute Units', 'simd_per_cu': ' SIMD per CU', 'simd_width': ' SIMD Width', 'simd_ins_width': ' SIMD Instruction Width', 'max_mem_allocation': ' CL Max Memory Allocation', 'max_wi_dim': ' Max Work Item Dimensions', 'max_wi_sizes': ' Max Work Item Sizes', 'max_wg_size': ' Max Work Group Size', 'prf_wg_size': ' Preferred Work Group Size', 'prf_wg_multiple': ' Preferred Work Group Multiple'} _GPU_Param_Labels: Dict[str, str] = { 'card_num': 'Card Number', 'vendor': 'Vendor', 'readable': 'Readable', 'writable': 'Writable', 'compute': 'Compute', 'unique_id': 'GPU UID', 'serial_number': 'GPU S/N', 'id': 'Device ID', 'model_device_decode': 'Decoded Device ID', 'model': 'Card Model', 'model_display': 'Display Card Model', 'card_index': 'Card Index', 'pcie_id': 'PCIe ID', 'link_spd': ' Link Speed', 'link_wth': ' Link Width', 'sep1': '#', 'driver': 'Driver', 'vbios': 'vBIOS Version', 'compute_platform': 'Compute Platform', 'compute_mode': 'Compute Mode', 'gpu_type': 'GPU Type', 'hwmon_path': 'HWmon', 'card_path': 'Card Path', 'sys_card_path': 'System Card Path', 'sep2': '#', 'power': 'Current Power (W)', 'power_cap': 'Power Cap (W)', 'power_cap_range': ' Power Cap Range (W)', 'fan_enable': 'Fan Enable', 'pwm_mode': 'Fan PWM Mode', 'fan_target': 'Fan Target Speed (rpm)', 'fan_speed': 'Current Fan Speed (rpm)', 'fan_pwm': 'Current Fan PWM (%)', 'fan_speed_range': ' Fan Speed Range (rpm)', 'fan_pwm_range': ' Fan PWM Range (%)', 'sep3': '#', 'loading': 'Current GPU Loading (%)', 'mem_loading': 'Current Memory Loading (%)', 'mem_gtt_usage': 'Current GTT Memory Usage (%)', 'mem_gtt_used': ' Current GTT Memory Used (GB)', 'mem_gtt_total': ' Total GTT Memory (GB)', 'mem_vram_usage': 'Current VRAM Usage (%)', 'mem_vram_used': ' Current VRAM Used (GB)', 'mem_vram_total': ' Total VRAM (GB)', 'temperatures': 'Current Temps (C)', 'temp_crits': 'Critical Temps (C)', 'voltages': 'Current Voltages (V)', 'vddc_range': ' Vddc Range', 'frequencies': 'Current Clk Frequencies (MHz)', 'frequencies_max': 'Maximum Clk Frequencies (MHz)', 'sclk_ps': 'Current SCLK P-State', 'sclk_f_range': ' SCLK Range', 'mclk_ps': 'Current MCLK P-State', 'mclk_f_range': ' MCLK Range', 'ppm': 'Power Profile Mode', 'power_dpm_force': 'Power DPM Force Performance Level'} # GPU sensor reading details SensorSet = Enum('set', 'None Test Static Dynamic Info State Monitor All') sensor_sets = {SensorSet.Static: {'HWMON': ['power_cap_range', 'temp_crits', 'fan_speed_range', 'fan_pwm_range']}, SensorSet.Dynamic: {'HWMON': ['power', 'power_cap', 'temperatures', 'voltages', 'frequencies', 'fan_enable', 'fan_target', 'fan_speed', 'pwm_mode', 'fan_pwm']}, SensorSet.Info: {'DEVICE': ['unique_id', 'vbios', 'mem_vram_total', 'mem_gtt_total']}, SensorSet.State: {'DEVICE': ['loading', 'mem_loading', 'mem_gtt_used', 'mem_vram_used', 'link_spd', 'link_wth', 'sclk_ps', 'mclk_ps', 'ppm', 'power_dpm_force']}, SensorSet.Monitor: {'HWMON': ['power', 'power_cap', 'temperatures', 'voltages', 'frequencies', 'fan_pwm'], 'DEVICE': ['loading', 'mem_loading', 'mem_gtt_used', 'mem_vram_used', 'sclk_ps', 'mclk_ps', 'ppm']}, SensorSet.All: {'DEVICE': ['unique_id', 'vbios', 'loading', 'mem_loading', 'link_spd', 'link_wth', 'sclk_ps', 'mclk_ps', 'ppm', 'power_dpm_force', 'mem_vram_total', 'mem_gtt_total', 'mem_vram_used', 'mem_gtt_used'], 'HWMON': ['power_cap_range', 'temp_crits', 'power', 'power_cap', 'temperatures', 'voltages', 'frequencies', 'fan_speed_range', 'fan_pwm_range', 'fan_enable', 'fan_target', 'fan_speed', 'pwm_mode', 'fan_pwm']}} SensorType = Enum('type', 'SingleParam SingleString SingleStringSelect MinMax MLSS InputLabel InputLabelX MLMS') _gbcf: float = 1.0/(1024*1024*1024) _sensor_details = {GPU_Vendor.AMD: { 'HWMON': { 'power': {'type': SensorType.SingleParam, 'cf': 0.000001, 'sensor': ['power1_average']}, 'power_cap': {'type': SensorType.SingleParam, 'cf': 0.000001, 'sensor': ['power1_cap']}, 'power_cap_range': {'type': SensorType.MinMax, 'cf': 0.000001, 'sensor': ['power1_cap_min', 'power1_cap_max']}, 'fan_enable': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['fan1_enable']}, 'fan_target': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['fan1_target']}, 'fan_speed': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['fan1_input']}, 'fan_speed_range': {'type': SensorType.MinMax, 'cf': 1, 'sensor': ['fan1_min', 'fan1_max']}, 'pwm_mode': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['pwm1_enable']}, 'fan_pwm': {'type': SensorType.SingleParam, 'cf': 0.39216, 'sensor': ['pwm1']}, 'fan_pwm_range': {'type': SensorType.MinMax, 'cf': 0.39216, 'sensor': ['pwm1_min', 'pwm1_max']}, 'temp_crits': {'type': SensorType.InputLabelX, 'cf': 0.001, 'sensor': ['temp*_crit']}, 'frequencies': {'type': SensorType.InputLabelX, 'cf': 0.000001, 'sensor': ['freq*_input']}, 'voltages': {'type': SensorType.InputLabelX, 'cf': 1, 'sensor': ['in*_input']}, 'temperatures': {'type': SensorType.InputLabelX, 'cf': 0.001, 'sensor': ['temp*_input']}, 'vddgfx': {'type': SensorType.InputLabelX, 'cf': 0.001, 'sensor': ['in*_input']}}, 'DEVICE': { 'id': {'type': SensorType.MLMS, 'cf': None, 'sensor': ['vendor', 'device', 'subsystem_vendor', 'subsystem_device']}, 'unique_id': {'type': SensorType.SingleString, 'cf': None, 'sensor': ['unique_id']}, 'loading': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['gpu_busy_percent']}, 'mem_loading': {'type': SensorType.SingleParam, 'cf': 1, 'sensor': ['mem_busy_percent']}, 'mem_vram_total': {'type': SensorType.SingleParam, 'cf': _gbcf, 'sensor': ['mem_info_vram_total']}, 'mem_vram_used': {'type': SensorType.SingleParam, 'cf': _gbcf, 'sensor': ['mem_info_vram_used']}, 'mem_gtt_total': {'type': SensorType.SingleParam, 'cf': _gbcf, 'sensor': ['mem_info_gtt_total']}, 'mem_gtt_used': {'type': SensorType.SingleParam, 'cf': _gbcf, 'sensor': ['mem_info_gtt_used']}, 'link_spd': {'type': SensorType.SingleString, 'cf': None, 'sensor': ['current_link_speed']}, 'link_wth': {'type': SensorType.SingleString, 'cf': None, 'sensor': ['current_link_width']}, 'sclk_ps': {'type': SensorType.MLSS, 'cf': None, 'sensor': ['pp_dpm_sclk']}, 'mclk_ps': {'type': SensorType.MLSS, 'cf': None, 'sensor': ['pp_dpm_mclk']}, 'power_dpm_force': {'type': SensorType.SingleString, 'cf': None, 'sensor': ['power_dpm_force_performance_level']}, 'ppm': {'type': SensorType.SingleStringSelect, 'cf': None, 'sensor': ['pp_power_profile_mode']}, 'vbios': {'type': SensorType.SingleString, 'cf': None, 'sensor': ['vbios_version']}}}, GPU_Vendor.PCIE: { 'DEVICE': { 'id': {'type': SensorType.MLMS, 'cf': None, 'sensor': ['vendor', 'device', 'subsystem_vendor', 'subsystem_device']}}}} nv_query_items = {SensorSet.Static: { 'power_cap': ['power.limit'], 'power_cap_range': ['power.min_limit', 'power.max_limit'], 'mem_vram_total': ['memory.total'], 'frequencies_max': ['clocks.max.gr', 'clocks.max.sm', 'clocks.max.mem'], 'vbios': ['vbios_version'], 'compute_mode': ['compute_mode'], 'driver': ['driver_version'], 'model': ['name'], 'serial_number': ['serial'], 'card_index': ['index'], 'unique_id': ['gpu_uuid']}, SensorSet.Dynamic: { 'power': ['power.draw'], 'temperatures': ['temperature.gpu', 'temperature.memory'], 'frequencies': ['clocks.gr', 'clocks.sm', 'clocks.mem', 'clocks.video'], 'loading': ['utilization.gpu'], 'mem_loading': ['utilization.memory'], 'mem_vram_used': ['memory.used'], 'fan_speed': ['fan.speed'], 'ppm': ['gom.current'], 'link_wth': ['pcie.link.width.current'], 'link_spd': ['pcie.link.gen.current'], 'pstates': ['pstate']}, SensorSet.Monitor: { 'power': ['power.draw'], 'power_cap': ['power.limit'], 'temperatures': ['temperature.gpu'], 'frequencies': ['clocks.gr', 'clocks.mem'], 'loading': ['utilization.gpu'], 'mem_loading': ['utilization.memory'], 'mem_vram_used': ['memory.used'], 'fan_speed': ['fan.speed'], 'ppm': ['gom.current'], 'pstates': ['pstate']}, SensorSet.All: { 'power_cap': ['power.limit'], 'power_cap_range': ['power.min_limit', 'power.max_limit'], 'mem_vram_total': ['memory.total'], 'vbios': ['vbios_version'], 'driver': ['driver_version'], 'compute_mode': ['compute_mode'], 'model': ['name'], 'serial_number': ['serial'], 'card_index': ['index'], 'unique_id': ['gpu_uuid'], 'power': ['power.draw'], 'temperatures': ['temperature.gpu', 'temperature.memory'], 'frequencies': ['clocks.gr', 'clocks.sm', 'clocks.mem', 'clocks.video'], 'frequencies_max': ['clocks.max.gr', 'clocks.max.sm', 'clocks.max.mem'], 'loading': ['utilization.gpu'], 'mem_loading': ['utilization.memory'], 'mem_vram_used': ['memory.used'], 'fan_speed': ['fan.speed'], 'ppm': ['gom.current'], 'link_wth': ['pcie.link.width.current'], 'link_spd': ['pcie.link.gen.current'], 'pstates': ['pstate']}} def __repr__(self) -> Dict[str, Any]: """ Return dictionary representing all parts of the GpuItem object. :return: Dictionary of core GPU parameters. """ return {'params': self.prm, 'clinfo': self.clinfo, 'sclk_state': self.sclk_state, 'mclk_state': self.mclk_state, 'vddc_curve': self.vddc_curve, 'vddc_curve_range': self.vddc_curve_range, 'ppm_modes': self.ppm_modes} def __str__(self) -> str: """ Return simple string representing the GpuItem object. :return: GPU_item informational string """ return 'GPU_Item: uuid={}'.format(self.prm.uuid) def __init__(self, item_id: str): """ Initialize GpuItem object. :param item_id: UUID of the new item. """ time_0 = env.GUT_CONST.now(env.GUT_CONST.USELTZ) self.validated_sensors: bool = False self.energy: Dict[str, Any] = {'t0': time_0, 'tn': time_0, 'cumulative': 0.0} self.read_disabled: List[str] = [] # List of parameters that failed during read. self.write_disabled: List[str] = [] # List of parameters that failed during write. self.prm: ObjDict = ObjDict({ 'uuid': item_id, 'unique_id': '', 'card_num': None, 'pcie_id': '', 'driver': '', 'vendor': self.GPU_Vendor.Undefined, 'readable': False, 'writable': False, 'compute': False, 'compute_platform': None, 'compute_mode': None, 'gpu_type': self.GPU_Type.Undefined, 'id': {'vendor': '', 'device': '', 'subsystem_vendor': '', 'subsystem_device': ''}, 'model_device_decode': 'UNDETERMINED', 'model': '', 'model_display': '', 'serial_number': '', 'card_index': '', 'card_path': '', 'sys_card_path': '', 'hwmon_path': '', 'energy': 0.0, 'power': None, 'power_cap': None, 'power_cap_range': [None, None], 'fan_enable': None, 'pwm_mode': [None, 'UNK'], 'fan_pwm': None, 'fan_speed': None, 'fan_speed_range': [None, None], 'fan_pwm_range': [None, None], 'fan_target': None, 'temp_crits': None, 'vddgfx': None, 'vddc_range': ['', ''], 'temperatures': None, 'voltages': None, 'frequencies': None, 'frequencies_max': None, 'loading': None, 'mem_loading': None, 'mem_vram_total': None, 'mem_vram_used': None, 'mem_vram_usage': None, 'mem_gtt_total': None, 'mem_gtt_used': None, 'mem_gtt_usage': None, 'pstate': None, 'mclk_ps': ['', ''], 'mclk_f_range': ['', ''], 'mclk_mask': '', 'sclk_ps': ['', ''], 'sclk_f_range': ['', ''], 'sclk_mask': '', 'link_spd': '', 'link_wth': '', 'ppm': '', 'power_dpm_force': '', 'vbios': ''}) self.clinfo: ObjDict = ObjDict({ 'device_name': '', 'device_version': '', 'driver_version': '', 'opencl_version': '', 'pcie_id': '', 'max_cu': '', 'simd_per_cu': '', 'simd_width': '', 'simd_ins_width': '', 'max_mem_allocation': '', 'max_wi_dim': '', 'max_wi_sizes': '', 'max_wg_size': '', 'prf_wg_size': '', 'prf_wg_multiple': ''}) self.sclk_dpm_state: Dict[int, str] = {} # {1: 'Mhz'} self.mclk_dpm_state: Dict[int, str] = {} # {1: 'Mhz'} self.sclk_state: Dict[int, List[str]] = {} # {1: ['Mhz', 'mV']} self.mclk_state: Dict[int, List[str]] = {} # {1: ['Mhz', 'mV']} self.vddc_curve: Dict[int, List[str]] = {} # {1: ['Mhz', 'mV']} self.vddc_curve_range: Dict[int, dict] = {} # {1: {'SCLK': ['val1', 'val2'], 'VOLT': ['val1', 'val2']} self.ppm_modes: Dict[str, List[str]] = {} # {'1': ['Name', 'Description']} self.finalize_fan_option() @classmethod def finalize_fan_option(cls) -> None: """ Finalize class variables of gpu parameters based on command line options. This must be done after setting of env. Doing at at the instantiation of a GpuItem assures that. """ if cls._finalized: return cls.finalized = True if not env.GUT_CONST.show_fans: for fan_item in cls._fan_item_list: # Remove fan params from GPU_Param_Labels if fan_item in cls._GPU_Param_Labels.keys(): del cls._GPU_Param_Labels[fan_item] # Remove fan params from Table_Param_Labels if fan_item in cls.table_param_labels.keys(): del cls.table_param_labels[fan_item] # Remove fan params from SensorSets if fan_item in cls.sensor_sets[cls.SensorSet.Static]['HWMON']: cls.sensor_sets[cls.SensorSet.Static]['HWMON'].remove(fan_item) if fan_item in cls.sensor_sets[cls.SensorSet.Dynamic]['HWMON']: cls.sensor_sets[cls.SensorSet.Dynamic]['HWMON'].remove(fan_item) if fan_item in cls.sensor_sets[cls.SensorSet.Monitor]['HWMON']: cls.sensor_sets[cls.SensorSet.Monitor]['HWMON'].remove(fan_item) if fan_item in cls.sensor_sets[cls.SensorSet.All]['HWMON']: cls.sensor_sets[cls.SensorSet.All]['HWMON'].remove(fan_item) # Remove fan params from table param list if fan_item in cls.table_parameters: cls.table_parameters.remove(fan_item) @classmethod def is_apu(cls, name: str) -> bool: """ Check if given GPU name is an APU. :param name: Target GPU name :return: True if name matches APU name """ if not name: return False for apu_name in cls._apu_gpus: if re.search(apu_name, name, re.IGNORECASE): return True return False @classmethod def get_button_label(cls, name: str) -> str: """ Return button label for given parameter name. :param name: Parameter name :return: Button label """ if name not in cls._button_labels.keys(): raise KeyError('{} not in button_label dict'.format(name)) return cls._button_labels[name] def set_params_value(self, name: str, value: Union[int, float, str, list, None]) -> None: """ Set parameter value for give name. :param name: Parameter name :param value: parameter value """ if isinstance(value, tuple): self.prm[name] = list(value) elif name == 'pwm_mode': self.prm[name][0] = value if value == 0: self.prm[name][1] = 'None' elif value == 1: self.prm[name][1] = 'Manual' else: self.prm[name][1] = 'Dynamic' elif name == 'ppm': self.prm[name] = re.sub(PATTERNS['PPM_CHK'], '', value).strip() self.prm[name] = re.sub(PATTERNS['PPM_NOTCHK'], '-', self.prm[name]) elif name == 'power': time_n = env.GUT_CONST.now(env.GUT_CONST.USELTZ) self.prm[name] = value delta_hrs = ((time_n - self.energy['tn']).total_seconds()) / 3600 self.energy['tn'] = time_n self.energy['cumulative'] += delta_hrs * value / 1000 self.prm['energy'] = round(self.energy['cumulative'], 6) elif name == 'sclk_ps': mask = '' ps_key = 'NA' for ps_val in value: if not mask: mask = ps_val.split(':')[0].strip() else: mask += ',' + ps_val.split(':')[0].strip() sclk_ps = ps_val.strip('*').strip().split(': ') if sclk_ps[0].isnumeric(): ps_key = int(sclk_ps[0]) self.sclk_dpm_state.update({ps_key: sclk_ps[1]}) if '*' in ps_val: self.prm.sclk_ps[0] = ps_key self.prm.sclk_ps[1] = sclk_ps[1] self.prm.sclk_mask = mask LOGGER.debug('Mask: [%s], ps: [%s, %s]', mask, self.prm.sclk_ps[0], self.prm.sclk_ps[1]) elif name == 'mclk_ps': mask = '' ps_key = 'NA' for ps_val in value: if not mask: mask = ps_val.split(':')[0].strip() else: mask += ',' + ps_val.split(':')[0].strip() mclk_ps = ps_val.strip('*').strip().split(': ') if mclk_ps[0].isnumeric(): ps_key = int(mclk_ps[0]) self.mclk_dpm_state.update({ps_key: mclk_ps[1]}) if '*' in ps_val: self.prm.mclk_ps[0] = ps_key self.prm.mclk_ps[1] = mclk_ps[1] self.prm.mclk_mask = mask LOGGER.debug('Mask: [%s], ps: [%s, %s]', mask, self.prm.mclk_ps[0], self.prm.mclk_ps[1]) elif name == 'fan_pwm': if isinstance(value, int): self.prm.fan_pwm = value elif isinstance(value, float): self.prm.fan_pwm = int(value) elif isinstance(value, str): self.prm.fan_pwm = int(value) if value.isnumeric() else None else: self.prm.fan_pwm = None elif re.fullmatch(PATTERNS['GPUMEMTYPE'], name): self.prm[name] = value self.set_memory_usage() elif name == 'id': self.prm.id = dict(zip(['vendor', 'device', 'subsystem_vendor', 'subsystem_device'], list(value))) self.prm.model_device_decode = self.read_pciid_model() self.prm.model_display = self.fit_display_name(self.prm.model_device_decode) else: self.prm[name] = value @staticmethod def fit_display_name(name: str, length: int = env.GUT_CONST.mon_field_width) -> str: """ Convert the given name to a display name which is optimally simplified and truncated. :param name: The GPU name to be converted. :param length: The target length, default is the monitor field width. :return: Simplified and truncated string """ fit_name = '' model_display_components = re.sub(PATTERNS['GPU_GENERIC'], '', name).split() for name_component in model_display_components: if len(name_component) + len(fit_name) + 1 > length: break fit_name = re.sub(r'\s*/\s*', '/', '{} {}'.format(fit_name, name_component)) return fit_name def get_params_value(self, name: str, num_as_int: bool = False) -> Union[int, float, str, list, None]: """ Get parameter value for given name. :param name: Parameter name :param num_as_int: Convert float to in if True :return: Parameter value """ # Parameters with '_val' as a suffix are derived from a direct source. if re.fullmatch(PATTERNS['VAL_ITEM'], name): if self.prm.gpu_type == self.GPU_Type.Legacy: return None if name == 'temp_val': if not self.prm['temperatures']: return None for temp_name in ['edge', 'temperature.gpu', 'temp1_input']: if temp_name in self.prm['temperatures'].keys(): if num_as_int: return int(self.prm['temperatures'][temp_name]) return round(self.prm['temperatures'][temp_name], 1) for value in self.prm['temperatures'].values(): return value # return list(self.prm['temperatures'].keys())[0] - Not sure what I was doing here return None if name == 'vddgfx_val': if not self.prm['voltages']: return np_nan if 'vddgfx' not in self.prm['voltages']: return np_nan return int(self.prm['voltages']['vddgfx']) if name == 'sclk_ps_val': return self.prm['sclk_ps'][0] if name == 'sclk_f_val': if not self.prm['frequencies']: return None for clock_name in ['sclk', 'clocks.gr']: if clock_name in self.prm['frequencies'].keys(): return int(self.prm['frequencies'][clock_name]) return self.prm['sclk_ps'][1] if name == 'mclk_ps_val': return self.prm['mclk_ps'][0] if name == 'mclk_f_val': if not self.prm['frequencies']: return None for clock_name in ['mclk', 'clocks.mem']: if clock_name in self.prm['frequencies'].keys(): return int(self.prm['frequencies'][clock_name]) return self.prm['mclk_ps'][1] # Set type for params that could be float or int if name in ['fan_pwm', 'fan_speed', 'power_cap', 'power']: if num_as_int: if isinstance(self.prm[name], int): return self.prm[name] if isinstance(self.prm[name], float): return int(self.prm[name]) if isinstance(self.prm[name], str): return int(self.prm[name]) if self.prm[name].isnumeric() else None return self.prm[name] return self.prm[name] def set_memory_usage(self) -> None: """ Set system and vram memory usage percentage. :return: A tuple of the system and vram memory usage percentage. """ if self.prm.mem_gtt_used is None or self.prm.mem_gtt_total is None: self.prm.mem_gtt_usage = None else: self.prm.mem_gtt_usage = 100.0 * self.prm.mem_gtt_used / self.prm.mem_gtt_total if self.prm.mem_vram_used is None or self.prm.mem_vram_total is None: self.prm.mem_vram_usage = None else: self.prm.mem_vram_usage = 100.0 * self.prm.mem_vram_used / self.prm.mem_vram_total def read_pciid_model(self) -> str: """ Read the model name from the system pcid.ids file :return: GPU model name """ if not env.GUT_CONST.sys_pciid: message = 'Error: pciid file not defined' print(message) LOGGER.debug(message) return '' if not os.path.isfile(env.GUT_CONST.sys_pciid): message = 'Error: Can not access system pci.ids file [{}]'.format(env.GUT_CONST.sys_pciid) print(message) LOGGER.debug(message) return '' with open(env.GUT_CONST.sys_pciid, 'r', encoding='utf8') as pci_id_file_ptr: model_str = '' level = 0 for line_item in pci_id_file_ptr: line = line_item.rstrip() if len(line) < 4: continue if line[0] == '#': continue if level == 0: if re.fullmatch(PATTERNS['PCIIID_L0'], line): if line[:4] == self.prm.id['vendor'].replace('0x', ''): level += 1 continue elif level == 1: if re.fullmatch(PATTERNS['PCIIID_L0'], line): break if re.fullmatch(PATTERNS['PCIIID_L1'], line): if line[1:5] == self.prm.id['device'].replace('0x', ''): model_str = line[5:] level += 1 continue elif level == 2: if re.fullmatch(PATTERNS['PCIIID_L0'], line): break if re.fullmatch(PATTERNS['PCIIID_L1'], line): break if re.fullmatch(PATTERNS['PCIIID_L2'], line): if line[2:6] == self.prm.id['subsystem_vendor'].replace('0x', ''): if line[7:11] == self.prm.id['subsystem_device'].replace('0x', ''): model_str = line[11:] break return model_str.strip() def populate_prm_from_dict(self, params: Dict[str, any]) -> None: """ Populate elements of a GpuItem with items from a dict with keys that align to elements of GpuItem. :param params: A dictionary of parameters with keys that align to GpuItem elements. """ LOGGER.debug('prm dict:\n%s', params) set_ocl_ver = None for source_name, source_value in params.items(): # Set primary parameter if source_name not in self.prm.keys(): raise KeyError('Populate dict contains unmatched key: {}'.format(source_name)) self.prm[source_name] = source_value # Set secondary parameters if source_name == 'card_path' and source_value: card_num_str = source_value.replace('{}card'.format(env.GUT_CONST.card_root), '').replace('/device', '') self.prm.card_num = int(card_num_str) if card_num_str.isnumeric() else None elif source_name == 'compute_platform': set_ocl_ver = source_value elif source_name == 'gpu_type' and source_value: self.prm.gpu_type = source_value if source_value == GpuItem.GPU_Type.Legacy: self.read_disabled = GpuItem.LEGACY_Skip_List[:] elif source_value == GpuItem.GPU_Type.APU: self.read_disabled = GpuItem._fan_item_list[:] # compute platform requires that the compute bool be set first if set_ocl_ver: self.prm.compute_platform = set_ocl_ver if self.prm.compute else 'None' def populate_ocl(self, ocl_dict: dict) -> None: """ Populate ocl parameters in GpuItem. :param ocl_dict: Dictionary of parameters for specific pcie_id """ for ocl_name, ocl_val in ocl_dict.items(): if ocl_name in self.clinfo.keys(): self.set_clinfo_value(ocl_name, ocl_val) def set_clinfo_value(self, name: str, value: Union[int, str, list]) -> None: """ Set clinfo values in GPU item dictionary. :param name: clinfo parameter name :param value: parameter value """ self.clinfo[name] = value def get_clinfo_value(self, name: str) -> Union[int, str, list]: """ Get clinfo parameter value for give name. :param name: clinfo Parameter name :return: clinfo Parameter value .. note: Maybe not needed """ return self.clinfo[name] def get_nc_params_list(self) -> List[str]: """ Get list of parameter names for use with non-compatible cards. :return: List of parameter names """ return self._GPU_NC_Param_List def is_valid_power_cap(self, power_cap: int) -> bool: """ Check if a given power_cap value is valid. :param power_cap: Target power cap value to be tested. :return: True if valid """ power_cap_range = self.prm.power_cap_range if power_cap_range[0] <= power_cap <= power_cap_range[1]: return True if power_cap < 0: # negative values will be interpreted as reset request return True return False def is_valid_fan_pwm(self, pwm_value: int) -> bool: """ Check if a given fan_pwm value is valid. :param pwm_value: Target fan_pwm value to be tested. :return: True if valid """ pwm_range = self.prm.fan_pwm_range if pwm_range[0] <= pwm_value <= pwm_range[1]: return True if pwm_value < 0: # negative values will be interpreted as reset request return True return False def is_valid_mclk_pstate(self, pstate: List[int]) -> bool: """ Check if given mclk pstate value is valid. :param pstate: pstate = [pstate_number, clk_value, vddc_value] :return: Return True if valid """ mclk_range = self.prm.mclk_f_range mclk_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(mclk_range[0]))) mclk_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(mclk_range[1]))) if pstate[1] < mclk_min or pstate[1] > mclk_max: return False if self.prm.gpu_type in [self.GPU_Type.PStatesNE, self.GPU_Type.PStates]: vddc_range = self.prm.vddc_range vddc_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(vddc_range[0]))) vddc_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(vddc_range[1]))) if pstate[2] < vddc_min or pstate[2] > vddc_max: return False return True def is_valid_sclk_pstate(self, pstate: List[int]) -> bool: """ Check if given sclk pstate value is valid. :param pstate: pstate = [pstate_number, clk_value, vddc_value] :return: Return True if valid """ sclk_range = self.prm.sclk_f_range sclk_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(sclk_range[0]))) sclk_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(sclk_range[1]))) if pstate[1] < sclk_min or pstate[1] > sclk_max: return False if self.prm.gpu_type in [self.GPU_Type.PStatesNE, self.GPU_Type.PStates]: vddc_range = self.prm.vddc_range vddc_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(vddc_range[0]))) vddc_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(vddc_range[1]))) if pstate[2] < vddc_min or pstate[2] > vddc_max: return False return True def is_changed_sclk_pstate(self, pstate: List[int]) -> bool: """ Check if given sclk pstate value different from current. :param pstate: pstate = [pstate_number, clk_value, vddc_value] :return: Return True if changed """ if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.sclk_state[pstate[0]][0])) != pstate[1]: return True if self.prm.gpu_type in [self.GPU_Type.PStatesNE, self.GPU_Type.PStates]: if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.sclk_state[pstate[0]][1])) != pstate[2]: return True return False def is_changed_mclk_pstate(self, pstate: List[int]) -> bool: """ Check if given mclk pstate value different from current. :param pstate: pstate = [pstate_number, clk_value, vddc_value] :return: Return True if changed """ if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.mclk_state[pstate[0]][0])) != pstate[1]: return True if self.prm.gpu_type in [self.GPU_Type.PStatesNE, self.GPU_Type.PStates]: if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.mclk_state[pstate[0]][1])) != pstate[2]: return True return False def is_changed_vddc_curve_pt(self, pstate: List[int]) -> bool: """ Check if given vddc curve point value different from current. :param pstate: curve_point = [point_number, clk_value, vddc_value] :return: Return True if changed """ if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.vddc_curve[pstate[0]][0])) != pstate[1]: return True if int(re.sub(PATTERNS['END_IN_ALPHA'], '', self.vddc_curve[pstate[0]][1])) != pstate[2]: return True return False def is_valid_vddc_curve_pts(self, curve_pts: List[int]) -> bool: """ Check if given sclk pstate value is valid. :param curve_pts: curve_point = [point_number, clk_value, vddc_value] :return: Return True if valid """ sclk_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(self.vddc_curve_range[curve_pts[0]]['SCLK'][0]))) sclk_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(self.vddc_curve_range[curve_pts[0]]['SCLK'][1]))) if curve_pts[1] < sclk_min or curve_pts[1] > sclk_max: return False vddc_min = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str('650mV'))) vddc_max = int(re.sub(PATTERNS['END_IN_ALPHA'], '', str(self.vddc_curve_range[curve_pts[0]]['VOLT'][1]))) if curve_pts[2] < vddc_min or curve_pts[2] > vddc_max: return False return True def is_valid_pstate_list_str(self, ps_str: str, clk_name: str) -> bool: """ Check if the given p-states are valid for the given clock. :param ps_str: String of comma separated pstate numbers :param clk_name: The target clock name :return: True if valid """ if ps_str == '': return True if not re.fullmatch(PATTERNS['VALID_PS_STR'], ps_str): return False ps_list = self.prm.mclk_mask.split(',') if clk_name == 'MCLK' else self.prm.sclk_mask.split(',') for ps_val in ps_str.split(): if ps_val not in ps_list: return False return True def get_current_ppm_mode(self) -> Union[None, List[Union[int, str]]]: """ Read GPU ppm definitions and current settings from driver files. :return: ppm state :rtype: list """ if self.prm.vendor != GpuItem.GPU_Vendor.AMD: return None if self.prm.power_dpm_force.lower() == 'auto': return [-1, 'AUTO'] ppm_item = self.prm.ppm.split('-') return [int(ppm_item[0]), ppm_item[1]] def read_gpu_ppm_table(self) -> None: """ Read the ppm table. """ if self.prm.vendor != GpuItem.GPU_Vendor.AMD: return if not self.prm.readable or self.prm.gpu_type in [GpuItem.GPU_Type.Legacy, GpuItem.GPU_Type.Unsupported]: return file_path = os.path.join(self.prm.card_path, 'pp_power_profile_mode') if not os.path.isfile(file_path): print('Error getting power profile modes: {}'.format(file_path), file=sys.stderr) sys.exit(-1) with open(file_path) as card_file: for line in card_file: linestr = line.strip() # Check for mode name: begins with '[ ]+[0-9].*' if re.fullmatch(r'[ ]+[0-9].*', line[0:3]): linestr = re.sub(r'[ ]*[*]*:', ' ', linestr) line_items = linestr.split() LOGGER.debug('PPM line: %s', linestr) if len(line_items) < 2: print('Error: invalid ppm: {}'.format(linestr), file=sys.stderr) continue LOGGER.debug('Valid ppm line: %s', linestr) self.ppm_modes[line_items[0]] = line_items[1:] self.ppm_modes['-1'] = ['AUTO', 'Auto'] rdata = self.read_gpu_sensor('power_dpm_force', vendor=GpuItem.GPU_Vendor.AMD, sensor_type='DEVICE') if rdata is False: message = 'Error: card file does not exist: {}'.format(file_path) print(message, file=sys.stderr) LOGGER.debug(message) self.prm.readable = False else: self.set_params_value('power_dpm_force', rdata) def read_gpu_pstates(self) -> None: """ Read GPU pstate definitions and parameter ranges from driver files. Set card type based on pstate configuration """ if self.prm.vendor != GpuItem.GPU_Vendor.AMD: return if not self.prm.readable or self.prm.gpu_type in [GpuItem.GPU_Type.Legacy, GpuItem.GPU_Type.Unsupported, GpuItem.GPU_Type.APU]: return range_mode = False file_path = os.path.join(self.prm.card_path, 'pp_od_clk_voltage') if not os.path.isfile(file_path): print('Error getting p-states: {}'.format(file_path), file=sys.stderr) self.prm.readable = False return with open(file_path) as card_file: for line in card_file: line = line.strip() if re.fullmatch('OD_.*:$', line): if re.fullmatch('OD_.CLK:$', line): clk_name = line.strip() elif re.fullmatch('OD_VDDC_CURVE:$', line): clk_name = line.strip() elif re.fullmatch('OD_RANGE:$', line): clk_name = '' range_mode = True continue line = re.sub(r'@', ' ', line) lineitems: List[any] = line.split() lineitems_len = len(lineitems) if self.prm.gpu_type in [self.GPU_Type.Undefined, self.GPU_Type.Supported]: if len(lineitems) == 3: self.prm.gpu_type = self.GPU_Type.PStates elif len(lineitems) == 2: self.prm.gpu_type = self.GPU_Type.CurvePts else: print('Error: Invalid pstate entry length {} for{}: '.format(lineitems_len, os.path.join(self.prm.card_path, 'pp_od_clk_voltage')), file=sys.stderr) LOGGER.debug('Invalid line length for pstate line item: %s', line) continue if not range_mode: lineitems[0] = int(re.sub(':', '', lineitems[0])) if self.prm.gpu_type in [self.GPU_Type.PStatesNE, self.GPU_Type.PStates]: if clk_name == 'OD_SCLK:': self.sclk_state[lineitems[0]] = [lineitems[1], lineitems[2]] elif clk_name == 'OD_MCLK:': self.mclk_state[lineitems[0]] = [lineitems[1], lineitems[2]] else: # Type GPU_Type.CurvePts if clk_name == 'OD_SCLK:': self.sclk_state[lineitems[0]] = [lineitems[1], '-'] elif clk_name == 'OD_MCLK:': self.mclk_state[lineitems[0]] = [lineitems[1], '-'] elif clk_name == 'OD_VDDC_CURVE:': self.vddc_curve[lineitems[0]] = [lineitems[1], lineitems[2]] else: if lineitems[0] == 'SCLK:': self.prm.sclk_f_range = [lineitems[1], lineitems[2]] elif lineitems[0] == 'MCLK:': self.prm.mclk_f_range = [lineitems[1], lineitems[2]] elif lineitems[0] == 'VDDC:': self.prm.vddc_range = [lineitems[1], lineitems[2]] elif re.fullmatch('VDDC_CURVE_.*', line): if len(lineitems) == 3: index = re.sub(r'VDDC_CURVE_.*\[', '', lineitems[0]) index = re.sub(r'\].*', '', index) if not index.isnumeric(): print('Error: Invalid index for line item: {}'.format(line)) LOGGER.debug('Invalid index for pstate line item: %s', line) continue index = int(index) param = re.sub(r'VDDC_CURVE_', '', lineitems[0]) param = re.sub(r'\[[0-9]\]:', '', param) LOGGER.debug('Curve: index: %s param: %s, val1 %s, val2: %s', index, param, lineitems[1], lineitems[2]) if index in self.vddc_curve_range.keys(): self.vddc_curve_range[index].update({param: [lineitems[1], lineitems[2]]}) else: self.vddc_curve_range[index] = {} self.vddc_curve_range[index].update({param: [lineitems[1], lineitems[2]]}) else: print('Error: Invalid CURVE entry: {}'.format(file_path), file=sys.stderr) def read_gpu_sensor(self, parameter: str, vendor: GpuEnum = GPU_Vendor.AMD, sensor_type: str = 'HWMON') -> Union[None, bool, int, str, tuple, list, dict]: """ Read sensor for the given parameter name. Process per sensor_details dict using the specified vendor name and sensor_type. :param parameter: GpuItem parameter name (AMD) :param vendor: GPU vendor name enum object :param sensor_type: GPU sensor name (HWMON or DEVICE) :return: Value from reading sensor. """ if vendor in [self.GPU_Vendor.AMD, self.GPU_Vendor.PCIE]: return self.read_gpu_sensor_generic(parameter, vendor, sensor_type) if vendor == self.GPU_Vendor.NVIDIA: return self.read_gpu_sensor_nv(parameter) print('Error: Invalid vendor [{}]'.format(vendor)) return None def read_gpu_sensor_nv(self, parameter: str) -> Union[None, bool, int, str, tuple, list, dict]: """ Function to read a single sensor from NV GPU. :param parameter: Target parameter for reading :return: read results """ if parameter in self.read_disabled: return False cmd_str = '{} -i {} --query-gpu={} --format=csv,noheader,nounits'.format( env.GUT_CONST.cmd_nvidia_smi, self.prm.pcie_id, parameter) LOGGER.debug('NV command:\n%s', cmd_str) nsmi_item = None try: nsmi_item = subprocess.check_output(shlex.split(cmd_str), shell=False).decode().split('\n') LOGGER.debug('NV raw query response: [%s]', nsmi_item) except (subprocess.CalledProcessError, OSError) as except_err: LOGGER.debug('NV query %s error: [%s]', nsmi_item, except_err) self.read_disabled.append(parameter) return False return_item = nsmi_item[0].strip() if nsmi_item else None LOGGER.debug('NV query result: [%s]', return_item) return return_item def read_gpu_sensor_generic(self, parameter: str, vendor: GpuEnum = GPU_Vendor.AMD, sensor_type: str = 'HWMON') -> Union[None, bool, int, str, tuple, list, dict]: """ Read sensor for the given parameter name. Process per sensor_details dict using the specified vendor name and sensor_type. :param parameter: GpuItem parameter name (AMD) :param vendor: GPU vendor name enum object :param sensor_type: GPU sensor name (HWMON or DEVICE) :return: Value from reading sensor. """ if self.prm.gpu_type in [GpuItem.GPU_Type.Unsupported] and parameter != 'id': return None if not self.prm.readable and parameter != 'id': return None if sensor_type not in self._sensor_details[vendor].keys(): print('Error: Invalid sensor_type [{}]'.format(sensor_type)) return None sensor_dict = self._sensor_details[vendor][sensor_type] if parameter not in sensor_dict.keys(): print('Error: Invalid parameter [{}]'.format(parameter)) return None if parameter in self.read_disabled: return None device_sensor_path = self.prm.card_path if self.prm.card_path else self.prm.sys_card_path LOGGER.debug('sensor path set to [%s]', device_sensor_path) sensor_path = self.prm.hwmon_path if sensor_type == 'HWMON' else device_sensor_path values = [] ret_value = [] ret_dict = {} target_sensor = sensor_dict[parameter] if target_sensor['type'] == self.SensorType.InputLabelX: sensor_files = glob.glob(os.path.join(sensor_path, target_sensor['sensor'][0])) else: sensor_files = target_sensor['sensor'] for sensor_file in sensor_files: file_path = os.path.join(sensor_path, sensor_file) if os.path.isfile(file_path): try: with open(file_path) as hwmon_file: if target_sensor['type'] in [self.SensorType.SingleStringSelect, self.SensorType.MLSS]: lines = hwmon_file.readlines() for line in lines: values.append(line.strip()) else: values.append(hwmon_file.readline().strip()) if target_sensor['type'] == self.SensorType.InputLabelX: if '_input' in file_path: file_path = file_path.replace('_input', '_label') elif '_crit' in file_path: file_path = file_path.replace('_crit', '_label') else: print('Error in sensor label pair: {}'.format(target_sensor)) if os.path.isfile(file_path): with open(file_path) as hwmon_file: values.append(hwmon_file.readline().strip()) else: values.append(os.path.basename(sensor_file)) except OSError as err: LOGGER.debug('Exception [%s]: Can not read HW file: %s', err, file_path) self.read_disabled.append(parameter) return False else: LOGGER.debug('HW file does not exist: %s', file_path) self.read_disabled.append(parameter) return False if target_sensor['type'] == self.SensorType.SingleParam: if target_sensor['cf'] == 1: return int(values[0]) return int(values[0]) * target_sensor['cf'] if target_sensor['type'] == self.SensorType.InputLabel: ret_value.append(int(values[0]) * target_sensor['cf']) ret_value.append(values[1]) return tuple(ret_value) if target_sensor['type'] in [self.SensorType.MLSS, self.SensorType.MLMS]: return values if target_sensor['type'] == self.SensorType.MinMax: ret_value.append(int(int(values[0]) * target_sensor['cf'])) ret_value.append(int(int(values[1]) * target_sensor['cf'])) return tuple(ret_value) if target_sensor['type'] == self.SensorType.InputLabelX: for i in range(0, len(values), 2): ret_dict.update({values[i+1]: int(values[i]) * target_sensor['cf']}) return ret_dict if target_sensor['type'] == self.SensorType.SingleStringSelect: for item in values: if '*' in item: return item return None if target_sensor['type'] == self.SensorType.SingleString: return values[0] raise ValueError('Invalid sensor type: {}'.format(target_sensor['type'])) def read_gpu_sensor_set(self, data_type: Enum = SensorSet.All) -> bool: """ Read GPU sensor data from HWMON and DEVICE sensors using the sensor set defined by data_type. :param data_type: Specifies the sensor set: Dynamic, Static, Info, State, All Monitor """ if self.prm.vendor == self.GPU_Vendor.AMD: return self.read_gpu_sensor_set_amd(data_type) if self.prm.vendor == self.GPU_Vendor.NVIDIA: return self.read_gpu_sensor_set_nv(data_type) return False def read_gpu_sensor_set_nv(self, data_type: Enum = SensorSet.All) -> bool: """ Use the nvidia_smi tool to query GPU parameters. :param data_type: specifies the set of sensors to read :return: True if successful, else False and card will have read disabled """ if data_type not in self.nv_query_items.keys(): raise TypeError('Invalid SensorSet value: [{}]'.format(data_type)) sensor_dict = GpuItem.nv_query_items[data_type] nsmi_items = [] query_list = [item for sublist in sensor_dict.values() for item in sublist] query_list = [item for item in query_list if item not in self.read_disabled] if self.validated_sensors: qry_string = ','.join(query_list) cmd_str = '{} -i {} --query-gpu={} --format=csv,noheader,nounits'.format( env.GUT_CONST.cmd_nvidia_smi, self.prm.pcie_id, qry_string) LOGGER.debug('NV command:\n%s', cmd_str) try: nsmi_items = subprocess.check_output(shlex.split(cmd_str), shell=False).decode().split('\n') LOGGER.debug('NV query (single-call) result: [%s]', nsmi_items) except (subprocess.CalledProcessError, OSError) as except_err: LOGGER.debug('NV query %s error: [%s]', nsmi_items, except_err) return False if nsmi_items: nsmi_items = nsmi_items[0].split(',') nsmi_items = [item.strip() for item in nsmi_items] else: # Read sensors one at a time if SensorSet.All has not been validated if data_type == GpuItem.SensorSet.All: self.validated_sensors = True for query_item in query_list: query_data = self.read_gpu_sensor_nv(query_item) nsmi_items.append(query_data) LOGGER.debug('NV query (each-call) query item [%s], result: [%s]', query_item, query_data) if not nsmi_items: LOGGER.debug('NV query (each-call) failed for all sensors, disabling read for card [%s]', self.prm.card_num) self.prm.readable = False return False results = dict(zip(query_list, nsmi_items)) LOGGER.debug('NV query result: %s', results) # Populate GpuItem data from results dictionary for param_name, sensor_list in sensor_dict.items(): if param_name == 'power_cap_range': if results['power.min_limit'] and re.fullmatch(PATTERNS['IS_FLOAT'], results['power.min_limit']): power_min = float(results['power.min_limit']) else: power_min = results['power.min_limit'] if results['power.max_limit'] and re.fullmatch(PATTERNS['IS_FLOAT'], results['power.max_limit']): power_max = float(results['power.max_limit']) else: power_max = results['power.max_limit'] self.prm.power_cap_range = [power_min, power_max] elif param_name == 'power': if results['power.draw'] and re.fullmatch(PATTERNS['IS_FLOAT'], results['power.draw']): power = float(results['power.draw']) else: power = None self.set_params_value('power', power) elif param_name == 'pstates': pstate_str = re.sub(PATTERNS['ALPHA'], '', results['pstate']) pstate = int(pstate_str) if pstate_str.isnumeric() else None self.prm['sclk_ps'][0] = pstate self.prm['mclk_ps'][0] = pstate elif param_name in ['temperatures', 'voltages', 'frequencies', 'frequencies_max']: self.prm[param_name] = {} for sn_k in sensor_list: if sn_k not in results: continue if results[sn_k] and re.fullmatch(PATTERNS['IS_FLOAT'], results[sn_k]): param_val = float(results[sn_k]) else: param_val = None self.prm[param_name].update({sn_k: param_val}) elif re.fullmatch(PATTERNS['GPUMEMTYPE'], param_name): for sn_k in sensor_list: if sn_k not in results: continue mem_value = int(results[sn_k]) if results[sn_k].isnumeric else None self.prm[param_name] = mem_value / 1024.0 self.set_memory_usage() elif param_name == 'fan_speed': sn_k = sensor_list[0] if re.fullmatch(PATTERNS['IS_FLOAT'], results[sn_k]): self.prm[param_name] = float(results[sn_k]) self.prm.fan_pwm = self.prm[param_name] elif param_name == 'link_spd': self.prm.link_spd = 'GEN{}'.format(results['pcie.link.gen.current']) elif param_name == 'model': self.prm.model = results['name'] self.prm.model_display = self.prm.model_device_decode if results['name'] and len(results['name']) < len(self.prm.model_device_decode): self.prm.model_display = results['name'] self.prm.model_display = self.fit_display_name(self.prm.model_display) elif len(sensor_list) == 1: sn_k = sensor_list[0] if re.fullmatch(PATTERNS['IS_FLOAT'], results[sn_k]): self.prm[param_name] = float(results[sn_k]) elif not results[sn_k]: self.prm[param_name] = None self.prm[param_name] = results[sn_k] return True def read_gpu_sensor_set_amd(self, data_type: Enum = SensorSet.All) -> bool: """ Read GPU sensor data from HWMON and DEVICE sensors using the sensor set defined by data_type. :param data_type: Specifies the sensor set: Dynamic, Static, Info, State, All Monitor :return: True if successful """ if not self.prm.readable: return False return_status = False param_list = self.sensor_sets[data_type] for sensor_type, param_names in param_list.items(): for param in param_names: LOGGER.debug('Processing parameter: %s', param) rdata = self.read_gpu_sensor(param, vendor=self.prm.vendor, sensor_type=sensor_type) if rdata is False: if param != 'unique_id': message = 'Warning: Can not read parameter: {}, ' \ 'disabling for this GPU: {}'.format(param, self.prm.card_num) LOGGER.debug(message) print(message) elif rdata is None: LOGGER.debug('Read data [%s], Invalid or disabled parameter: %s', rdata, param) else: LOGGER.debug('Valid data [%s] for parameter: %s', rdata, param) self.set_params_value(param, rdata) return_status = True return return_status def print_ppm_table(self) -> None: """ Print human friendly table of ppm parameters. """ if self.prm.vendor != GpuItem.GPU_Vendor.AMD: return if not self.prm.readable or self.prm.gpu_type in [GpuItem.GPU_Type.Legacy, GpuItem.GPU_Type.Unsupported]: LOGGER.debug('PPM for card number %s not readable.', self.prm.card_num) return pre = ' ' print('{}: {}'.format(self._GPU_Param_Labels['card_num'], self.prm.card_num)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['model'], self.prm.model)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['card_path'], self.prm.card_path)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['gpu_type'], self.prm.gpu_type.name)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['power_dpm_force'], self.prm.power_dpm_force)) print('{}{}{}'.format(pre, '', '#'.ljust(50, '#'))) file_path = os.path.join(self.prm.card_path, 'pp_power_profile_mode') with open(file_path, 'r') as file_ptr: lines = file_ptr.readlines() for line in lines: print(' {}'.format(line.strip('\n'))) def print_pstates(self) -> None: """ Print human friendly table of p-states. """ if self.prm.vendor != GpuItem.GPU_Vendor.AMD: return if not self.prm.readable or self.prm.gpu_type in [GpuItem.GPU_Type.Legacy, GpuItem.GPU_Type.Unsupported]: LOGGER.debug('P-states for card number %s not readable.', self.prm.card_num) return pre = ' ' print('{}: {}'.format(self._GPU_Param_Labels['card_num'], self.prm.card_num)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['model'], self.prm.model)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['card_path'], self.prm.card_path)) print('{}{}: {}'.format(pre, self._GPU_Param_Labels['gpu_type'], self.prm.gpu_type.name)) # DPM States if self.prm.gpu_type == self.GPU_Type.CurvePts: print('{}{}{}'.format(pre, '', '#'.ljust(50, '#'))) print('{}DPM States:'.format(pre)) print('{}SCLK: {:<17} MCLK:'.format(pre, ' ')) for ps_num, ps_freq in self.sclk_dpm_state.items(): print('{} {:>1}: {:<8} '.format(pre, ps_num, ps_freq), end='') if ps_num in self.mclk_dpm_state.keys(): print('{:3>}: {:<8}'.format(ps_num, self.mclk_dpm_state[ps_num])) else: print('') # pp_od_clk_voltage states print('{}{}{}'.format(pre, '', '#'.ljust(50, '#'))) print('{}PP OD States:'.format(pre)) print('{}SCLK: {:<17} MCLK:'.format(pre, ' ')) for ps_num, ps_vals in self.sclk_state.items(): print('{} {:>1}: {:<8} {:<8} '.format(pre, ps_num, ps_vals[0], ps_vals[1]), end='') if ps_num in self.mclk_state.keys(): print('{:3>}: {:<8} {:<8}'.format(ps_num, self.mclk_state[ps_num][0], self.mclk_state[ps_num][1])) else: print('') if self.prm.gpu_type == self.GPU_Type.CurvePts: # Curve points print('{}{}{}'.format(pre, '', '#'.ljust(50, '#'))) print('{}VDDC_CURVE:'.format(pre)) for vc_index, vc_vals in self.vddc_curve.items(): print('{} {}: {}'.format(pre, vc_index, vc_vals)) print('') def print(self, short: bool = False, clflag: bool = False) -> None: """ Display ls like listing function for GPU parameters. :param clflag: Display clinfo data if True :param short: Display short listing """ pre = '' for param_name, param_label in self._GPU_Param_Labels.items(): if short: if param_name not in self.short_list: continue if self.prm.vendor == GpuItem.GPU_Vendor.NVIDIA: if param_name in self.NV_Skip_List: continue elif self.prm.vendor == GpuItem.GPU_Vendor.AMD: if param_name in self.AMD_Skip_List: continue if self.prm.gpu_type == self.GPU_Type.APU: if param_name in self._fan_item_list: continue if 'Range' in param_label: continue if self.prm.gpu_type == self.GPU_Type.Legacy: if param_name in self.LEGACY_Skip_List: continue if not self.prm.readable: if param_name not in self.get_nc_params_list(): continue pre = '' if param_name == 'card_num' else ' ' if re.search(r'sep[0-9]', param_name): print('{}{}'.format(pre, param_label.ljust(50, param_label))) continue if param_name == 'unique_id': if self.prm.unique_id is None: continue if self.prm.gpu_type == self.GPU_Type.CurvePts and param_name == 'vddc_range': continue if isinstance(self.get_params_value(param_name), float): print('{}{}: {:.3f}'.format(pre, param_label, self.get_params_value(param_name))) elif isinstance(self.get_params_value(param_name), dict): param_dict = self.get_params_value(param_name) print('{}{}: {}'.format(pre, param_label, {key: param_dict[key] for key in sorted(param_dict)})) elif self.get_params_value(param_name) == '': print('{}{}: {}'.format(pre, param_label, None)) else: print('{}{}: {}'.format(pre, param_label, self.get_params_value(param_name))) if clflag and self.prm.compute: for param_name, param_label in self._GPU_CLINFO_Labels.items(): if re.search(r'sep[0-9]', param_name): print('{}{}'.format(pre, param_label.ljust(50, param_label))) continue print('{}: {}'.format(param_label, self.get_clinfo_value(param_name))) print('') def get_plot_data(self) -> dict: """ Return a dictionary of dynamic gpu parameters used by gpu-plot to populate a df. :return: Dictionary of GPU state info for plot data. """ gpu_state = {'Time': str(self.energy['tn'].strftime(env.GUT_CONST.TIME_FORMAT)), 'Card#': int(self.prm.card_num)} for table_item in self.table_parameters: gpu_state_str = str(re.sub(PATTERNS['MHz'], '', str(self.get_params_value(table_item)))).strip() if gpu_state_str == 'nan': gpu_state[table_item] = np_nan elif gpu_state_str.isnumeric(): gpu_state[table_item] = int(gpu_state_str) elif re.fullmatch(PATTERNS['IS_FLOAT'], gpu_state_str): gpu_state[table_item] = float(gpu_state_str) elif gpu_state_str == '' or gpu_state_str == '-1' or gpu_state_str == 'NA' or gpu_state_str is None: gpu_state[table_item] = 'NA' else: gpu_state[table_item] = gpu_state_str return gpu_state GpuDict = Dict[str, GpuItem] class GpuList: """ A list of GpuItem indexed with uuid. It also contains a table of parameters used for tabular printouts """ def __init__(self) -> None: self.list: GpuDict = {} self.opencl_map: dict = {} self.amd_featuremask: Union[int, None] = None self.amd_wattman: bool = False self.amd_writable: bool = False self.nv_readwritable: bool = False def __repr__(self) -> dict: return self.list def __str__(self) -> str: return 'GPU_List: Number of GPUs: {}'.format(self.num_gpus()) def __getitem__(self, uuid: str) -> GpuItem: if uuid in self.list: return self.list[uuid] raise KeyError('KeyError: invalid uuid: {}'.format(uuid)) def __setitem__(self, uuid: str, value: GpuItem) -> None: self.list[uuid] = value def __iter__(self) -> Generator[GpuItem, None, None]: for value in self.list.values(): yield value def items(self) -> Generator[Union[str, GpuItem], None, None]: """ Get uuid, gpu pairs from a GpuList object. :return: uuid, gpu pair """ for key, value in self.list.items(): yield key, value def uuids(self) -> Generator[str, None, None]: """ Get uuids of the GpuList object. :return: uuids from the GpuList object. """ for key in self.list: yield key def gpus(self) -> Generator[GpuItem, None, None]: """ Get GpuItems from a GpuList object. :return: GpuUItem """ return self.__iter__() def add(self, gpu_item: GpuItem) -> None: """ Add given GpuItem to the GpuList. :param gpu_item: Item to be added """ self[gpu_item.prm.uuid] = gpu_item LOGGER.debug('Added GPU Item %s to GPU List', gpu_item.prm.uuid) def get_pcie_map(self) -> dict: """ Get mapping of card number to pcie address as dict. :return: dict of num: pcieid """ pcie_dict = {} for gpu in self.gpus(): pcie_dict.update({gpu.prm.card_num: gpu.prm.pcie_id}) return pcie_dict def wattman_status(self) -> str: """ Display Wattman status. :return: Status string """ LOGGER.debug('AMD featuremask: %s', hex(self.amd_featuremask)) if self.amd_wattman: return 'Wattman features enabled: {}'.format(hex(self.amd_featuremask)) return 'Wattman features not enabled: {}, See README file.'.format(hex(self.amd_featuremask)) @staticmethod def table_param_labels() -> dict: """ Get dictionary of parameter labels to be used in table reports. :return: Dictionary of table parameters/labels """ return GpuItem.table_param_labels @staticmethod def table_parameters() -> List[str]: """ Get list of parameters to be used in table reports. :return: List of table parameters """ return GpuItem.table_parameters @staticmethod def get_gpu_pci_list() -> Union[List[str], None]: """ Use call to lspci to get a list of pci addresses of all GPUs. :return: List of GPU pci addresses. """ pci_list = [] try: lspci_output = subprocess.check_output(env.GUT_CONST.cmd_lspci, shell=False).decode().split('\n') except (subprocess.CalledProcessError, OSError) as except_err: print('Error [{}]: lspci failed to find GPUs'.format(except_err)) return None for lspci_line in lspci_output: if re.search(PATTERNS['PCI_GPU'], lspci_line): LOGGER.debug('Found GPU pci: %s', lspci_line) pciid = re.search(env.GUT_CONST.PATTERNS['PCI_ADD'], lspci_line) if pciid: pci_list.append(pciid.group(0)) return pci_list def set_gpu_list(self, clinfo_flag: bool = False) -> bool: """ Use lspci to populate list of all installed GPUs. :return: True on success """ if not env.GUT_CONST.cmd_lspci: return False if clinfo_flag: self.read_gpu_opencl_data() LOGGER.debug('OpenCL map: %s', self.opencl_map) # Check AMD writability try: self.amd_featuremask = env.GUT_CONST.read_amdfeaturemask() except FileNotFoundError: self.amd_wattman = self.amd_writable = False self.amd_wattman = self.amd_writable = (self.amd_featuremask == int(0xffff7fff) or self.amd_featuremask == int(0xffffffff) or self.amd_featuremask == int(0xfffd7fff)) # Check NV read/writability if env.GUT_CONST.cmd_nvidia_smi: self.nv_readwritable = True pcie_ids = self.get_gpu_pci_list() if not pcie_ids: print('Error [{}]: lspci failed to find GPUs') return False LOGGER.debug('Found %s GPUs', len(pcie_ids)) for pcie_id in pcie_ids: # Initial GPU Item gpu_uuid = uuid4().hex self.add(GpuItem(gpu_uuid)) LOGGER.debug('GPU: %s', pcie_id) gpu_name = 'UNKNOWN' driver_module = 'UNKNOWN' card_path = '' sys_card_path = '' hwmon_path = '' readable = writable = compute = False gpu_type = GpuItem.GPU_Type.Undefined vendor = GpuItem.GPU_Vendor.Undefined opencl_device_version = None if clinfo_flag else 'UNKNOWN' # Get more GPU details from lspci -k -s cmd_str = '{} -k -s {}'.format(env.GUT_CONST.cmd_lspci, pcie_id) try: lspci_items = subprocess.check_output(shlex.split(cmd_str), shell=False).decode().split('\n') except (subprocess.CalledProcessError, OSError) as except_err: message = 'Fatal Error [{}]: Can not get GPU details with lspci.'.format(except_err) LOGGER.debug(message) print(message) sys.exit(-1) LOGGER.debug('lspci output items:\n %s', lspci_items) # Get Long GPU Name gpu_name_items = lspci_items[0].split(': ', maxsplit=1) if len(gpu_name_items) >= 2: gpu_name = gpu_name_items[1] # Check for Fiji ProDuo if re.search('Fiji', gpu_name): if re.search(r'Radeon Pro Duo', lspci_items[1].split('[AMD/ATI]')[1]): gpu_name = 'Radeon Fiji Pro Duo' LOGGER.debug('gpu_name: [%s]', gpu_name) # Get GPU brand: AMD, INTEL, NVIDIA, ASPEED if re.search(PATTERNS['AMD_GPU'], gpu_name): vendor = GpuItem.GPU_Vendor.AMD gpu_type = GpuItem.GPU_Type.Supported if self.opencl_map: if pcie_id in self.opencl_map.keys(): if 'device_version' in self.opencl_map[pcie_id].keys(): opencl_device_version = self.opencl_map[pcie_id]['device_version'] compute = True else: compute = True if re.search(PATTERNS['NV_GPU'], gpu_name): vendor = GpuItem.GPU_Vendor.NVIDIA if env.GUT_CONST.cmd_nvidia_smi: readable = True gpu_type = GpuItem.GPU_Type.Supported if self.opencl_map: if pcie_id in self.opencl_map.keys(): if 'device_version' in self.opencl_map[pcie_id].keys(): opencl_device_version = self.opencl_map[pcie_id]['device_version'] compute = True else: compute = True if re.search(PATTERNS['INTC_GPU'], gpu_name): vendor = GpuItem.GPU_Vendor.INTEL gpu_type = GpuItem.GPU_Type.Unsupported if self.opencl_map: if pcie_id in self.opencl_map.keys(): if 'device_version' in self.opencl_map[pcie_id].keys(): opencl_device_version = self.opencl_map[pcie_id]['device_version'] compute = True else: compute = not bool(re.search(r' 530', gpu_name)) if re.search(PATTERNS['ASPD_GPU'], gpu_name): vendor = GpuItem.GPU_Vendor.ASPEED gpu_type = GpuItem.GPU_Type.Unsupported if re.search(PATTERNS['MTRX_GPU'], gpu_name): vendor = GpuItem.GPU_Vendor.MATROX gpu_type = GpuItem.GPU_Type.Unsupported # Get Driver Name for lspci_line in lspci_items: if re.search(r'([kK]ernel)', lspci_line): driver_module_items = lspci_line.split(': ') if len(driver_module_items) >= 2: driver_module = driver_module_items[1].strip() # Get full card path device_dirs = glob.glob(os.path.join(env.GUT_CONST.card_root, 'card?/device')) # Match system device directory to pcie ID. for device_dir in device_dirs: sysfspath = str(Path(device_dir).resolve()) LOGGER.debug('sysfpath: %s\ndevice_dir: %s', sysfspath, device_dir) if pcie_id == sysfspath[-7:]: card_path = device_dir sys_card_path = sysfspath LOGGER.debug('card_path set to: %s', device_dir) # No card path could be found. Set readable/writable to False and type to Unsupported if not card_path: LOGGER.debug('card_path not set for: %s', pcie_id) LOGGER.debug('GPU[%s] type set to Unsupported', gpu_uuid) gpu_type = GpuItem.GPU_Type.Unsupported readable = writable = False try_path = '/sys/devices/pci*:*/' sys_pci_dirs = None for _ in range(6): search_path = os.path.join(try_path, '????:{}'.format(pcie_id)) sys_pci_dirs = glob.glob(search_path) if sys_pci_dirs: # Found a match break try_path = os.path.join(try_path, '????:??:??.?') if not sys_pci_dirs: LOGGER.debug('/sys/device file search found no match to pcie_id: %s', pcie_id) else: if len(sys_pci_dirs) > 1: LOGGER.debug('/sys/device file search found multiple matches to pcie_id %s:\n%s', pcie_id, sys_pci_dirs) else: LOGGER.debug('/sys/device file search found match to pcie_id %s:\n%s', pcie_id, sys_pci_dirs) sys_card_path = sys_pci_dirs[0] # Get full hwmon path if card_path: LOGGER.debug('Card dir [%s] contents:\n%s', card_path, list(os.listdir(card_path))) hw_file_srch = glob.glob(os.path.join(card_path, env.GUT_CONST.hwmon_sub) + '?') LOGGER.debug('HW file search: %s', hw_file_srch) if len(hw_file_srch) > 1: print('More than one hwmon file found: {}'.format(hw_file_srch)) elif len(hw_file_srch) == 1: hwmon_path = hw_file_srch[0] LOGGER.debug('HW dir [%s] contents:\n%s', hwmon_path, list(os.listdir(hwmon_path))) # Check AMD write capability if vendor == GpuItem.GPU_Vendor.AMD and card_path: pp_od_clk_voltage_file = os.path.join(card_path, 'pp_od_clk_voltage') if os.path.isfile(pp_od_clk_voltage_file): gpu_type = GpuItem.GPU_Type.Supported readable = True if self.amd_writable: writable = True elif os.path.isfile(os.path.join(card_path, 'power_dpm_state')): # if os.path.isfile(os.path.join(card_path, 'pp_dpm_mclk')) or GpuItem.is_apu(gpu_name): if GpuItem.is_apu(gpu_name): readable = True gpu_type = GpuItem.GPU_Type.APU else: # if no pp_od_clk_voltage but has power_dpm_state, assume legacy, and disable some sensors readable = True gpu_type = GpuItem.GPU_Type.Legacy elif GpuItem.is_apu(gpu_name): readable = True gpu_type = GpuItem.GPU_Type.APU else: gpu_type = GpuItem.GPU_Type.Unsupported if LOGGER.getEffectiveLevel() == logging.DEBUG: # Write pp_od_clk_voltage details to debug LOGGER if os.path.isfile(pp_od_clk_voltage_file): with open(pp_od_clk_voltage_file, 'r') as file_ptr: pp_od_file_details = file_ptr.read() else: pp_od_file_details = 'The file {} does not exist'.format(pp_od_clk_voltage_file) LOGGER.debug('%s contents:\n%s', pp_od_clk_voltage_file, pp_od_file_details) # Set GPU parameters self[gpu_uuid].populate_prm_from_dict({'pcie_id': pcie_id, 'model': gpu_name, 'vendor': vendor, 'driver': driver_module, 'card_path': card_path, 'sys_card_path': sys_card_path, 'gpu_type': gpu_type, 'hwmon_path': hwmon_path, 'readable': readable, 'writable': writable, 'compute': compute, 'compute_platform': opencl_device_version}) LOGGER.debug('Card flags: readable: %s, writable: %s, type: %s', readable, writable, self[gpu_uuid].prm.gpu_type) # Read GPU ID rdata = self[gpu_uuid].read_gpu_sensor('id', vendor=GpuItem.GPU_Vendor.PCIE, sensor_type='DEVICE') if rdata: self[gpu_uuid].set_params_value('id', rdata) if clinfo_flag: if pcie_id in self.opencl_map.keys(): self[gpu_uuid].populate_ocl(self.opencl_map[pcie_id]) return True def read_gpu_opencl_data(self) -> bool: """ Use clinfo system call to get openCL details for relevant GPUs. :return: Returns True if successful .. todo:: Read of Intel pcie_id is not working. """ # Check access to clinfo command if not env.GUT_CONST.cmd_clinfo: print('OS Command [clinfo] not found. Use sudo apt-get install clinfo to install', file=sys.stderr) return False # Run the clinfo command cmd = subprocess.Popen(shlex.split('{} --raw'.format(env.GUT_CONST.cmd_clinfo)), shell=False, stdout=subprocess.PIPE) # Clinfo Keywords and related opencl_map key. ocl_keywords = {'CL_KERNEL_PREFERRED_WORK_GROUP_SIZE_MULTIPLE': 'prf_wg_multiple', 'CL_DEVICE_MAX_WORK_GROUP_SIZE': 'max_wg_size', 'CL_DEVICE_PREFERRED_WORK_GROUP_SIZE': 'prf_wg_size', 'CL_DEVICE_MAX_WORK_ITEM_SIZES': 'max_wi_sizes', 'CL_DEVICE_MAX_WORK_ITEM_DIMENSIONS': 'max_wi_dim', 'CL_DEVICE_MAX_MEM_ALLOC_SIZE': 'max_mem_allocation', 'CL_DEVICE_SIMD_INSTRUCTION_WIDTH': 'simd_ins_width', 'CL_DEVICE_SIMD_WIDTH': 'simd_width', 'CL_DEVICE_SIMD_PER_COMPUTE_UNIT': 'simd_per_cu', 'CL_DEVICE_MAX_COMPUTE_UNITS': 'max_cu', 'CL_DEVICE_NAME': 'device_name', 'CL_DEVICE_OPENCL_C_VERSION': 'opencl_version', 'CL_DRIVER_VERSION': 'driver_version', 'CL_DEVICE_VERSION': 'device_version'} def init_temp_map() -> dict: """ Return an initialized clinfo dict. :return: Initialized clinfo dict """ t_dict = {} for temp_keys in ocl_keywords.values(): t_dict[temp_keys] = None return t_dict # Initialize dict variables ocl_vendor = ocl_index = ocl_pcie_id = ocl_pcie_bus_id = ocl_pcie_slot_id = None temp_map = init_temp_map() # Read each line from clinfo --raw for line in cmd.stdout: linestr = line.decode('utf-8').strip() if len(linestr) < 1: continue if linestr[0] != '[': continue line_items = linestr.split(maxsplit=2) if len(line_items) != 3: continue cl_vendor, cl_index = tuple(re.sub(r'[\[\]]', '', line_items[0]).split('/')) if cl_index == '*': continue if not ocl_index: ocl_index = cl_index ocl_vendor = cl_vendor ocl_pcie_slot_id = ocl_pcie_bus_id = None # If new cl_index, then update opencl_map if cl_vendor != ocl_vendor or cl_index != ocl_index: # Update opencl_map with dict variables when new index is encountered. self.opencl_map.update({ocl_pcie_id: temp_map}) LOGGER.debug('cl_vendor: %s, cl_index: %s, pcie_id: %s', ocl_vendor, ocl_index, self.opencl_map[ocl_pcie_id]) # Initialize dict variables ocl_index = cl_index ocl_vendor = cl_vendor ocl_pcie_id = ocl_pcie_bus_id = ocl_pcie_slot_id = None temp_map = init_temp_map() param_str = line_items[1] # Check item in clinfo_keywords for clinfo_keyword, opencl_map_keyword in ocl_keywords.items(): if clinfo_keyword in param_str: temp_map[opencl_map_keyword] = line_items[2].strip() LOGGER.debug('openCL map %s: [%s]', clinfo_keyword, temp_map[opencl_map_keyword]) continue # PCIe ID related clinfo_keywords # Check for AMD pcie_id details if 'CL_DEVICE_TOPOLOGY' in param_str: ocl_pcie_id = (line_items[2].split()[1]).strip() LOGGER.debug('AMD ocl_pcie_id [%s]', ocl_pcie_id) continue # Check for NV pcie_id details if 'CL_DEVICE_PCI_BUS_ID_NV' in param_str: ocl_pcie_bus_id = hex(int(line_items[2].strip())) if ocl_pcie_slot_id is not None: ocl_pcie_id = '{}:{}.0'.format(ocl_pcie_bus_id[2:].zfill(2), ocl_pcie_slot_id[2:].zfill(2)) ocl_pcie_slot_id = ocl_pcie_bus_id = None LOGGER.debug('NV ocl_pcie_id [%s]', ocl_pcie_id) continue if 'CL_DEVICE_PCI_SLOT_ID_NV' in param_str: ocl_pcie_slot_id = hex(int(line_items[2].strip())) if ocl_pcie_bus_id is not None: ocl_pcie_id = '{}:{}.0'.format(ocl_pcie_bus_id[2:].zfill(2), ocl_pcie_slot_id[2:].zfill(2)) ocl_pcie_slot_id = ocl_pcie_bus_id = None LOGGER.debug('NV ocl_pcie_id [%s]', ocl_pcie_id) continue # Check for INTEL pcie_id details # TODO don't know how to do this yet. self.opencl_map.update({ocl_pcie_id: temp_map}) return True def num_vendor_gpus(self, compatibility: Enum = GpuItem.GPU_Comp.ALL) -> Dict[str, int]: """ Return the count of GPUs by vendor. Counts total by default, but can also by rw, ronly, or wonly. :param compatibility: Only count vendor GPUs if True. :return: Dictionary of GPU counts """ try: _ = compatibility.name except AttributeError: raise AttributeError('Error: {} not a valid compatibility name: [{}]'.format( compatibility, GpuItem.GPU_Comp)) results_dict = {} for gpu in self.gpus(): if compatibility == GpuItem.GPU_Comp.ReadWrite: if not gpu.prm.readable or not gpu.prm.writable: continue if compatibility == GpuItem.GPU_Comp.ReadOnly: if not gpu.prm.readable: continue if compatibility == GpuItem.GPU_Comp.WriteOnly: if not gpu.prm.writable: continue if gpu.prm.vendor.name not in results_dict.keys(): results_dict.update({gpu.prm.vendor.name: 1}) else: results_dict[gpu.prm.vendor.name] += 1 return results_dict def num_gpus(self, vendor: Enum = GpuItem.GPU_Vendor.ALL) -> Dict[str, int]: """ Return the count of GPUs by total, rw, r-only or w-only. :param vendor: Only count vendor GPUs of specific vendor or all vendors by default. :return: Dictionary of GPU counts """ try: vendor_name = vendor.name except AttributeError: raise AttributeError('Error: {} not a valid vendor name: [{}]'.format(vendor, GpuItem.GPU_Vendor)) results_dict = {'vendor': vendor_name, 'total': 0, 'rw': 0, 'r-only': 0, 'w-only': 0} for gpu in self.gpus(): if vendor != GpuItem.GPU_Vendor.ALL: if vendor != gpu.prm.vendor: continue if gpu.prm.readable and gpu.prm.writable: results_dict['rw'] += 1 elif gpu.prm.readable: results_dict['r-only'] += 1 elif gpu.prm.writable: results_dict['w-only'] += 1 results_dict['total'] += 1 return results_dict def list_gpus(self, vendor: Enum = GpuItem.GPU_Vendor.ALL, compatibility: Enum = GpuItem.GPU_Comp.ALL) -> 'class GpuList': """ Return GPU_Item of GPUs. Contains all by default, but can be a subset with vendor and compatibility args. Only one flag should be set. :param vendor: Only count vendor GPUs or ALL by default. :param compatibility: Only count GPUs with specified compatibility (all, readable, writable) :return: GpuList of compatible GPUs """ try: _ = compatibility.name except AttributeError: raise AttributeError('Error: {} not a valid compatibility name: [{}]'.format( compatibility, GpuItem.GPU_Comp)) try: _ = vendor.name except AttributeError: raise AttributeError('Error: {} not a valid vendor name: [{}]'.format(vendor, GpuItem.GPU_Vendor)) result_list = GpuList() for uuid, gpu in self.items(): if vendor != GpuItem.GPU_Vendor.ALL: if vendor != gpu.prm.vendor: continue if compatibility == GpuItem.GPU_Comp.Readable: # Skip Legacy GPU type, since most parameters can not be read. if gpu.prm.gpu_type != GpuItem.GPU_Type.Legacy: if gpu.prm.readable: result_list[uuid] = gpu elif compatibility == GpuItem.GPU_Comp.Writable: if gpu.prm.writable: result_list[uuid] = gpu else: result_list[uuid] = gpu return result_list def read_gpu_ppm_table(self) -> None: """ Read GPU ppm data and populate GpuItem. """ for gpu in self.gpus(): if gpu.prm.readable: gpu.read_gpu_ppm_table() def print_ppm_table(self) -> None: """ Print the GpuItem ppm data. """ for gpu in self.gpus(): gpu.print_ppm_table() def read_gpu_pstates(self) -> None: """ Read GPU p-state data and populate GpuItem. """ for gpu in self.gpus(): if gpu.prm.readable: gpu.read_gpu_pstates() def print_pstates(self) -> None: """ Print the GpuItem p-state data. """ for gpu in self.gpus(): gpu.print_pstates() def read_gpu_sensor_set(self, data_type: Enum = GpuItem.SensorSet.All) -> None: """ Read sensor data from all GPUs in self.list. :param data_type: Specifies the sensor set to use in the read. """ for gpu in self.gpus(): if gpu.prm.readable: gpu.read_gpu_sensor_set(data_type) # Printing Methods follow. def print(self, short: bool = False, clflag: bool = False) -> None: """ Print all GpuItem. :param short: If true, print short report :param clflag: If true, print clinfo """ for gpu in self.gpus(): gpu.print(short=short, clflag=clflag) def print_table(self, title: Union[str, None] = None) -> bool: """ Print table of parameters. :return: True if success """ table_width: int = 20 if self.num_gpus()['total'] < 1: return False if title: print('\x1b[1;36m{}\x1b[0m'.format(title)) print('┌', '─'.ljust(13, '─'), sep='', end='') for _ in self.gpus(): print('┬', '─'.ljust(table_width, '─'), sep='', end='') print('┐') print('│\x1b[1;36m' + 'Card #'.ljust(13, ' ') + '\x1b[0m', sep='', end='') for gpu in self.gpus(): print('│\x1b[1;36mcard{:<16}\x1b[0m'.format(gpu.prm.card_num), end='') print('│') print('├', '─'.ljust(13, '─'), sep='', end='') for _ in self.gpus(): print('┼', '─'.ljust(table_width, '─'), sep='', end='') print('┤') for table_item in self.table_parameters(): print('│\x1b[1;36m{:<13}\x1b[0m'.format(str(self.table_param_labels()[table_item])[:13]), end='') for gpu in self.gpus(): data_value_raw = gpu.get_params_value(table_item) if isinstance(data_value_raw, float): data_value_raw = round(data_value_raw, 3) print('│{:<20}'.format(str(data_value_raw)[:table_width]), end='') print('│') print('└', '─'.ljust(13, '─'), sep='', end='') for _ in self.gpus(): print('┴', '─'.ljust(table_width, '─'), sep='', end='') print('┘') return True def print_log_header(self, log_file_ptr: TextIO) -> bool: """ Print the log header. :param log_file_ptr: File pointer for target output. :return: True if success """ if self.num_gpus()['total'] < 1: return False # Print Header print('Time|Card#', end='', file=log_file_ptr) for table_item in self.table_parameters(): print('|{}'.format(table_item), end='', file=log_file_ptr) print('', file=log_file_ptr) return True def print_log(self, log_file_ptr: TextIO) -> bool: """ Print the log data. :param log_file_ptr: File pointer for target output. :return: True if success """ if self.num_gpus()['total'] < 1: return False # Print Data for gpu in self.gpus(): print('{}|{}'.format(gpu.energy['tn'].strftime(env.GUT_CONST.TIME_FORMAT), gpu.prm.card_num), sep='', end='', file=log_file_ptr) for table_item in self.table_parameters(): print('|{}'.format(re.sub(PATTERNS['MHz'], '', str(gpu.get_params_value(table_item)).strip())), sep='', end='', file=log_file_ptr) print('', file=log_file_ptr) return True def print_plot_header(self, log_file_ptr: IO[Union[str, bytes]]) -> bool: """ Print the plot header. :param log_file_ptr: File pointer for target output. :return: True if success """ if self.num_gpus()['total'] < 1: return False # Print Header line_str_item = ['Time|Card#'] for table_item in self.table_parameters(): line_str_item.append('|' + table_item) line_str_item.append('\n') line_str = ''.join(line_str_item) log_file_ptr.write(line_str.encode('utf-8')) log_file_ptr.flush() return True def print_plot(self, log_file_ptr: IO[Union[str, bytes]]) -> bool: """ Print the plot data. :param log_file_ptr: File pointer for target output. :return: True on success """ if self.num_gpus()['total'] < 1: return False # Print Data for gpu in self.gpus(): line_str_item = ['{}|{}'.format(str(gpu.energy['tn'].strftime(env.GUT_CONST.TIME_FORMAT)), gpu.prm.card_num)] for table_item in self.table_parameters(): line_str_item.append('|' + re.sub(PATTERNS['MHz'], '', str(gpu.get_params_value(table_item))).strip()) line_str_item.append('\n') line_str = ''.join(line_str_item) log_file_ptr.write(line_str.encode('utf-8')) log_file_ptr.flush() return True def about() -> None: """ Print details about this module. """ print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if __name__ == '__main__': about() gpu-utils-3.6.0/GPUmodules/__init__.py000066400000000000000000000002001402750156600176040ustar00rootroot00000000000000__version__ = '3.6.0' __status__ = 'Development Status :: 5 - Production/Stable' #__status__ = 'Development Status :: 4 - Beta' gpu-utils-3.6.0/GPUmodules/env.py000077500000000000000000000467241402750156600166650ustar00rootroot00000000000000#!/usr/bin/env python3 """env.py - sets environment for rickslab-gpu-utils and establishes global variables Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, and Verification'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-utils' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import argparse import re import subprocess import platform import sys from os import path as os_path import logging from pathlib import Path import inspect import shlex import shutil from time import mktime as time_mktime from datetime import datetime from typing import Dict, Union, List, TextIO from GPUmodules import __version__, __status__ LOGGER = logging.getLogger('gpu-utils') class GutConst: """ GPU Utils constants used throughout the project. """ _verified_distros: List[str] = ['Debian', 'Ubuntu', 'Neon', 'Gentoo', 'Arch'] _dpkg_tool: Dict[str, str] = {'Debian': 'dpkg', 'Ubuntu': 'dpkg', 'Neon': 'dpkg', 'Arch': 'pacman', 'Gentoo': 'equery'} _all_args: List[str] = ['execute_pac', 'debug', 'pdebug', 'sleep', 'no_fan', 'ltz', 'simlog', 'log', 'force_write'] PATTERNS = {'HEXRGB': re.compile(r'^#[0-9a-fA-F]{6}'), 'PCIIID_L0': re.compile(r'^[0-9a-fA-F]{4}.*'), 'PCIIID_L1': re.compile(r'^\t[0-9a-fA-F]{4}.*'), 'PCIIID_L2': re.compile(r'^\t\t[0-9a-fA-F]{4}.*'), 'END_IN_ALPHA': re.compile(r'[a-zA-Z]+$'), 'ALPHA': re.compile(r'[a-zA-Z]+'), 'AMD_GPU': re.compile(r'(AMD|amd|ATI|ati)'), 'NV_GPU': re.compile(r'(NVIDIA|nvidia|nVidia)'), 'INTC_GPU': re.compile(r'(INTEL|intel|Intel)'), 'ASPD_GPU': re.compile(r'(ASPEED|aspeed|Aspeed)'), 'MTRX_GPU': re.compile(r'(MATROX|matrox|Matrox)'), 'MHz': re.compile(r'M[Hh]z'), 'PPM_CHK': re.compile(r'[*].*'), 'PCI_GPU': re.compile(r'(VGA|3D|Display)'), 'PCI_ADD': re.compile(r'^([0-9a-fA-F]{2}:[0-9a-fA-F]{2}.[0-9a-fA-F])'), 'PPM_NOTCHK': re.compile(r'[ ]+'), 'VALID_PS_STR': re.compile(r'[0-9]+(\s[0-9])*'), 'IS_FLOAT': re.compile(r'[-+]?\d*\.?\d+|[-+]?\d+'), 'DIGITS': re.compile(r'^[0-9]+[0-9]*$'), 'VAL_ITEM': re.compile(r'.*_val$'), 'GPU_GENERIC': re.compile(r'(^\s|intel|amd|nvidia|amd/ati|ati|radeon|\[|\])', re.IGNORECASE), 'GPUMEMTYPE': re.compile(r'^mem_(gtt|vram)_.*')} _sys_pciid_list: List[str] = ['/usr/share/misc/pci.ids', '/usr/share/hwdata/pci.ids'] _module_path: str = os_path.dirname(str(Path(__file__).resolve())) _repository_path: str = os_path.join(_module_path, '..') _local_config_list: Dict[str, str] = { 'repository': _repository_path, 'debian': '/usr/share/rickslab-gpu-utils/config', 'pypi-linux': os_path.join(str(Path.home()), '.local', 'share', 'rickslab-gpu-utils', 'config')} _local_icon_list: Dict[str, str] = { 'repository': os_path.join(_repository_path, 'icons'), 'debian': '/usr/share/rickslab-gpu-utils/icons', 'pypi-linux': '{}/.local/share/rickslab-gpu-utils/icons'.format(str(Path.home()))} featuremask: str = '/sys/module/amdgpu/parameters/ppfeaturemask' card_root: str = '/sys/class/drm/' hwmon_sub: str = 'hwmon/hwmon' gui_window_title: str = 'Ricks-Lab GPU Utilities' mon_field_width = 20 def __init__(self): self.args: Union[argparse.Namespace, None] = None self.repository_path: str = self._repository_path self.install_type: Union[str, None] = None self.package_path: str = inspect.getfile(inspect.currentframe()) if 'dist-packages' in self.package_path: self.install_type = 'debian' elif '.local' in self.package_path: self.install_type = 'pypi-linux' else: self.install_type = 'repository' self.icon_path = self._local_icon_list[self.install_type] if not os_path.isfile(os_path.join(self.icon_path, 'gpu-mon.icon.png')): print('Error: Invalid icon path') self.icon_path = None # Set pciid Path for try_pciid_path in GutConst._sys_pciid_list: if os_path.isfile(try_pciid_path): self.sys_pciid = try_pciid_path break else: self.sys_pciid = None self.distro: Dict[str, Union[str, None]] = {'Distributor': None, 'Description': None} self.amdfeaturemask: Union[int, None] = None self.log_file_ptr: Union[TextIO, None] = None # From args self.execute_pac: bool = False self.DEBUG: bool = False self.PDEBUG: bool = False self.SIMLOG: bool = False self.LOG: bool = False self.PLOT: bool = False self.show_fans: bool = True self.write_delta_only: bool = False self.SLEEP: int = 2 self.USELTZ: bool = False # Time self.TIME_FORMAT: str = '%d-%b-%Y %H:%M:%S' self.LTZ: datetime.tzinfo = datetime.utcnow().astimezone().tzinfo # Command access self.cmd_lsb_release: Union[str, None] = None self.cmd_lspci: Union[str, None] = None self.cmd_clinfo: Union[str, None] = None self.cmd_dpkg: Union[str, None] = None self.cmd_nvidia_smi: Union[str, None] = None def set_args(self, args: argparse.Namespace) -> None: """ Set arguments for the give args object. :param args: The object return by args parser. """ self.args = args for target_arg in self._all_args: if target_arg in self.args: if target_arg == 'debug': self.DEBUG = self.args.debug elif target_arg == 'execute_pac': self.execute_pac = self.args.execute_pac elif target_arg == 'pdebug': self.PDEBUG = self.args.pdebug elif target_arg == 'sleep': self.SLEEP = self.args.sleep elif target_arg == 'no_fan': self.show_fans = not self.args.no_fan elif target_arg == 'ltz': self.USELTZ = self.args.ltz elif target_arg == 'simlog': self.SIMLOG = self.args.simlog elif target_arg == 'log': self.LOG = self.args.log elif target_arg == 'force_write': self.write_delta_only = not self.args.force_write else: print('Invalid arg: {}'.format(target_arg)) LOGGER.propagate = False formatter = logging.Formatter("%(levelname)s:%(name)s:%(module)s.%(funcName)s:%(message)s") stream_handler = logging.StreamHandler() stream_handler.setFormatter(formatter) stream_handler.setLevel(logging.WARNING) LOGGER.addHandler(stream_handler) LOGGER.setLevel(logging.WARNING) if self.DEBUG: LOGGER.setLevel(logging.DEBUG) file_handler = logging.FileHandler( 'debug_gpu-utils_{}.log'.format(datetime.now().strftime("%Y%m%d-%H%M%S")), 'w') file_handler.setFormatter(formatter) file_handler.setLevel(logging.DEBUG) LOGGER.addHandler(file_handler) LOGGER.debug('Install type: %s', self.install_type) LOGGER.debug('Command line arguments:\n %s', args) LOGGER.debug('Local TZ: %s', self.LTZ) LOGGER.debug('pciid path set to: %s', self.sys_pciid) LOGGER.debug('Icon path set to: %s', self.icon_path) @staticmethod def now(ltz: bool = False) -> datetime: """ Get the current datetime object. :param ltz: Flag to get local time instead of UTC :return: datetime obj of current time """ return datetime.now() if ltz else datetime.utcnow() @staticmethod def utc2local(utc: datetime) -> datetime: """ Return local time for given UTC time. :param utc: Time for UTC :return: Time for local time zone .. note:: from https://stackoverflow.com/questions/4770297/convert-utc-datetime-string-to-local-datetime """ epoch = time_mktime(utc.timetuple()) offset = datetime.fromtimestamp(epoch) - datetime.utcfromtimestamp(epoch) return utc + offset def read_amdfeaturemask(self) -> int: """ Read and return the amdfeaturemask as an int. :return: AMD Feature Mask """ try: with open(self.featuremask) as fm_file: fm_str = fm_file.readline().rstrip() LOGGER.debug('Raw Featuremask string: [%s]', fm_str) self.amdfeaturemask = int(fm_str, 0) except TypeError as err: LOGGER.debug('Invalid AMD Featuremask str [%s], %s', fm_str, err) self.amdfeaturemask = 0 except OSError as err: LOGGER.debug('Could not read AMD Featuremask, %s', err) self.amdfeaturemask = 0 return self.amdfeaturemask def check_env(self) -> int: """ Check the compatibility of the user environment. :return: Return status: ok=0, python issue= -1, kernel issue= -2, command issue= -3 """ # Check python version required_pversion = (3, 6) (python_major, python_minor, python_patch) = platform.python_version_tuple() LOGGER.debug('Using python: %s.%s.%s', python_major, python_minor, python_patch) if int(python_major) < required_pversion[0]: print('Using python {}, but {} requires python {}.{} or higher.'.format(python_major, __program_name__, required_pversion[0], required_pversion[1]), file=sys.stderr) return -1 if int(python_major) == required_pversion[0] and int(python_minor) < required_pversion[1]: print('Using python {}.{}.{}, but {} requires python {}.{} or higher.'.format(python_major, python_minor, python_patch, __program_name__, required_pversion[0], required_pversion[1]), file=sys.stderr) return -1 # Check Linux Kernel version required_kversion = (4, 8) linux_version = platform.release() LOGGER.debug('Using Linux Kernel: %s', linux_version) if int(linux_version.split('.')[0]) < required_kversion[0]: print('Using Linux Kernel {}, but {} requires > {}.{}.'.format(linux_version, __program_name__, required_kversion[0], required_kversion[1]), file=sys.stderr) return -2 if int(linux_version.split('.')[0]) == required_kversion[0] and \ int(linux_version.split('.')[1]) < required_kversion[1]: print('Using Linux Kernel {}, but {} requires > {}.{}.'.format(linux_version, __program_name__, required_kversion[0], required_kversion[1]), file=sys.stderr) return -2 # Check Linux Distro self.cmd_lsb_release = shutil.which('lsb_release') if self.cmd_lsb_release: lsbr_out = subprocess.check_output(shlex.split('{} -a'.format(self.cmd_lsb_release)), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') for lsbr_line in lsbr_out: if 'Distributor ID' in lsbr_line: lsbr_item = re.sub(r'Distributor ID:[\s]*', '', lsbr_line) LOGGER.debug('Using Linux Distro: %s', lsbr_item) self.distro['Distributor'] = lsbr_item.strip() if 'Description' in lsbr_line: lsbr_item = re.sub(r'Description:[\s]*', '', lsbr_line) LOGGER.debug('Linux Distro Description: %s', lsbr_item) self.distro['Description'] = lsbr_item.strip() if self.distro['Distributor'] and self.DEBUG: print('{}: '.format(self.distro['Distributor']), end='') if self.distro['Distributor'] in GutConst._verified_distros: print('Validated') else: print('Unverified') else: print('OS command [lsb_release] executable not found.') LOGGER.debug('Distro: %s, %s', self.distro['Distributor'], self.distro['Description']) # Check access/paths to system commands command_access_fail = False self.cmd_lspci = shutil.which('lspci') if not self.cmd_lspci: print('Error: OS command [lspci] executable not found.') command_access_fail = True LOGGER.debug('lspci path: %s', self.cmd_lspci) self.cmd_clinfo = shutil.which('clinfo') if not self.cmd_clinfo: print('Package addon [clinfo] executable not found. Use sudo apt-get install clinfo to install') LOGGER.debug('clinfo path: %s', self.cmd_clinfo) # Package Reader if self.distro['Distributor'] in GutConst._dpkg_tool: pkg_tool = GutConst._dpkg_tool[self.distro['Distributor']] self.cmd_dpkg = shutil.which(pkg_tool) if not self.cmd_dpkg: print('OS command [{}] executable not found.'.format(pkg_tool)) else: for test_dpkg in GutConst._dpkg_tool.values(): self.cmd_dpkg = shutil.which(test_dpkg) if self.cmd_dpkg: break else: self.cmd_dpkg = None LOGGER.debug('%s package query tool: %s', self.distro["Distributor"], self.cmd_dpkg) self.cmd_nvidia_smi = shutil.which('nvidia-smi') if self.cmd_nvidia_smi: print('OS command [nvidia-smi] executable found: [{}]'.format(self.cmd_nvidia_smi)) if command_access_fail: return -3 return 0 def read_amd_driver_version(self) -> bool: """ Read the AMD driver version and store in GutConst object. :return: True on success. """ if not self.cmd_dpkg: print('Can not access package read utility to verify AMD driver.') return False if re.search(r'([uU]buntu|[dD]ebian)', self.distro['Distributor']): return self.read_amd_driver_version_debian() if re.search(r'([gG]entoo)', self.distro['Distributor']): return self.read_amd_driver_version_gentoo() if re.search(r'([aA]rch)', self.distro['Distributor']): return self.read_amd_driver_version_arch() return False def read_amd_driver_version_gentoo(self) -> bool: """ Read the AMD driver version and store in GutConst object. :return: True if successful """ for pkgname in ['dev-libs/amdgpu', 'dev-libs/amdgpu-pro-opencl', 'dev-libs/rocm', 'dev-libs/rocm-utils']: try: dpkg_out = subprocess.check_output(shlex.split('{} list {}'.format(self.cmd_dpkg, pkgname)), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') except (subprocess.CalledProcessError, OSError): continue for dpkg_line in dpkg_out: if '!!!' in dpkg_line: continue for driverpkg in ['amdgpu', 'rocm']: if re.search('Searching', dpkg_line): continue if re.search(driverpkg, dpkg_line): LOGGER.debug(dpkg_line) dpkg_line = re.sub(r'.*\][\s]*', '', dpkg_line) print('AMD: {} version: {}'.format(driverpkg, dpkg_line)) return True print('amdgpu/rocm version: UNKNOWN') return False def read_amd_driver_version_arch(self) -> bool: """ Read the AMD driver version and store in GutConst object. :return: True if successful """ for pkgname in ['amdgpu', 'rocm', 'rocm-utils']: try: dpkg_out = subprocess.check_output(shlex.split('{} -Qs {}'.format(self.cmd_dpkg, pkgname)), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') except (subprocess.CalledProcessError, OSError): continue for dpkg_line in dpkg_out: for driverpkg in ['amdgpu', 'rocm']: if re.search(driverpkg, dpkg_line): LOGGER.debug(dpkg_line) dpkg_items = dpkg_line.split() if len(dpkg_items) >= 2: print('AMD: {} version: {}'.format(driverpkg, dpkg_items[1])) return True print('amdgpu/rocm version: UNKNOWN') return False def read_amd_driver_version_debian(self) -> bool: """ Read the AMD driver version and store in GutConst object. :return: True if successful """ for pkgname in ['amdgpu', 'amdgpu-core', 'amdgpu-pro', 'rocm-utils']: try: dpkg_out = subprocess.check_output(shlex.split('{} -l {}'.format(self.cmd_dpkg, pkgname)), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') except (subprocess.CalledProcessError, OSError): continue for dpkg_line in dpkg_out: for driverpkg in ['amdgpu', 'rocm']: if re.search(driverpkg, dpkg_line): LOGGER.debug(dpkg_line) dpkg_items = dpkg_line.split() if len(dpkg_items) > 2: if re.fullmatch(r'.*none.*', dpkg_items[2]): continue print('AMD: {} version: {}'.format(driverpkg, dpkg_items[2])) return True print('amdgpu/rocm version: UNKNOWN') return False GUT_CONST = GutConst() def about() -> None: """ Display details of this module. """ print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Install Type: ', GUT_CONST.install_type) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if __name__ == '__main__': about() gpu-utils-3.6.0/LICENSE000066400000000000000000001045151402750156600144720ustar00rootroot00000000000000 GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The GNU General Public License is a free, copyleft license for software and other kinds of works. The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. The precise terms and conditions for copying, distribution and modification follow. TERMS AND CONDITIONS 0. Definitions. "This License" refers to version 3 of the GNU General Public License. "Copyright" also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. "The Program" refers to any copyrightable work licensed under this License. Each licensee is addressed as "you". "Licensees" and "recipients" may be individuals or organizations. To "modify" a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a "modified version" of the earlier work or a work "based on" the earlier work. A "covered work" means either the unmodified Program or a work based on the Program. To "propagate" a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. To "convey" a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. An interactive user interface displays "Appropriate Legal Notices" to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. 1. Source Code. The "source code" for a work means the preferred form of the work for making modifications to it. "Object code" means any non-source form of a work. A "Standard Interface" means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. The "System Libraries" of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A "Major Component", in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. The "Corresponding Source" for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. The Corresponding Source for a work in source code form is that same work. 2. Basic Permissions. All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. 3. Protecting Users' Legal Rights From Anti-Circumvention Law. No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures. 4. Conveying Verbatim Copies. You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. 5. Conveying Modified Source Versions. You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: a) The work must carry prominent notices stating that you modified it, and giving a relevant date. b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to "keep intact all notices". c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an "aggregate" if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. 6. Conveying Non-Source Forms. You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. A "User Product" is either (1) a "consumer product", which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, "normally used" refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. "Installation Information" for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. 7. Additional Terms. "Additional permissions" are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or d) Limiting the use for publicity purposes of names of licensors or authors of the material; or e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. All other non-permissive additional terms are considered "further restrictions" within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. 8. Termination. You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. 9. Acceptance Not Required for Having Copies. You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. 10. Automatic Licensing of Downstream Recipients. Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. An "entity transaction" is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. 11. Patents. A "contributor" is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's "contributor version". A contributor's "essential patent claims" are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, "control" includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. In the following three paragraphs, a "patent license" is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To "grant" such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. "Knowingly relying" means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. A patent license is "discriminatory" if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. 12. No Surrender of Others' Freedom. If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. 13. Use with the GNU Affero General Public License. Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. 14. Revised Versions of this License. The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program. Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. 15. Disclaimer of Warranty. THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. Limitation of Liability. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. 17. Interpretation of Sections 15 and 16. If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . Also add information on how to contact you by electronic and paper mail. If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: Copyright (C) This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an "about box". You should also get your employer (if you work as a programmer) or school, if any, to sign a "copyright disclaimer" for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see . The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read . gpu-utils-3.6.0/MANIFEST.in000066400000000000000000000000421402750156600152110ustar00rootroot00000000000000include README.md include LICENSE gpu-utils-3.6.0/README.md000066400000000000000000000474121402750156600147460ustar00rootroot00000000000000# Ricks-Lab GPU Utilities ![](https://img.shields.io/github/license/Ricks-Lab/gpu-utils) [![PyPI version](https://badge.fury.io/py/rickslab-gpu-utils.svg)](https://badge.fury.io/py/rickslab-gpu-utils) [![Downloads](https://pepy.tech/badge/rickslab-gpu-utils)](https://pepy.tech/project/rickslab-gpu-utils) ![GitHub commit activity](https://img.shields.io/github/commit-activity/y/Ricks-Lab/gpu-utils) ![GitHub last commit](https://img.shields.io/github/last-commit/Ricks-Lab/gpu-utils) ![Libraries.io SourceRank](https://img.shields.io/librariesio/sourcerank/pypi/rickslab-gpu-utils) ## rickslab-gpu-utils A set of utilities for monitoring GPU performance and modifying control settings. In order to get maximum capability of these utilities, you should be running with a kernel that provides support of the GPUs you have installed. If using AMD GPUs, installing the latest **amdgpu** driver or **ROCm** package, may provide additional capabilities. If you have Nvidia GPUs installed, you should have **nvidia-smi** installed in order for the utility reading of the cards to be possible. Writing to GPUs is currently only possible for compatible AMD GPUs on systems with appropriate kernel version with the AMD ppfeaturemask set to enable this capability as described [here](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md#getting-started). ## Installation There are 4 methods of installation available and summarized here: * [Repository](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md#repository-installation) - This approach is recommended for those interested in contributing to the project or helping to troubleshoot an issue in realtime with the developer. This type of installation can exist alongside any of the other installation types. * [PyPI](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md#pypi-installation) - Meant for users wanting to run the very latest version. All **PATCH** level versions are released here first. This installation method is also meant for users not on a Debian distribution. * [Rickslab.com Debian](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md#rickslabcom-debian-installation) - Lags the PyPI release in order to assure robustness. May not include every **PATCH** version. * **Official Debian** - Only **MAJOR/MINOR** releases. This is currently broken by the name change of the project from **ricks-amdgpu-utils** to **rickslab-gpu-utils**. I will update this guide once the Debian package is back in sync with the repository. ## User Guide For a detailed introduction, a community sourced [User Guide](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md) is available. All tools are demonstrated and use cases are presented. Additions to the guide are welcome. Please submit a pull request with your suggested additions! ## Commands A summary of command line tools available in **rickslab-gpu-utils** follows. Additional details are available in man pages and the [User Guide](https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md). ### gpu-chk This utility verifies if the user's environment is compatible with **rickslab-gpu-utils**. ### gpu-ls This utility displays most relevant parameters for installed and compatible GPUs. The default behavior is to list relevant parameters by GPU. OpenCL platform information is added when the *--clinfo* option is used. A brief listing of key parameters is available with the *--short* command line option. A simplified table of current GPU state is displayed with the *--table* option. The *--no_fan* can be used to ignore fan settings. The *--pstate* option can be used to output the p-state table for each GPU instead of the list of basic parameters. The *--ppm* option is used to output the table of available power/performance modes instead of basic parameters. ### gpu-mon A utility to give the current state of all compatible GPUs. The default behavior is to continuously update a text based table in the current window until Ctrl-C is pressed. With the *--gui* option, a table of relevant parameters will be updated in a Gtk window. You can specify the delay between updates with the *--sleep N* option where N is an integer > zero that specifies the number of seconds to sleep between updates. The *--no_fan* option can be used to disable the reading and display of fan information. The *--log* option is used to write all monitor data to a psv log file. When writing to a log file, the utility will indicate this in red at the top of the window with a message that includes the log file name. The *--plot* will display a plot of critical GPU parameters which updates at the specified *--sleep N* interval. If you need both the plot and monitor displays, then using the --plot option is preferred over running both tools as a single read of the GPUs is used to update both displays. The *--ltz* option results in the use of local time instead of UTC. ### gpu-plot A utility to continuously plot the trend of critical GPU parameters for all compatible GPUs. The *--sleep N* can be used to specify the update interval. The *gpu-plot* utility has 2 modes of operation. The default mode is to read the GPU driver details directly, which is useful as a standalone utility. The *--stdin* option causes *gpu-plot* to read GPU data from stdin. This is how *gpu-mon* produces the plot and can also be used to pipe your own data into the process. The *--simlog* option can be used with the *--stdin* when a monitor log file is piped as stdin. This is useful for troubleshooting and can be used to display saved log results. The *--ltz* option results in the use of local time instead of UTC. If you plan to run both *gpu-plot* and *gpu-mon*, then the *--plot* option of the *gpu-mon* utility should be used instead of both utilities in order reduce data reads by a factor of 2. ### gpu-pac Program and Control compatible GPUs with this utility. By default, the commands to be written to a GPU are written to a bash file for the user to inspect and run. If you have confidence, the *--execute_pac* option can be used to execute and then delete the saved bash file. Since the GPU device files are writable only by root, sudo is used to execute commands in the bash file, as a result, you will be prompted for credentials in the terminal where you executed *gpu-pac*. The *--no_fan* option can be used to eliminate fan details from the utility. The *--force_write* option can be used to force all configuration parameters to be written to the GPU. The default behavior is to only write changes. ## New in this Version - v3.6.0 * Rewrite of the installation guide and simplification of the readme. * Roll-up all v3.5.x patches into a new minor revision release. ## Development Plans * Implement timeout to handle cases where drivers become unreadable. * Optimize plot utilities for performance. * Add status read capabilities for Intel GPUs. * Add pac capabilities for Nvidia GPUs. ## Known Issues * Some windows do not support scrolling or resize, making it unusable for lower resolution installations. * I/O error when selecting CUSTOM ppm. Maybe it requires arguments to specify the custom configuration. * Doesn't work well with Fiji ProDuo cards. * P-state mask gets intermittently reset for GPU used as display output. * Utility *gpu-pac* doesn't show what the current P-state mask is. Not sure if that can be read back. * Utility *gpu-pac* fan speed setting results in actual fan speeds a bit different from setting and pac interface shows actual values instead of set values. ## References * Original inspiration for this project: [Reddit](https://www.reddit.com/r/Amd/comments/agwroj/how_to_overclock_your_amd_gpu_on_linux/?st=JSL25OVP&sh=306c2d15) * Phoronix articles including these: [PowerCap](https://www.phoronix.com/scan.php?page=news_item&px=AMDGPU-Quick-WattMan-Cap-Test), [HWMon](https://www.phoronix.com/scan.php?page=news_item&px=AMDGPU-Linux-4.17-Round-1) * Repositories: [amdgpu-clocks](https://github.com/sibradzic/amdgpu-clocks), [WattmanGTK](https://github.com/BoukeHaarsma23/WattmanGTK), [ROC-smi](https://github.com/RadeonOpenCompute/ROC-smi) * Relevant Kernel Details: [Kernel Details](https://www.kernel.org/doc/html/latest/gpu/amdgpu.html) * PCI ID Decode Table: [PCI IDs](https://pci-ids.ucw.cz/v2.2/pci.ids) * Radeon VII discussion on Reddit: [Radeon VII OC](https://www.reddit.com/r/linux_gaming/duplicates/au7m3x/radeon_vii_on_linux_overclocking_undervolting/) * Example use cases: [wiki.archlinux.org](https://wiki.archlinux.org/index.php/AMDGPU) ## History ### New in Previous Release - v3.5.10 * Set **Neon** as a validated distribution. * Check all possible package readers for undefined distribution. ### New in Previous Release - v3.5.9 * Optimize *gpu-mon* table size. * Toggle button color to match enable/disable status of plot line. * When install type is repository, force use of repository *gpu-plot* from *gpu-mon*. ### New in Previous Release - v3.5.8 * Fixed bug in determining AMD GPU card type. Now it properly identifies APU and Legacy types. ### New in Previous Release - v3.5.7 * More robust determination of install type and display this with *--about* and in logger. * Implementation of scroll within PAC window. * Fixed plot crash for invalid ticker increment. * Code robustness improvements with more typing for class variables. ### New in Previous Release - v3.5.6 * Fixed issue in reading AMD FeatureMask for Kernel 5.11 ### New in Previous Release - v3.5.5 * Include debian release package. * Check gtk initialization for errors and handle nicely. * Use logger to output plot exceptions. * Check number of compatible and readable GPUs at utility start. * Minor User Guide and man page improvements. * Use minimal python packages in requirements. ### New in Previous Release - [v3.5.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v3.5.0) * Utilities now include reading of NV GPUs with full gpu-ls, gpu-mon, and gpu-plot support! * Update name from **amdgpu-utils** to **rickslab-gpu-utils**. * Improved PyPI packaging. * Updated User Guide to cover latest features and capabilities. * Improved robustness of NV read by validating sensor support for each query item the first time read. This will assure functionality on older model GPUs. * Fixed issue in setting display model name for NV GPUs. * Improved how lack of voltage readings for NV is handled in the utilities. * Fixed an issue in assessing compute capability when GPUs of multiple vendors are installed. ### New in Previous Release - [v3.3.14](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v3.3.14) * Display card path details in logger whenever card path exists. * Implemented read capabilities for Nvidia. Now supported by all utilities except pac. * Added APU type and tuned parameters read/displayed for AMD APU integrated GPU. * Read generic pcie sensors for all types of GPUs. * Improved lspci search by using a no-shell call and using compiled regex. * Implement PyPI package for easy installation. * More robust handling of missing Icon and PCIID files. #### New in Previous Release - [v3.2.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v3.2.0) * Fixed CRITICAL issue where Zero fan speed could be written when invalid fan speed was read from the GPU. * Fixed issue in reading pciid file in Gentoo (@CH3CN). * Modified setup to indicate minimum instead of absolute package versions (@smoe). * Modified requirements to include min/max package versions for major packages. * Fixed crash for missing pci-ids file and add location for Arch Linux (@berturion). * Fixed a crash in *amdgpu-pac* when no fan details could be read (laptop GPU). * Fixed deprecation warnings for several property setting functions. Consolidated all property setting to a single function in a new module, and ignore warnings for those that are deprecated. All deprecated actions are marked with FIXME in GPUgui.py. * Replaced deprecated set properties statement for colors with css formatting. * Implemented a more robust string format of datetime to address datetime conversion for pandas in some installations. * Implemented dubug logging across the project. Activated with --debug option and output saved to a .log file. * Updated color scheme of Gtk applications to work in Ubuntu 20.04. Unified color scheme across all utilities. * Additional memory parameters added to utilities. * Read ID information for all GPUs and attempt to decode GPU name. For cards with no card path entry, determine system device path and use for reading ID. Report system device path in *amdgpu-ls*. Add *amdgpu-ls --short* report to give brief description of all installed GPUs. #### New in Previous Release - [v3.0.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v3.0.0) * Style and code robustness improvements * Deprecated *amdgpu-pciid* and removed all related code. * Complete rewrite based on benchMT learning. Simplified code with ObjDict for GpuItem parameters and use of class variables for generic behavior parameters. * Use lspci as the starting point for developing GPU list and classify by vendor, readability, writability, and compute capability. Build in potential to be generic GPU util, instead of AMD focused. * Test for readability and writability of all GPUs and apply utilities as appropriate. * Add assessment of compute capability. * Eliminated the use of lshw to determine driver compatibility and display of driver details is now informational with no impact on the utilities. * Add p-state masking capability for Type 2 GPUs. * Optimized pac writing to GPUs. #### New in Previous Release - [v2.7.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.7.0) * Initial release of man pages * Modifications to work with distribution installation * Use system pci.ids file and make *amdgpu-pciid* obsolete * Update setup.py file for successful installation. #### New in Previous Release - [v2.6.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.6.0) * PEP8 style modifications * Fixed a bug in monitor display. * Implement requirements file for with and without a venv. * Found and fixed a few minor bugs. * Fixed issue with *amdgpu-plot* becoming corrupt over time. * Implemented clean shutdown of monitor and better buffering to plot. This could have caused in problems in systems with many GPUs. #### New in Previous Release - [v2.5.2](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.5.2) * Some preparation work for [Debian package](https://tracker.debian.org/pkg/ricks-amdgpu-utils) (@smoe). * Added *--ltz* option to use local times instead of UTC for logging and plot data. * Added 0xfffd7fff to valid amdgpu.ppfeaturemask values (@pastaq). * Updates to User Guide to include instructions to apply PAC conditions on startup (@csecht). #### New in Previous Release - [v2.5.1](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.5.1) * Fixed a compatibility issue with matplotlib 3.x. Converted time string to a datetime object. * Display version information for pandas, matplotlib, and numpy with the *--about* option for *amdgpu-plot* #### New in Previous Release - [v2.5.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.5.0) * Implemented the *--plot* option for amdgpu-monitor. This will display plots of critical GPU parameters that update at an interval defined by the *--sleep N* option. * Errors in reading non-critical parameters will now show a warning the first time and are disabled for future reads. * Fixed a bug in implementation of compatibility checks and improved usage of try/except. #### New in Previous Release - [v2.4.0](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.4.0) * Implemented *amdgpu-pac* feature for type 2 Freq/Voltage controlled GPUs, which includes the Radeon VII. * Implemented the *amdgpu-pac --force_write* option, which writes all configuration parameters to the GPU, even if unchanged. The default behavior is changed to now only write changed configuration parameters. * Indicate number of changes to be written by PAC, and if no changes, don't execute bash file. Display execute complete message in terminal, and update messages in PAC message box. * Implemented a new GPU type 0, which represent some older cards whose p-states can not be changed. * Tuned *amdgpu-pac* window format. #### New in Previous Release - [v2.3.1](https://github.com/Ricks-Lab/amdgpu-utils/releases/tag/v2.3.1) * Fixed and improved Python/Kernel compatibility checks. * Added Python2 compatible utility to check *amdgpu-utils* compatibility. * Fixed confusing mode/level fileptr names. * Removed CUSTOM PPM mode until I figure out syntax. * Implemented classification of card type based on how it implements frequency/voltage control. This is reported by *amdgpu-ls* and alters the behavior of both *amdgpu-pac* and *amdgpu-monitor*. * Changed dpkg error to a warning to handle custom driver installs. * Initial [User Guide](docs/USER_GUIDE.md) - [Need contributors!](https://github.com/Ricks-Lab/amdgpu-utils/issues/13) #### New in Previous Release - v2.3.0 * Implemented a message box in amdgpu-pac to indicate details of PAC execution and indicate if sudo is pending credential entry. * Implement more robust classification of card compatibility and only use compatible GPUs in the utilities. * Official release of amdgpu-pciid which updates a local list of GPU names from the official pci.ids website. * Optimized refresh of data by moving static items to a different function and only read those that are dynamic. * Power Cap and Fan parameters can be reset by setting to -1 in the *amdgpu-pac* interface. * Initial basic functionality for Radeon VII GPU! #### New in Previous Release - v2.2.0 * Major bug fix in the way HWMON directory was determined. This fixes an issue in not seeing sensor files correctly when a some other card is resident in a PCIe slot. * Implemented logging option *--log* for amdgpu-monitor. A red indicator will indicate active logging and the target filename. * Implemented energy meter in amdgpu-monitor. * Implemented the ability to check the GPU extracted ID in a pci.ids file for correct model name. Implemented a function to extract only AMD information for the pci.ids file and store in the file amd_pci_id.txt which is included in this distribution. * Optimized long, short, and decoded GPU model names. * Alpha release of a utility to update device decode data from the pci.ids website. #### New in Previous Release - v2.1.0 * Significant bug fixes and error proofing. Added messages to stderr for missing driver related files. * Added fan monitor and control features. * Implemented --no_fan option across all tools. This eliminates the reading and display of fan parameters and useful for those who have installed GPU waterblocks. * Implemented P-state masking, which limits available P-states to those specified. Useful for power management. * Fixed implementation of global variables that broke with implementation of modules in library. * Added more validation checks before writing parameters to cards. #### New in Previous Release - v2.0.0 * Many bug fixes! * First release of amdgpu-pac. * Add check of amdgpu driver in the check of environment for all utilities. Add display of amdgpu driver version. * Split list functions of the original amdgpu-monitor into amdgpu-ls. * Added --clinfo option to amdgpu-ls which will list openCL platform details for each GPU. * Added --ppm option to amdgpu-ls which will display the table of available power/performance modes available for each GPU. * Error messages are now output to stderr instead stdout. * Added power cap and power/performance mode to the monitor utilities. I have also included them in the amdgpu-ls display in addtion to the power cap limits. #### New in Previous Release - v1.1.0 * Added --pstates feature to display table of p-states instead of GPU details. * Added more error checking and exit if no compatible AMD GPUs are found. #### New in Previous Release - v1.0.0 * Completed implementation of the GPU Monitor tool. gpu-utils-3.6.0/docs/000077500000000000000000000000001402750156600144075ustar00rootroot00000000000000gpu-utils-3.6.0/docs/Type1vsType2.png000066400000000000000000000460641402750156600174260ustar00rootroot00000000000000PNG  IHDR eeIysRGBgAMA a pHYsodKIDATx^ŕg ,fB!~B!Xh!fB!Ah!fB!Ah!fB!Ah!fB!Ah!fB!Aja/_n-[:.G &KFpRj!B6 HH]nj+>mݲEfBjѳ!>L2 X5yO!ԕ1 0l{Jb||.#!oY"((S E1{ Ȋ?qY,M0ڻPYxgg!:jysUw8A 1O_-̂&y7x5 SؾYDjPAZY=y(=XW BWC,PB 5LB1O_O E&ywtHo^)`L{څfjA`hh!|zg!vhA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@hA&jf!§f@Z5 ӌ*$jsO_O˗e˖%Σ`c]PY,U$)P{:ql>n.[7j.OfY3Y|hh>lݺ.Wt= hPY;,U$)PYQXv|eN;l\j,Y=ZaY+fS= jB (xwvY?IR!f(h?%kBŧvf=le+k*$jb6 ]d4ٕU 4 qVZ[Jfr#~k*h,v$sFg3>}1 D2v`BQ1|AAC= <`.ǑEFᢕ;Oyhb̭.>}0 Y_I:*k*$jb6 >aQ䚝OO'kBŧB(~1sͶޱx^?GU0I hf>3w.T@ B,f?= mLUBnY("-E؍7hSHȺ SnbO#u5 x]G닪`A!IЫP54 V>Y;GbF2sMŷq4 A B N56fe|rᤤzhϭ>}4 1 NxMjr5P}vq b! JRmc .e^HJBէf@ec.GgZ$tBO,S VzOܞ ]U$)PЍ$u'Žou=Q,ğ[}h fg^oAE(䌄N܈?{w; Mn}4 mPvhFd{ eZ{,4\8cߺך4 4 yY(štBuQL5e')w|²v'%YYȃOB,d{ធ:IR$SB-,,f@h⏪`A(#Ia{B|h f! &Ip/[wFP4 4 yY(*$jLRw yo%M@>Y?IR$7iMB@2 ˗/ -\NJl,>:f! &I}=ճ;4 GU0I hzfϧ6&fǿ|Y;ff!>}4 u0uLz^יqT@ s/0+}SpfPUB@>Y8^3y3񿙉 j&6~Ln+s˙獧~ڞYz{\^tr-DP4YQLBǩ=zVI,()<,HQk&E1yErwE./2`t~X澆khD趾~OJjU<50 0 ȸ-hhGP 2 FlOBY]زe"c42wy<{ktz_d~԰IsM/5N9\}fK}Bէf@4 G^+EOEznbOHkԨ~}Q$' 20 0 Ͻ*W90Q 4 V>),LU;5q{7B LxN5/-f\BnY(Y?qӅY@X[f"Hj4'Ysk0 f5% 6?4n&g5D-,ğ[}h kfa>pՃ5 O[ M@FN't Xҡ=xճF#=龟 yEU9IB5$`f/K!Cwdhϭ>}4 M@±W4Sb5ѣ32=wФ&}5j\H](IW8<|%LBէf@mMЈrw7,m4\iApEU)IvB]4\y LD-,ğ[}h f@2w UGU%IvJkxQ{& ]@/C+0Q 4 V>YX:AO%_WUI(zUރSf坯5L²ve&jf!GP 4 ើ@inDUj,^Ӏ$`#3A@nY(*z-IE/h@o2 @n)|r4P`_-s BQ$[peF͒5#m擩n($(LBŧ'MCCC%Tnݺ XBe@TE?'jnhQDI_Ya.^5b3.bEwXIPrk>}=ճ _ *k*5Q(FA1/uN=t2p1/LBŧfPe+k*5Q醆ן~yQ\5lZY3,lpFV2cYW,]WAaa,s;>B7ΨAj n\rXf_8!|jo01=.A5ځfjЀ<> cU;̗SFkv?=lU-LB>}7 1_ Q4A B5:3k&^}v̴࢚'`|YYfYrQQLB>}=aH74ɇ-sPY,PB BpY#&O7__}~\oM덉̫b8LB1O_O,5( tW- >;A zЫvބ1&jf!§f@hA A| _3,gc q`hh!|h fjj)oNfLSsq`hh!|h fjBt ¦,Uq`hh!|h fj0/}b$ WAp80Q 4 q>}4 B@ 5ЀhejZ*1&jf!§f@hAw @/6/^PAp.8c>Y5I1,0: n]51@G{ GP 4 Ԡ􋆃0[0o>;b7.f>;yԜxlt/̉c'C>Y|g]4 Y(jP 5ycɚ~X͂0/4 Y(jPzU RF\b@Bºh8c>Y4`e HtA]eYh㏮1dQ82l%kuBs|h f^01=c_l̃0pϘyfϧAhfN_mf2e&s3;q(Y3hSfafٲeɫ 244(NJ۶ 5(Ҁ֍%kFM~ ka`(AY4Luk&ofj= E@0 HH]nݺ  X` hm,P 0 K׎:*U#fQfh f)z e ,i g9`n~nRR4 멞5 .H0JzYhm,P QpE+G_͛} ÀAU̦ ,S9kЃSeC7 x]G0Jm[fnh| 6pv¤v+ۃ@ @̉)s|*0oN=swRZ>4 髽YH^=PYqc0K.Uи0U5i ^ g\3>}}gӠ enCQ 7ܿ|ybp%kU ۃc;Vżg9>}={m۶&hƍ'|夜eSwjZݶ4 ԠTW]|Fkv[Fwܬ=`O;DZm++Bs| 7 0+mboHne]р׮)~xAR٠׬5̒kGlB`{,|vzLnp]#$zz IZE$w]O#u9{mjPЀ[?oMk0gppa]1hG0{-3uO gG~hWY1@O%ap5(ekIz'ܷ!kօ~3 3{c&o`8cR, 5 uf25`+o~kOY=+,h>z pڡ_Y, 8`>XB ,|v򨙾ۍ w,)9B1O_)fxƁf24`2[h(!BACinOt9 8cR̂s/Ɓf24Q ͡ç~XB l0pCY=+,q{D/B@ J0W< ޛNa]1hY8@G{ WY0 I{h?B4Oˮm{x*w ! 3 s2>a>N>#4 q>}S+V=r,PR[Z BAĈx7(l9IIshh!|J1 128yfjPҀS0 }Nędi>XB b܁Go9+II>hh!|J1 08PIA@ JQ2IL* ! u0 2@F4 q>}~1.4 Ԡ݇Qxss.4Yp2߶A,CU:'ܨ4 ԠtsIg|,m օ5 ~{gR4 q>}.KQ7@@ JtN߱/Y: ! h܁}Shh!|J7 eu;MA@ J'pS'úbkfa@CV8c͂vUufN4 3f{n{`=XB z, 3w㤤shh!|J7 ODQfAOgq{/NPym[f0u׭QXvԖuBAC큌>hh!|J7 U5[@8wm@2.؏ѓʛm*4 Ԡ3SU;A8#6.LúbYHd|Xhh!|J7 ೢj\JzPym[f<У(0_u?Kjօ‚7\`f=B1O_ec0(hס9^c ,^Pym[f<._?(h,]+Y}XB b5 2~FRR4 q>}7.J fǍK.UXrH6 FQ5Gn5 oܼGnp#)$`NMbh ѰȴQh3zμX}g!§tޒ:nCYwbٶB@ J L,p5;\ ºbY8sN&錌BG{ W٘(,4!TlVY%9f.JzzN;N= EbCzw|{bZtQ,CnF#u9 7۶hAi~ `xPXXB 1(Ln[KB1O_f+]l,PLÆ{ߴFa坯ٹϒºb$5~{ۖ+ B1O_fcpgPYZ,PҠ| vBY.4t+I|cO{33=t8ch~ހh Yŧ6,}Mz9eVpY(`Zg pօ"n>vϕ(#II 4 4 y+,` Y(0 ֠7+$* ! &;lL݌ *4 4 y+, lDNI` hwBYki>t;=1hh;In>$C@JB J rL [ɩр֍Km?Z }u/`{bN©=B| 7 ڃ'  ,,Zf?4(`í/~̺H$5ہff!>}$jz(-P>l;щ.Ѐ(qM/uX5$h&o5 Sw~偌>hhWY@EЫ!`"t^cy= 5 䂞vT,ˌYq5;: IKȸmwvYYȃO_ctYF= YcEP 7/](^.ɺA%[J(؁rB|J7 c5{=o}`"\sAwOS B5LLϘ߱Ϛz߷5K첁w^օ@ BV1AQ0eB@͂O"9#Q5Y=0:@P_ W:(P?8dúAH'1}[@F4 4 y+, A)huf0oWW˽ߺ04u!P&SS'hgi<nziKz6&Qy`] I͜2Ƿ-)<nRf{Dy:"ha6& O>u!P{Կ(`¥GYYȃO_c0mے%^@XY} 3MƏ'$a]`̹C̑.F1s7YYȃO_fAOKրAW5 OjӬ 532-{snA@N7i4gfxYiU C{\p=XBj5'}O?>sLwoYN@NCs/ ӀS :wGu!io>o/dhN+,, 1YSݠY- Db07&a]a%(ō[K3Q 4 q|'Bb0S@3hzCznބ{^&Y$ 4؉n,fhN+,F w;4 k F p XB_h]0҉MD-,WY:`h04GW=ݏʛbu!]c^z,)Y@w"O_c``8,ĩs'l~hqLXB5`̛`'%%ahNd#Pɘ8bs+>s}4 1>0s§8!|*3 ᮻ< %QVQ {N5l)HXB5O-xl\1Q 4 q|'BnNE 0 Q,uanhGIVZ;E BOpouzIIs8!|J1 128{Dm^ -(KwVYV.wܼ}\n\:7o|1>yhwN跺Q sG?4Sw~M|#(&jf!DR̂^:A̽P½) nVYNҵ+ūFC^W}]=T!FơU8!|J1 0e$y`9]Pc% BuУ7.Z< qA?E^pzt{c|NATD;0Q 4 q|'BU: ܞfX z[f: 4 WHT!zUL/ j&jf!D7 n7Ftmvbɵ#0yݿ5i5 GnyG2c0ڍ髅YpqOCgzҰ)~bV觺k Y;§vf&E֘ ЬUh0qsъfFkvǒG?E^Ѱ|卋 LB߉>}2 ګ=zpdKY,] t|9͠o;fMzf=@w"O_ϛ$|){4p@ BHvebahNinBPY(GC+F8 5PLB߉>}4 BPVqhj?rm0Q 4 q|'B,BpeCF8 5s&}ޜoIIu0Q 4 q|'B,BqpK+o~et:{hO;ܺ~?)&jf!e>Y(FkxԹ$u9fxöIa0Q 4 q|/C,B` \*u8EЯ0EvMⶤ{0Q 4 q|/C,Bgp:1 ׏CQv(oDq8!|h f} EǡHIs5rp{]b8LB1O_m8" { \PBap ^7\#FaW2a0=]"?Eg`rČO_m,t= {'W:\*Y1nK0oh\1سG{ f +g;p3lpG,,ԀI0¦q=an֜ޘ7^Ia1p8cZ0n/sAW뻧)Zf(`FL\1nst .1&jf!§65|]S t͂h#qH Jb9&V 0'oˆy"D-,Cfc ,o.0 tpAXan֜o2H{ϛS|vۑ!D-,C,Hom~%%CۥA5O9Lm3黶lb8LB1OBY97g{(TDR־rffIi5p8c>W1 z4OIJC m5*6L~nT41@G{ GP j(_Kvn?k@ԭK ~+)ꂉZY=Y(~4 h F/8t}4 f=ZGnA(RC,LnBbX@G{ GP u7 E@ozPPLLpdօD-,C,H6Ct11j:0uюQpunf'%[,u!0Q 4 q>}4 RW+pC] i8m9{pLoQ ZY=Y(:̝FaCr+1jZp7Gמ7 >g/hF.&jf!§f@f>egeQ,yn5C!Y3 &SI z 8cZ[e˖5bxx8)1fhhhA[ԉfqsٺQs|M(F.bh7 4`ko&N>qY;u!0Q 4 q>}=o` $˗ZB@VUtʪ^K , 8@nԜn>;WBY@G{ f55H2yhV*jУ(0_ 5&`fo 9yNY.&jf!§!`s${e0.X7oyY|"tͮd|nAx{翛ٞ^P@.&jf!§6aܞn^k*h,v$sF1_K"%/n3o{)s;Q]ČO_m,YǦ4&\r㢕;OǒCG gyc۳K"ۃ{h!|z,d%|eIpEUz,|25czFkv?=Mh8+v$}630^Ol@G{ W ^~FBiV*j {zZ5 vSg >ptsꙻ`]1h`hh!|j3I_=iV l"5x k,Gy ! LB1O_m85(hl椽W-j\XB 8c>YU kNoRl .40Q 4 q>}4 B@ J3 z/Y`W ;/٢uXB 8c>Y%KC`rӅim(օ&jf!§f@hA`O'`]1h`hh!|h f5 Hw]x-_~N*! LB1OB,.{Ɯ|G m{0}7y,lB 8c>Y|Ky1Hbί){~{=1h`hh!|h f>xw^|o5&oW-Y`X5LB1OB,cןB`"X8=~?2օ@ @G{ GP 4 g̩).\d &bd|.j8c>YOC.c0Xrv\ &jf!§f@hAܐ@`}lW4^ 5LB1OB,T2AT!A`hh!|h f d>|V*1@B EPD-,CY4˖-[f|||[&[ CCC ʱM,tan^e 0W ǠCAP&jf!§v= 0 ˗/, ua$tvYȯsةGCɌ̀ԭKm+}pf7ZP& ĠZY=髝Yh43 X=.X&h5Xc+G5Sw|- Pf2_ѶqjbD-,C,́v5 zpjh5n`{ 0-WbN/WT8`ZY=髕Y@/Aei2[7ۣO?_̇\k?Yl~gmu.Yd0G, t A{,*aodJ䬻,hyn6C5vA,C, #JVO}cQ'`o4>bol/W̸cq 8 mbh PD-,C,d@`&\s!΃ؖ+7Rھʜ3 5 ĠZY=髅Y!p{ ǬwNYvɛœ@pR"$zOS 8m6FJ! @ 5LB1O_,tn$7~Lnapę}OL~Bc00}7ͩg^vVarAZY=Y(n`X'_77eQarAZY=Y(nM &O]{ f̜X9H P@ @G{ GP Qܚ._drAZY=Y(n㏮ɼzsfKU P@ @G{ GP 2 8q5v&NJ֪&j8c>Y0 M;y= U P@ @G{ GP 4 ?5 ĠZY=Y(jPAZY=Y(jPAZY=Y(jPAZY=Y(jPAZY=Y(jPAZY=Y(jPAZY=Y(jPAZY=y088h-[(mЂvҬhA&jf!§v= 0 ˗/o}2 !p{ \㠠@VYj8cZ=UW^y`0bll,qf!} j@!27 HH.hVN!7 Y=U_ A!26 0 HYL#MrB!_}!B:fB!Ah!fB!Ah!fB!Ah!fB!Ah!fMtJtpcF4Uei%=ۥ{>viVBMl؇҄4@}Beitz\íV;k=|vw?iB*§AQ-"5{륏% e{ô=siʲqq eHSz՘PY,H 菅Ҭҟm/4! ؏(C7m^c_`FwPY,(KJֆլڌ q]> BA!*F٬Ƭ.kYy^g4= hV>:9KPЀr#߬}PY#]OYZ?O+\pڧ JGZ}b|Paާ9Be>4v8Z#>2OhOW h ]aY m[?hxwYsw$kX !N}924>o%k5T"6>k9Be!46]^m>O:Ce> R=Q| #T#&>*Ӡ"ր㳺.7nʪf?*Y _xm[ E< (kf坠 :kxOkV>:9KPЀrE}z >ٲ#T"ۤРAdSu|d%⮓O2$+K2Ycϣ9R7ж#TV4 K߬[xjs?[i iehp{N6u_8|ndm涝P}4YڔgsSGR!4gZcCeeC!h@/FzfyAq6^hKEho,O? چK%]gd%0$]*sIdޤ 4dSNА3w}w,Wt*+B!Y BHB!Y BHB!Y BHB!Y BHB!Y BHB!Y BHB!Y 4eϞ=.w7n|'|,wu&!d!4 }[6g?_7Co bŊd["y'zapWe0,.Xf~[1:;4 YG4Sm6>}ot{~=B f>BkooGfAMxp9t=E_wbt}BY $ Siu$q==, 6Ydk!p]E(:dTia#!94 0Hz]$ސY}"t_it_. RMj`t hfԄBC@H$ $`C,뇌qeؗ$`LC:z >4?!$ !}&R$MtLJ}fAwb-Czv.|F,4 HAP41 ?tk:J$f(G2Mx_].Sn녌iBZf>Bj:P`ff}uxguCfA zQ!Y @z@gM0 ZjD!'f}^#\k]Y dC@)MޱWtB,BJG{ BBxBC@=uJx ֡Y BHB!Y BHB!Y BHB!Y BHB!Y BHB!Y BHB!Y BHB!Y BHom7b0 ܟ,B!B!Y BHB!Y BHc/<-IENDB`gpu-utils-3.6.0/docs/USER_GUIDE.md000066400000000000000000001067541402750156600164410ustar00rootroot00000000000000# Ricks-Lab GPU Utilities - User Guide A set of utilities for monitoring GPU performance and modifying control settings. ## Current rickslab-gpu-utils Version: 3.6.x - [Installation](#installation) - [Getting Started](#getting-started) - [Using gpu-ls](#using-gpu-ls) - [GPU Type Dependent Behavior](#gpu-type-dependent-behavior) - [Using gpu-mon](#using-gpu-mon) - [Using gpu-plot](#using-gpu-plot) - [Using gpu-pac](#using-gpu-pac) - [Updating the PCI ID decode file](#updating-the-PCI-ID-decode-file) - [Optimizing Compute Performance-Power](#optimizing-compute-performance-power) - [Running Startup PAC Bash Files](#running-startup-pac-bash-files) ## Installation There are 4 methods of installation available and summarized here: * [Repository](#repository-installation) - This approach is recommended for those interested in contributing to the project or helping to troubleshoot an issue in realtime with the developer. This type of installation can exist along with any of the other installation type. * [PyPI](#pypi-installation) - Meant for users wanting to run the very latest version. All **PATCH** level versions are released here first. This install method is also meant for users not on a Debian distribution. * [Rickslab.com Debian](#rickslabcom-debian-installation) - Lags the PyPI release in order to assure robustness. May not include every **PATCH** version. * **Official Debian** - Only **MAJOR/MINOR** releases. This is currently broken by the name change of the project from **ricks-amdgpu-utils** to **rickslab-gpu-utils**. I will update this guide once the Debian package is back in sync with the repository. ### Repository Installation For a developer/contributor to the project, it is expected that you duplicate the development environment using a virtual environment. So far, my development activities for this project have used python3.6, but I expect to move to python3.8 when I upgrade to Ubuntu 20.04. I suggest using the default version of Python for your distribution, but if it is a later release, limit your code to features of python3.6. The following are details on setting up a virtual environment with python3.6: ```shell sudo apt install -y python3.6-venv sudo apt install -y python3.6.dev ``` Clone the repository from GitHub with the following command: ```shell git clone https://github.com/Ricks-Lab/gpu-utils.git cd gpu-utils ``` Initialize your *rickslab-gpu-utils-env* if it is your first time to use it. From the project root directory, execute: ```shell python3.6 -m venv rickslab-gpu-utils-env source rickslab-gpu-utils-env/bin/activate pip install --no-cache-dir -r requirements-venv.txt ``` You then run the desired commands by specifying the full path: `./gpu-ls` ### PyPI Installation First, remove any previous Debian package and any ricks-amdgpu-utils PyPI installations: ```shell sudo apt purge rickslab-gpu-utils sudo apt purge ricks-amdgpu-utils sudo apt autoremove pip3 uninstall ricks-amdgpu-utils ``` Install the latest package from [PyPI](https://pypi.org/project/rickslab-gpu-utils/) with the following commands: ```shell pip3 install rickslab-gpu-utils ``` Or, use the pip upgrade option if you have already installed a previous version: ```shell pip3 install rickslab-gpu-utils -U ``` You may need to open a new terminal window in order for the path to the utilities to be set. ### Rickslab.com Debian Installation First, remove any previous PyPI installation and exit that terminal. If you also have a Debian installed version, the pip uninstall will likely fail, unless you remove the Debian package first: ```shell pip uninstall rickslab-gpu-utils exit ``` Also, remove any previous ricks-amdgpu-utils installation: ```shell sudo apt purge ricks-amdgpu-utils sudo apt autoremove ``` Next, add the *rickslab-gpu-utils* repository: ```shell wget -q -O - https://debian.rickslab.com/PUBLIC.KEY | sudo apt-key add - echo 'deb [arch=amd64] https://debian.rickslab.com/gpu-utils/ eddore main' | sudo tee /etc/apt/sources.list.d/rickslab-gpu-utils.list sudo apt update ``` Then install the package with apt: ```shell sudo apt install rickslab-gpu-utils ``` ## Getting Started First, this set of utilities is written and tested with Python3.6. If you are using an older version, you will likely see syntax errors. If you are encountering problems, then execute: ```shell gpu-chk ``` This should display a message indicating any Python or Kernel incompatibilities. In order to get maximum capability of these utilities, you should be running with a kernel that provides support of the GPUs you have installed. If using AMD GPUs, installing the latest **amdgpu** driver or **ROCm** release, may provide additional capabilities. If you have Nvidia GPUs installed, you should have **nvidia.smi** installed in order for the utility reading of the cards to be possible. Writing to GPUs is currently only possible for AMD GPUs, and only with compatible cards. Modifying AMD GPU properties requires that the AMD ppfeaturemask be set to 0xfffd7fff. This can be accomplished by adding `amdgpu.ppfeaturemask=0xfffd7fff` to the `GRUB_CMDLINE_LINUX_DEFAULT` value in `/etc/default/grub` and executing `sudo update-grub`: ```shell cd /etc/default sudo vi grub ``` Modify to include the featuremask as follows: ```shell GRUB_CMDLINE_LINUX_DEFAULT="quiet splash amdgpu.ppfeaturemask=0xfffd7fff" ``` After saving, update grub: ```shell sudo update-grub ``` and then reboot. If you have Nvidia GPUs installed, you will need to have nvidia-smi installed. ## Using gpu-ls After getting your system setup to support **rickslab-gpu-utils**, it is best to verify functionality by listing your GPU details with the *gpu-ls* command. The utility will use the system `lspci` command to identify all installed GPUs. The utility will also verify system setup/configuration for read, write, and compute capability. Additional performance/configuration details are read from the GPU for compatible GPUs. Example of the output is as follows: ``` OS command [nvidia-smi] executable found: [/usr/bin/nvidia-smi] Detected GPUs: INTEL: 1, NVIDIA: 1, AMD: 1 AMD: amdgpu version: 20.10-1048554 AMD: Wattman features enabled: 0xfffd7fff 3 total GPUs, 1 rw, 1 r-only, 0 w-only Card Number: 0 Vendor: INTEL Readable: False Writable: False Compute: False Device ID: {'device': '0x3e91', 'subsystem_device': '0x8694', 'subsystem_vendor': '0x1043', 'vendor': '0x8086'} Decoded Device ID: 8th Gen Core Processor Gaussian Mixture Model Card Model: Intel Corporation 8th Gen Core Processor Gaussian Mixture Model PCIe ID: 00:02.0 Driver: i915 GPU Type: Unsupported HWmon: None Card Path: /sys/class/drm/card0/device System Card Path: /sys/devices/pci0000:00/0000:00:02.0 Card Number: 1 Vendor: NVIDIA Readable: True Writable: False Compute: True GPU UID: GPU-fcbaadc4-4040-c2e5-d5b6-52d1547bcc64 GPU S/N: [Not Supported] Device ID: {'device': '0x1381', 'subsystem_device': '0x1073', 'subsystem_vendor': '0x10de', 'vendor': '0x10de'} Decoded Device ID: GM107 [GeForce GTX 750] Card Model: GeForce GTX 750 Display Card Model: GeForce GTX 750 Card Index: 0 PCIe ID: 01:00.0 Link Speed: GEN3 Link Width: 8 ################################################## Driver: 390.138 vBIOS Version: 82.07.32.00.32 Compute Platform: OpenCL 1.2 CUDA Compute Mode: Default GPU Type: Supported HWmon: None Card Path: /sys/class/drm/card1/device System Card Path: /sys/devices/pci0000:00/0000:00:01.0/0000:01:00.0 ################################################## Current Power (W): 15.910 Power Cap (W): 38.50 Power Cap Range (W): [30.0, 38.5] Fan Target Speed (rpm): None Current Fan PWM (%): 40.000 ################################################## Current GPU Loading (%): 100 Current Memory Loading (%): 36 Current VRAM Usage (%): 91.437 Current VRAM Used (GB): 0.876 Total VRAM (GB): 0.958 Current Temps (C): {'temperature.gpu': 40.0, 'temperature.memory': None} Current Clk Frequencies (MHz): {'clocks.gr': 1163.0, 'clocks.mem': 2505.0, 'clocks.sm': 1163.0, 'clocks.video': 1046.0} Maximum Clk Frequencies (MHz): {'clocks.max.gr': 1293.0, 'clocks.max.mem': 2505.0, 'clocks.max.sm': 1293.0} Current SCLK P-State: [0, ''] Power Profile Mode: [Not Supported] Card Number: 2 Vendor: AMD Readable: True Writable: True Compute: True GPU UID: None Device ID: {'device': '0x731f', 'subsystem_device': '0xe411', 'subsystem_vendor': '0x1da2', 'vendor': '0x1002'} Decoded Device ID: Radeon RX 5600 XT Card Model: Advanced Micro Devices, Inc. [AMD/ATI] Navi 10 [Radeon RX 5600 OEM/5600 XT / 5700/5700 XT] (rev ca) Display Card Model: Radeon RX 5600 XT PCIe ID: 04:00.0 Link Speed: 16 GT/s Link Width: 16 ################################################## Driver: amdgpu vBIOS Version: 113-5E4111U-X4G Compute Platform: OpenCL 2.0 AMD-APP (3075.10) GPU Type: CurvePts HWmon: /sys/class/drm/card2/device/hwmon/hwmon3 Card Path: /sys/class/drm/card2/device System Card Path: /sys/devices/pci0000:00/0000:00:01.1/0000:02:00.0/0000:03:00.0/0000:04:00.0 ################################################## Current Power (W): 99.000 Power Cap (W): 160.000 Power Cap Range (W): [0, 192] Fan Enable: 0 Fan PWM Mode: [2, 'Dynamic'] Fan Target Speed (rpm): 1170 Current Fan Speed (rpm): 1170 Current Fan PWM (%): 35 Fan Speed Range (rpm): [0, 3200] Fan PWM Range (%): [0, 100] ################################################## Current GPU Loading (%): 50 Current Memory Loading (%): 49 Current GTT Memory Usage (%): 0.432 Current GTT Memory Used (GB): 0.026 Total GTT Memory (GB): 5.984 Current VRAM Usage (%): 11.969 Current VRAM Used (GB): 0.716 Total VRAM (GB): 5.984 Current Temps (C): {'edge': 54.0, 'junction': 61.0, 'mem': 68.0} Critical Temps (C): {'edge': 118.0, 'junction': 99.0, 'mem': 99.0} Current Voltages (V): {'vddgfx': 937} Current Clk Frequencies (MHz): {'mclk': 875.0, 'sclk': 1780.0} Current SCLK P-State: [2, '1780Mhz'] SCLK Range: ['800Mhz', '1820Mhz'] Current MCLK P-State: [3, '875Mhz'] MCLK Range: ['625Mhz', '930Mhz'] Power Profile Mode: 5-COMPUTE Power DPM Force Performance Level: manual ``` If everything is working fine, you should see no warning or errors. The listing utility also has other command line options: ``` usage: gpu-ls [-h] [--about] [--short] [--table] [--pstates] [--ppm] [--clinfo] [--no_fan] [-d] optional arguments: -h, --help show this help message and exit --about README --short Short listing of basic GPU details --table Current status of readable GPUs --pstates Output pstate tables instead of GPU details --ppm Output power/performance mode tables instead of GPU details --clinfo Include openCL with card details --no_fan Do not include fan setting options -d, --debug Debug logger output ``` The *--clinfo* option will make a call to clinfo, if it is installed, and list openCL parameters along with the basic parameters. The benefit of running this in *gpu-ls* is that the tool uses the PCIe slot id to associate clinfo results with the appropriate GPU in the listing. The *--pstates* and *--ppm* options will display the P-State definition table and the power performance mode table. ``` gpu-ls --pstate --ppm Detected GPUs: AMD: 1, ASPEED: 1 AMD: rocm version: 3.0.6 AMD: Wattman features enabled: 0xfffd7fff 2 total GPUs, 1 rw, 0 r-only, 0 w-only Card Number: 1 Card Model: Vega 20 Card Path: /sys/class/drm/card1/device GPU Frequency/Voltage Control Type: CurvePts ################################################## DPM States: SCLK: MCLK: 0: 701Mhz 0: 351Mhz 1: 809Mhz 1: 801Mhz 2: 1085Mhz 2: 1051Mhz 3: 1287Mhz 4: 1434Mhz 5: 1550Mhz 6: 1606Mhz 7: 1627Mhz 8: 1651Mhz ################################################## PP OD States: SCLK: MCLK: 0: 808Mhz - 1: 1650Mhz - 1: 1050Mhz - ################################################## VDDC_CURVE: 0: ['808Mhz', '724mV'] 1: ['1304Mhz', '822mV'] 2: ['1801Mhz', '1124mV'] Card Number: 1 Card Model: Vega 20 Card: /sys/class/drm/card1/device Power Performance Mode: manual 0: BOOTUP_DEFAULT 1: 3D_FULL_SCREEN 2: POWER_SAVING 3: VIDEO 4: VR 5: COMPUTE 6: CUSTOM -1: AUTO ``` Different generations of cards will provide different information with the --ppm option. Here is an example for AMD Ellesmere and Polaris cards: ``` gpu-ls --ppm Detected GPUs: INTEL: 1, AMD: 2 AMD: amdgpu version: 19.50-967956 AMD: Wattman features enabled: 0xfffd7fff 3 total GPUs, 2 rw, 0 r-only, 0 w-only Card Number: 1 Card Model: Advanced Micro Devices, Inc. [AMD/ATI] Ellesmere [Radeon RX 470/480/570/570X/580/580X/590] (rev ef) Card Path: /sys/class/drm/card1/device Power DPM Force Performance Level: manual NUM MODE_NAME SCLK_UP_HYST SCLK_DOWN_HYST SCLK_ACTIVE_LEVEL MCLK_UP_HYST MCLK_DOWN_HYST MCLK_ACTIVE_LEVEL 0 BOOTUP_DEFAULT: - - - - - - 1 3D_FULL_SCREEN: 0 100 30 0 100 10 2 POWER_SAVING: 10 0 30 - - - 3 VIDEO: - - - 10 16 31 4 VR: 0 11 50 0 100 10 5 COMPUTE *: 0 5 30 0 100 10 6 CUSTOM: - - - - - - ``` ## GPU Type Dependent Behavior GPU capability and compatibility varies over the various vendors and generations of hardware. In order to manage this variability, **rickslab-gpu-utils** must classify each installed GPU by its vendor and type. So far, valid types are as follows: * **Undefined** - This is the default assigned type, before a valid type can be determined. * **Unsupported** - This is the type assigned for cards which have no capability of reading beyond basic parameters typical of PCIe devices. * **Supported** - This is the type assigned for basic readability, including *nvidia-smi* readabile GPUs. * **Legacy** - Applies to legacy AMD GPUs with very basic parameters available to read. (pre-HD7) * **APU** - Applies to AMD integrated graphics with limited parameters available. (Carizzo - Renoir) * **PStatesNE** - Applies to AMD GPUs with most parameters available, but Pstates not writeable. (HD7 series) * **PStates** - Applies to modern AMD GPUs with writeable Pstates. (R9 series thr RX-Vega) * **CurvePts** - Applies to latest generation AMD GPUs that use AVFS curves instead of Pstates. (Vega20 and newer) With the *gpu-ls* tool, you can determine the type of your installed GPUs. Here are examples of relevant lines from the output for different types of GPUs: ``` Decoded Device ID: 8th Gen Core Processor Gaussian Mixture Model GPU Type: Unsupported # Intel CPU with integrated graphics Decoded Device ID: GM107 [GeForce GTX 750] GPU Type: Supported Decoded Device ID: R9 290X DirectCU II GPU Type: PStatesNE Decoded Device ID: RX Vega64 GPU Type: PStates Decoded Device ID: Radeon VII GPU Type: CurvePts Decoded Device ID: Radeon RX 5600 XT GPU Type: CurvePts ``` Monitor and Control utilities will differ between these types: * For **Undefined** and **Unsupported** types, only generic PCIe parameters are available. These types are considered unreadable, unwritable, and as having no compute capability. * For **Supported** types have the most basic level of readability. This includes NV cards with nvidia-smi support. * For **Legacy** and **APU**, only basic and limited respectively are readable. * For **Pstates** and **PstatesNE** type GPUs, pstate details are readable, but for **PstatesNE** they are not writable. For type **Pstates** pstate Voltages/Frequencies as well as pstate masking can be specified. * The **CurvePts** type applies to modern (Vega20 and later) AMD GPUs that use AVFS instead of Pstates for performance control. These have the highest degree of read/write capability. The SCLK and MCLK curve end points can be controlled, which has the effect of over/under clocking/voltage. You are also able to modify the three points that define the Vddc-SCLK curve. I have not attempted to OC the card yet, but I assume redefining the 3rd point would be the best approach. For underclocking, lowering the SCLK end point is effective. I don't see a curve defined for memory clock on the Radeon VII, so setting memory clock vs. voltage doesn't seem possible at this time. There also appears to be an inconsistency in the defined voltage ranges for curve points and actual default settings. Below is a plot of what I extracted for the Frequency vs Voltage curves of the RX Vega64 and the Radeon VII. ![](Type1vsType2.png) ## Using gpu-mon By default, *gpu-mon* will display a text based table in the current terminal window that updates every sleep duration, in seconds, as defined by *--sleep N* or 2 seconds by default. If you are using water cooling, you can use the *--no_fans* to remove fan monitoring functionality. ``` ┌─────────────┬────────────────┬────────────────┐ │Card # │card1 │card2 │ ├─────────────┼────────────────┼────────────────┤ │Model │GeForce GTX 750 │Radeon RX 5600 X│ │GPU Load % │100 │91 │ │Mem Load % │36 │68 │ │VRAM Usage % │89.297 │11.969 │ │GTT Usage % │None │0.432 │ │Power (W) │15.69 │92.0 │ │Power Cap (W)│38.50 │160.0 │ │Energy (kWh) │0.0 │0.002 │ │T (C) │48.0 │61.0 │ │VddGFX (mV) │nan │925 │ │Fan Spd (%) │40.0 │36 │ │Sclk (MHz) │1163 │1780 │ │Sclk Pstate │0 │2 │ │Mclk (MHz) │2505 │875 │ │Mclk Pstate │0 │3 │ │Perf Mode │[Not Supported] │5-COMPUTE │ └─────────────┴────────────────┴────────────────┘ ``` The fields are the same as the GUI version of the display, available with the *--gui* option. ![](gpu-monitor-gui_scrshot.png) The first row gives the card number for each GPU. This number is the integer used by the driver for each GPU. Most fields are self describing. The Power Cap field is especially useful in managing compute power efficiency, and lowering the cap can result in more level loading and overall lower power usage for little compromise in performance. The Energy field is a derived metric that accumulates GPU energy usage, in kWh, consumed since the monitor started. Note that total card power usage may be more than reported GPU power usage. Energy is calculated as the product of the latest power reading and the elapsed time since the last power reading. The P-states in the table for **CurvePts** type GPU are an indication of frequency vs. voltage curves. Setting P-states to control the GPU is no longer relevant for this type, but these concepts are used in reading current states. The Perf Mode field gives the current power performance mode, which may be modified in with *gpu-pac*. These modes affect the how frequency and voltage are managed versus loading. This is a very important parameter when managing compute performance. Executing *gpu-mon* with the *--plot* option will display a continuously updating plot of the critical GPU parameters. ![](gpu-plot_scrshot.png) Having an *gpu-mon* Gtx window open at startup may be useful if you run GPU compute projects that autostart and you need to quickly confirm that *gpu-pac* bash scripts ran as expected at startup (see [Using gpu-pac](#using-gpu-pac)). You can have *gpu-mon --gui* automatically launch at startup or upon reboot by using the startup utility for your distribution. In Ubuntu, for example, open *Startup Applications Preferences* app, then in the Preferences window select *Add* and use something like this in the command field: ```shell /usr/bin/python3 /home//Desktop/rickslab-gpu-utils/gpu-mon --gui ``` where `/rickslab-gpu-utils` may be a soft link to your current distribution directory. This startup approach does not work for the default Terminal text execution of *gpu-mon*. ## Using gpu-plot In addition to being called from *gpu-mon* with the *--plot* option, *gpu-plot* may be ran as a standalone utility. Just execute *gpu-plot --sleep N* and the plot will update at the defined interval. It is not recommended to run both the monitor with an independently executed plot, as it will result in twice as many reads from the driver files. Once the plots are displayed, individual items on the plot can be toggled by selecting the named button on the plot display. The *--stdin* option is used by *gpu-mon --plot* in its execution of *gpu-plot*. This option along with *--simlog* option can be used to simulate a plot output using a log file generated by *gpu-mon --log*. I use this feature when troubleshooting problems from other users, but it may also be useful in benchmarking performance. An example of the command line for this is as follows: ```shell cat log_monitor_0421_081038.txt | gpu-plot --stdin --simlog ``` ## Using gpu-pac By default, *gpu-pac* will open a Gtk based GUI to allow the user to modify GPU performance parameters. I strongly suggest that you completely understand the implications of changing any of the performance settings before you use this utility. As per the terms of the GNU General Public License that covers this project, there is no warranty on the usability of these tools. Any use of this tool is at your own risk. To help you manage the risk in using this tool, two modes are provided to modify GPU parameters. By default, a bash file is created that you can review and execute to implement the desired changes. Here is an example of that file: ``` #!/bin/sh ########################################################################### ## rickslab-gpu-pac generated script to modify GPU configuration/settings ########################################################################### ########################################################################### ## WARNING - Do not execute this script without completely ## understanding appropriate values to write to your specific GPUs ########################################################################### # # Copyright (C) 2019 RueiKe # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see . ########################################################################### # # Card1 Advanced Micro Devices, Inc. [AMD/ATI] Vega 20 (rev c1) # /sys/class/drm/card1/device # set -x # Power DPM Force Performance Level: [manual] change to [manual] sudo sh -c "echo 'manual' > /sys/class/drm/card1/device/power_dpm_force_performance_level" # Powercap Old: 150 New: 150 Min: 0 Max: 300 sudo sh -c "echo '150000000' > /sys/class/drm/card1/device/hwmon/hwmon2/power1_cap" # Fan PWM Old: 0 New: 0 Min: 0 Max: 100 sudo sh -c "echo '1' > /sys/class/drm/card1/device/hwmon/hwmon2/pwm1_enable" sudo sh -c "echo '0' > /sys/class/drm/card1/device/hwmon/hwmon2/pwm1" # sclk curve end point: 0 : 808 MHz sudo sh -c "echo 's 0 808' > /sys/class/drm/card1/device/pp_od_clk_voltage" # sclk curve end point: 1 : 1650 MHz sudo sh -c "echo 's 1 1650' > /sys/class/drm/card1/device/pp_od_clk_voltage" # mclk curve end point: 1 : 1050 MHz sudo sh -c "echo 'm 1 1050' > /sys/class/drm/card1/device/pp_od_clk_voltage" # vddc curve point: 0 : 808 MHz, 724 mV sudo sh -c "echo 'vc 0 808 724' > /sys/class/drm/card1/device/pp_od_clk_voltage" # vddc curve point: 1 : 1304 MHz, 822 mV sudo sh -c "echo 'vc 1 1304 822' > /sys/class/drm/card1/device/pp_od_clk_voltage" # vddc curve point: 2 : 1801 MHz, 1124 mV sudo sh -c "echo 'vc 2 1801 1124' > /sys/class/drm/card1/device/pp_od_clk_voltage" # Selected: ID=5, name=COMPUTE sudo sh -c "echo '5' > /sys/class/drm/card1/device/pp_power_profile_mode" sudo sh -c "echo 'c' > /sys/class/drm/card1/device/pp_od_clk_voltage" # Sclk P-State Mask Default: 0 1 2 3 4 5 6 7 8 New: 0 1 2 3 4 5 6 7 8 sudo sh -c "echo '0 1 2 3 4 5 6 7 8' > /sys/class/drm/card1/device/pp_dpm_sclk" # Mclk P-State Mask Default: 0 1 2 New: 0 1 2 sudo sh -c "echo '0 1 2' > /sys/class/drm/card1/device/pp_dpm_mclk" ``` When you execute *gpu-pac*, you will notice a message bar at the bottom of the interface. By default, it informs you of the mode you are running in. By default, the operation mode is to create a bash file, but with the *--execute_pac* (or *--execute*) command line option, the bash file will be automatically executed and then deleted. The message bar will indicate this status. Because the driver files are writable only by root, the commands to write configuration settings are executed with sudo. The message bar will display in red when credentials are pending. Once executed, a yellow message will remind you to check the state of the gpu with *gpu-mon*. I suggest using the monitor routine when executing pac to see and confirm the changes in real-time. The command line option *--force_write* will result in all configuration parameters to be written to the bash file. The default behavior since v2.4.0 is to write only changes. The *--force_write* is useful for creating a bash file that can be execute to set your cards to a known state. As an example, you could use such a file to configure your GPUs on boot up (see [Running Startup PAC Bash Files](#running-startup-pac-bash-files)). ### The gpu-pac interface for Type PStates and Type CurvePts cards ![](gpu-pac_scrshot.png) In the interface, you will notice entry fields for indicating new values for specific parameters. In most cases, the values in these fields will be the current values, but in the case of P-state masks, it will show the default value instead of the current value. If you know how to obtain the current value, please let me know! Note that when a PAC bash file is executed either manually or automatically, the resulting fan PWM (% speed) may be slightly different from what you see in the Fan PWM entry field. The direction and magnitude of differences between expected and realized fan speeds can depend on card model. You will need to experiment with different settings to determine how it works with your card. I recommend running these experimental settings when the GPU is not under load. If you know the cause of the differences between entered and final fan PWM values, let me know. Changes made with *gpu-pac* do not persist through a system reboot. To reestablish desired GPU settings after a reboot, either re-enter them using *gpu-pac* or *gpu-pac --execute*, or execute a previously saved bash file. *gpu-pac* bash files must retain their originally assigned file name to run properly. See [Running Startup PAC Bash Files](#running-startup-pac-bash-files) for how to run PAC bash scripts automatically at system startup. For Type **Pstates** cards, while changes to power caps and fan speeds can be made while the GPU is under load, for *gpu-pac* to work properly, other changes may require that the GPU not be under load, *i.e.*, that sclk P-state and mclk P-state are 0. Possible consequences with making changes under load is that the GPU become stuck in a 0 P-state or that the entire system becomes slow to respond, where a reboot will be needed to restore full GPU functions. Note that when you change a P-state mask, default mask values will reappear in the field after Save, but your specified changes will have been implemented on the card and show up in *gpu-mon*. Some changes may not persist when a card has a connected display. When changing P-state MHz or mV, the desired P-state mask, if different from default (no masking), will have to be re-entered for clock or voltage changes to be applied. Again, save PAC changes to clocks, voltages, or masks only when the GPU is at resting state (state 0). For Type **CurvePts** cards, although changes to P-state masks cannot be made through *gpu-pac*, changes to all other fields can be made on-the-fly while the card is under load. Some basic error checking is done before writing, but I suggest you be very certain of all entries before you save changes to the GPU. You should always confirm your changes with *gpu-mon*. ## Updating the PCI ID decode file In determining the GPU display name, **rickslab-gpu-utils** will examine two sources. The output of `lspci -k -s nn:nn.n` is used to generate a complete name, and an algorithm is used to generate a shortened version. From the driver files, a set of files (vendor, device, subsystem_vendor, subsystem_device) contain 4 parts of the Device ID are read and used to extract a GPU model name from system pci.ids file which is sourced from [https://pci-ids.ucw.cz/](https://pci-ids.ucw.cz/) where a comprehensive list is maintained. The system file can be updated from the original source with the command: ``` sudo update-pciids ``` If your GPU is not listed in the extract, the pci.id website has an interface to allow the user to request an addition to the master list. ## Optimizing Compute Performance-Power The **rickslab-gpu-utils** tools can be used to optimize performance vs. power for compute workloads by leveraging its ability to measure power and control relevant GPU settings. This flexibility allows one to execute a DOE to measure the effect of GPU settings on the performance in executing specific workloads. In SETI@Home performance, the Energy feature has also been built into [benchMT](https://github.com/Ricks-Lab/benchMT) to benchmark power and execution times for various work units. This, combined with the log file produced with *gpu-mon --gui --log*, may be useful in optimizing performance. ![](https://i.imgur.com/YPuDez2l.png) ## Running Startup PAC Bash Files If you set your system to run *gpu-pac* bash scripts automatically, as described in this section, note that changes in your hardware or graphic drivers may cause potentially serious problems with GPU settings unless new PAC bash files are generated following the changes. Review the [Using gpu-pac](#using-gpu-pac) section before proceeding. One approach is to execute PAC bash scripts as a systemd startup service. From *gpu-pac --force_write*, set your optimal configurations for each GPU, then Save All. You may need to change ownership to root of each card's bash file: `sudo chown root pac_writer*.sh` For each bash file, you could create a symlink (soft link) that corresponds to the card number referenced in each linked bash file, using simple descriptive names, *e.g.*, pac_writer_card1, pac_writer_card2, *etc.*. These links are optional, but can make management of new or edited startup bash files easier. Links are used in the startup service example, below. Don't forget to reform the link(s) each time a new PAC bash file is written for a card. Next, create a .service file named something like, gpu-pac-startup.service and give it the following content: ``` [Unit] Description=run at boot rickslab-gpu-utils PAC bash scripts [Service] Type=oneshot ExecStart=/home//pac_writer_card0 ExecStart=/home//pac_writer_card1 ExecStart=/home//pac_writer_card2 [Install] WantedBy=multi-user.target ``` The Type=oneshot service allows use of more than one ExecStart. In this example, three bash files are used for two cards, where two alternative files are used for one card that the system may recognize as either card0 or card1; see further below for an explanation. Once your .service file is set up, execute the following commands: ``` sudo chown root:root gpu-pac-startup.service sudo mv gpu-pac-startup.service /etc/systemd/system/ sudo chmod 664 /etc/systemd/system/gpu-pac-startup.service sudo systemctl daemon-reload sudo systemctl enable gpu-pac-startup.service ``` The last command should produce a terminal stdout like this: `Created symlink /etc/systemd/system/multi-user.target.wants/gpu-pac-startup.service → /etc/systemd/system/gpu-pac-startup.service.` On the next reboot or restart, the GPU(s) will be set with the PAC run parameters. If you want to test the bash script(s) before rebooting, run: `~$ sudo systemctl start gpu-pac-startup.service`. If you have a Type PStates card where some PAC parameters can't be changed when it is under load, you will want to make sure that the PAC bash script executes before the card begins computing. If you have a *boinc-client* that automatically runs on startup, for example, then consider delaying it for 20 seconds using the cc_config.xml option *30*. One or more card numbers that are assigned by amdgpu drivers may change following a system or driver update and restart. With subsequent updates or restarts, a card can switch back to its original number. When a switch occurs, the bash file written for a previous card number will still be read at startup, but will have no effect, causing the renumbered card to run at its default settings. To deal with this possibility, you can create an alternative PAC bash file after a renumbering event and add these alternative files in your systemd service. You will probably just need two alternative bash files for a card that is subject to reindexing. A card's number is shown by *gpu-ls* and also appears in *gpu-mon* and *gpu-plot*. A card's PCI IDs is listed by *gpu-ls*. If you know what causes GPU card index switching, let me know. You may find a card running at startup with default power limits and Fan PWM settings instead of what is prescribed in its startup PAC bash file. If so, it may be that the card's hwmon# is different from what is hard coded in the bash file, because the hwmon index for devices can also change upon reboot. To work around this, you can edit a card's bash file to define hwmon# as a variable and modify the hwmon lines to use it. Here is an example for card1: ``` set -x HWMON=$(ls /sys/class/drm/card1/device/hwmon/) # Powercap Old: 120 New: 110 Min: 0 Max: 180 sudo sh -c "echo '1100000000' > /sys/class/drm/card1/device/hwmon/$HWMON/power1_cap" # Fan PWM Old: 44 New: 47 Min: 0 Max: 100 sudo sh -c "echo '1' > /sys/class/drm/card1/device/hwmon/$HWMON/pwm1_enable" sudo sh -c "echo '119' > /sys/class/drm/card1/device/hwmon/$HWMON/pwm1" ``` gpu-utils-3.6.0/docs/gpu-monitor-gui_scrshot.png000066400000000000000000001607571402750156600217440ustar00rootroot00000000000000PNG  IHDR!]sBIT|dtEXtSoftwaregnome-screenshot> IDATxwxUוr:*P D^mlpĎO$I&7)3i8eL&d] cb w0UT~9Cj1kv;{K\O<&ɲ@ z [Z|Ϝ+gD$͖9uʸI #TUAQ@ >F,ؼww, `7gڎTEQE5t@ nv$%Eu}ko;1~HB@ >J4L&d‚' ʌE@ >蚎*&bna0@ \1MnSeIr11"ןp$J "tTUl[0Miyf*S  n.\@# ]NW h(B8lύD'NYXbӂ\P@~vUUU?Q'!7DCQX\ɨt7v 0xdͽ3@7 {gr7fQjj* u0tB>iG3,Iզ qc R003=ZocĢ:TT_d8,Q"ghصav I^O H4JS Zah6eYFQdY#9zDw&S׎{}Paňah1h,#)*aYᅣ,;ZF;[y =IL 5xk$*ӜƝ~_q*bUÈdbx]5&&?A8-W1"46}dдm@'=GcF@HLB(hx뛨i W4R 5ٱFj="7X(22ta-iwKn+7i싼|A- @("v]o hh4FZZ*q8JOjpi|]71';9؂ a"Z`DBȑ#S粳T5V2ya!&o4M&F<eLGٱn-o eD <U9TQpksug<8J!p-:łp)sbԔqlVu_1Ke@kG֛?h>L/$Y4e1ϗqN>O~ugoxT vfުYh"=|OzAx<^) --@ @o۱X~si.d&|MDBLOqvP2+{."fb&HOP0 ]Wƥ7*cq-)ظ %a:fpLIrYXk)#$1K4t IFQ-$$9]VOu.QPK @n2ł+ΎC4$cIpi5Yp>瘝eBICfhJ\R"q ="ƥ7j:#FSmߪ]x2bxh8l!\6\&"U^/h~Z":Ȋ v<&!29>׵Fn~.Ϝ%v ?u%o =ʚ5kfl'Hx|E6ゕ5Nz jB?>1ɰcIܼF^4k}hBHc)_Ba?Rkg+/C}LJ; X~FYGYȗLqVJK}.?9mc\Q7B¯YP^Nbs+/R<15%kc੗_`t#xYf2"fnՌ?[+k\,8Fϛ@]ߕA..ǥ/#@|'C:n/ϟ$ʽ8MU_F/=Que5l["/n&.ބ_oe0DX sKdggQYQ*=ʻE]JXr c90pG== wpNJZpPGa0;yLN/w.A%bF|mN(]$|!*,Fe!D,I8t? e;,vl7ZCI& //b M}FkK=/.&fO"ID@#{lyX(YH#1 hk"=ƅd9ZdT^]/3;Hΰeo %Igԧrp;-TVVSvw>|2D M!CY2 +-F$&FhZ~hD7HGyOS?Wy]Z u -WF<~{ \F "ymK{`AVL$Dvsd.j- Rs>}".sa/s:<7GG Rf~}f8iSQ/Ul#AQ -= UGZ]ȒA4`O$I1yj][$1wG.hҷ\\~|`O~ĊVLt.HGu 6Bڒ .nAt{aƟ+QƋ?1e r Fʙ>~bD=?U_6p,؟yͣ H]t ]o%ejj4d5aEqz M#6P~[׮eӹ0&bD]鴠t4FLFhug}ћNe{eJ)c;ji? &A% N3-LD?JҝP4vH0Oʛqdn2 wtja"y\DEn_^>9wK5)&Pά`]p?=E䡯pox>|6yyl|%]f$៹Ŭ6rET vf+f˰ۂh1d0ZqN&}{x El {<7^SN躭sjk@QUBDSŹFJќ;vFZ$ ^4%c/ h@kw57HBSCGArpq +U6 sN^[WNP])EEѕnŠ-m=0*l֎JOyPUOu\گu'7İD:{)ȷƔP[cJx;0&Iꨪ6\>v/x6ĚYbqV:[?t0;J6VlW''rB'}dc_/!XK]Np1wU} u4Te0ִ]-+1 ser?#PRߞI%ic T)_/iF&ѕk9h_ =Q%sZ=}dlr8_Xd`yٺr+O%m| Q m2aq]CIg9|<.&}gyXB[y[iv5Wk&|mt42}6ne|}z caiO-ޒ"V*յ}_s55l֎g֝v+KӴm,IwĂoTo!ηG-?ٮ !i]EUa֗7xw__J8ןwJ!CZtP%cy,Ӷ7[?U~ 22Ik8Ŗ N֡v EB;_3^̒i9qjAϝ^j}2eeddq|H̺7a„e57{zͼ\Z9";U^W*&u`HsfO{6b$}ѦGx1tdqv)HؐŷmvhDa M3@PKj!)8X^_޺bMV BמwAːLĹ-0PֻeE`uBHȊfnQjF(!m- V3RT4?% Y1YmjO QM,]f;#5΁C<͕H0B0k[$ؕF $$_4W,iÎ,_C^ Sӽ@غ*SG3K@ hF N$99c}X 46zp8(C^0b=R+mG&/‹>k|麎4k\:P0p\mVmSh@ C$Vss}S]0"mqp0leKF@6*Ou3&"ň:FۊIPUr/|.I0M/ oJQظR 8mZ(a z.@ `1G@ 16ը@ }A t4@ zFȟčCsra[!Gp-r@ \gDpM\${C0wL?oP7%'?jI>Ly%|=[EX-\ \$q3sX9I6,D,>H.|~ɮ^(~;IwhGxqLHpcGbOΣ8Ӆ0uykN֝rw\${b3SN+YH}( ^52zs ' ƤOҩ<[{ɑ['I̜YݣqʠG?q|"R$X8Bdߠ|*_ndWCbeܢLU!Y{n&)=TQ:w.(I$iB>իw&rav~*Ivlr#vsœ¬Y04$SjOEo%s OH2g;6r->)39<_FjhR/Z n"nDNMXz|:BG:C:u#]5E6$#ѷ.o /r#nuz"X\N D|_挔q(@,Uqq0yXndKއJ4;uIp0:~~ySytbfBZ̈́u&!d։X/Bzh^G'ZM35VRp)7O >D#أ3it'Zqo)?tQЛZ79Ana+gfcۗq<ܗ۶ZQP8hdO> ȉ/Ƒ:`<|wJE}Rf5i3Uogq6rhep1Z}.!͝'KHwlee3(8*Obk)S{U7Pdfȸ>}lc<;Lcela`\QcebfIG$ʌdϑ-ǩnżl\џG#9Ŝ.[.G*$_̡:h&{h<ʽCdR~7/HDݍn <%9qZO>L^-+b\&IG$w[бd_ٞϾM<ME%Ruv-Y٦0@ibje׫NpQ'>#an,fΜ"m__]ݎK⩫Sl(L†F4%A6pFL|>)(qGv[dqq%]%ە)|xH%%%VCl.@  "G@ |H%%%bR ("Ċ[>w DQd?cEE <"ɞaӯ>e;EsG16I2(Hv1G\Ly%|Syt9J sC)p wnixǏ0r5\n=UeٯW]j*~yR[j5A'̉ 0C/hԾl_Gﻅ,tIVaӇKOe=b'e^nαZF,Ad2cBiݶ0n\!SoSw7J>MppHj gs0b$Rd$DA[k&3;߻7ʽܩ!v;tPƇCoe5[ZȤǜY> :`h(o<:mN: ,YL[P jxJowL8]FIf3fm/㰷-w,zOdR&.d3GׯaͨYy`q?pχ^XV䊝<,QŌ#)Qj+-Pzo@m@%mBbaށCѪS϶oDBmpII3uy4$1krP֝> @S8i K& `PB][ҎZ|m)Z8CSH2H(p򲝡SƱt|Ikعi'4B Sf31w}UkC']M”aYNM쩺Я1MTUvӑ14՜eφl;o NL)GJ 5e,?ǐ 0%9d"-ZZzk*N b)^Εwjeo:6;GqoMI4+Y-Q<Ĭ l۫O92gqY1[soΊ==KJlO/LO/c%l_s%qnB 4pҘ=!uk0 eFD%crqJPg(\oLJN(HdT:V $ǣEVУx}2IVd8&,X&Q:,,M".*9(*BLٌ,'p]vT4=s1KZ*ִXə RxWP*&0_ۋ7$82 f͹{9븲yqѳmSVRdko3%?qL9Շ!/.Wll 6LJ̨>,L 7lagYWˑ+:HV:gi>qޑC[+TR|>'`2l[2q߻;A3jF8s=؊7yd nTw5+kt'f3z\Gh J$ɪS[Q- ^2m?~E?(N&S o1lĄ75[c& yԇ8a_=Ik0םlͅû9LDXCzBUoW3oGV򒻈E2_?@uMzqԝ<;9բ#9 t Bˆč .jEgXõ8і:DjF>VnelMycWs¤Hvl[w4TpL :1!9u^_w+}OEIg`ضә\z^ ߸n 04|'v%7_1DQ֕lf rT0e{؇T+ĝY&"ϕH ]@,vqwOH%GIJ|;>E."ȤM^ƒevI1IXi=Ĝ\ڹ<<zTL^NkȺ}LK%I>Ie7.'ޖҪ@UV>2I d2,X8vȤJ8ϝX8 [pSXT㩧wQ7\u|m q,P0Yw䓙d Yd֪HNL&Iq؛m֧tan\D}}O:puOعַfvr4aNn++^uQbH#m$Ɍ+Vc+ jw%$d6t>dTӨޡm7OT"+- & jIᕯ^ŵolB-TW]3ROz]e*&fRR5يh4Emw臭BQac(.AؐNޒ\wSdž9v\6{ovv+{ Qs:w,ANuRFe|}|gn =W&_⺎{*W+Wa{Ҷ> ݐ,HD[m$l{}*umɌ*1B*L ЛJyH##l UBL ${6S9QPH`puʴ43Guٴu+&iV~Wy<@ ,$ƛnGH:IWzc=1;i&:Z½WozC-1/QNhMm3]ݻz5漏|Ez}Aˢ񔿳5l]9!%% `PB3u.K۩3!ۜݟLkҸp 5Ԕ ][˯"U#jMa`Nbϫ7^O]mlߙζ%H]DZv:mwɑDCы֋+kս+%\\HK S ~o?1_jJv\x,A{'lVҳHU=4x%9Hm5״ĉUrW?Zk()O9,cqPT@J1vj5lĄ;. KS2/\~e!sWSj2C'B?ƕ+teնZlăa0tuNWW鷽Ob3Î1d4F5  q,̀8Pc5{lf3{JIc#xZ(;ط|5?/iMhšGh> a-_~w`L+h9O)TSgF"=>Qݶt4uy10#t>jn!,NaxlKֿƲdU@GוqwEz=!7&7\hhTo̾{4_>ֱ,wrM.TL8R2n86Xҭ}:uVips;xiKwĨܺ=E1iq+8wTgA"}MT6:WlzV2Xb!Z+8^nkXsSWSBϽ2j[oi&/Svo xq3BлW뷽#b[Z[ @  "G@ |H%%%7ԟ@ n DE 8*X-v!V ZLp-b@ ."\.A'0tXs#^lZ&WE7ݾJ9ȕ{8OaۙdMd”,`@ǏrC)q;q$5B?v{w2eoۙOߜ ήd9{%pW1(5G >QE۞;)N1瞇`t$w f&t?o@ n+$GNaL~vG}[w BBhMJ^5>֯;H8a15O}n0+T;vUF1YHL*q \& #192.qrKlXuGꨉ<1ٍ 8 Gs_Щ|XdMh">4 \zLą,OՖ5~M$H}.܌.&'װi2ye/Yy"$مX+Y,So}Xh23RU԰foSqQjHNI̺|S3#Egiswi/)4%0(^!Tî-{xiGm&Ν'JIvP!ϟa]li)If-ς)$T{$&0H$f$g;y?i#f3&3ĝp qjEdH$Ƭ\/^Hi8:_V2)w+ (}6rGQ n|FdE9]u>/.)f(ϳOG_K2u@=5E6$#Ƒ7ܾZ1etsmh:kB$:L.\70$ф5p$g2k>3-jjV'J OPU0'IH&?GǦj eRl=r0y$;y)/ [5H?{wf * vo^zf Ht2v\QǑ@^H "B:pZKtɊӡiሆ[.{.rt=923inRy1䒬ɜI(:=d)>0~-[I8ݝŠu#B:VgW)8Vl΁|s8sJ.[f=:Ϝ c=>п{ƧsܻxRX9=dg#iye]ALM" NbGJvRDx!r]sz}4D\n'fIAxFđә^ÖgK v%6a1 o¢G;Mn ~Yp!ٹj%# nmV+ĝY&"ƈySytbfB4V3Id`x+u X^GX֬dR-d,7QU<@Y")g Xu."*zw" tu;\*ɣm9;[.LIJE^Z9F4,dǶCl<P412$IՂ,hy}^[X>;5gukp"컋QV^IG9_I fc]Xv4<~*}O @o|B'0[9s&0tk*k9ɞaNG1X#z8*Obk)S`z2ȖqWяbb~)dŠ!<Ȗr%EhMTdL}TÜݟLJ?z/Eqb4732}|*C8ٶ"qS5X.yvFLI|w>r  J+JǶM'Y0`Y|ŝ48ȖL"3hR)[_=wcL|F-P&Tbz}A*$_̡:h&vFIVJX%KyA" M{Kwʑ0DA 5FD=>y&7Qc:.{t0z.'#%;cnɋ\Ov6IMohAm@ufL/fʐ42,X$GuU oGO{Y:Y.C{ʻe4_.j o 8f@LvZ__Rxxr22HF#oLuUGPaX/3_}LOv&@nj^1`;nSwr/=u€K/?JSM6-崴Od3aNѼNF{96 [z-ׂr_p--@p]E 8"G*))S@ @=@ |bحX-&j1 V  @ >pDp#= ;b0@ +ޫvŔWAѽU45v@-Z-~Uw.VSyˋX u{2Ƚ_\̒ 8+|Ss6(5G >QE۞;~Hv9d%ِʏ ǨqȗfLچ^U K #gNabQ?L1+N-쫎\̜:{yS<7p&Hd $5ӳ9YˆJw1ܤKlﳪ99c&D}5 {h˷:ah(NŮw֯fso?oC$^ǶqlXXX)w3Y%΅] :x0Hd O`Mgo7x{ۄD|q1SןgMJ&gѾs/Ѻlgq,ߟqvnɲ=Df.όnR~n;vJZNÒ jaז=&Ν'JIvP!ϟa]li'[0kx M!#@7A"1#87UI11M&[o7S+"ˇH3[Lgk1c~Z&zN/eԄo%Ame jߘJѧN)2H1Y^vpho"Ws `(3%-BH;N Đ 3-jV'J OPU0':<"9|<NU'IM п l"y8Jś{"qAq0W>!lX5&f ѽ4y y@ +# WF0h*[l?Go.I9 LE~Ǐ\E:$Xdz,y$ s< I}a"a-^ė,i4zv@Uzqԝ<;9"n{ {B9Z&30k85 1  .`hjOp1K0oc+51 ( Ig)|c(W@u~|Fm Bsv| IDAT3wu.<LǨQB.Kj:zgxSqi؃r;2>X[ojG#i0Tl&(ymۯB p? h"s;vg! Iqtp85%TWﶫxj^2qqD`OCG;CN~ t{pA4Ѭ*I#4jCA+K ְik>/I͘KN쥥 oGD ƨ 3i;?>KQ V>}w/ҙ?Oʏ-8ҡxVUVRO< r_^PR+((((|!(EAAAAᾣ(`Zieb(((((wJCSh1{ASPPPPBP}GQ. E(((((w-cηh:*NryT1'VRD6_k m,fM A=袽eg{ ~Be (ӗǓPll]\Cm቟b:>*p$~/g7FP/JXl8;-Ge` wGK k.{Ģg|Vҷ>Oge= A䤽}*Gr,-H$\롻4{wi& xK+ u`GiTfLgdĘPT_m e*k\&Pxs=g̬ȃ5urQd0/-#ά0THt($qif~up9e,3S>1(6ሁn.Kce}4-G&vePEt~W2ACa7M qÝ#HHZnz{h8y?.,1yA!f%,0I29sqۓV̌p LuW5Rɴg9De?1h}.Pu,o'L='m7ft:8567k!X„;<8N[t'6 fBwƓM͕w8'cϹx8TDB$&/@,RG+oR^rby9"dJ6fϥ l_O$gfvt*MZ@`IMl j51CeAA fX^ZU$pG!@Bd^x*}cښGYI&z;{aMRdLCʕ$`~mX cq: AgDGZ9&rV!-ݧN~ypt:txq) ;aX"D^ZlW,fZ`cy Ʉa!U 1Ux{pL~`#[^5:ot'` {dB%O>㟞YFa6ϟܤbS'!,)Cƴ4E]HV`zApWb0sg%`Ét7)eMTKr9sz# 1 H4VYLO]"VWb1ϊbH Ⱦ6{y/%]]Ѥ`JfJd  VOF%;9V^9%x-^~}!$Pll딈(\Kdza*aU~!4pNTk`ˣJ)~z9W1~ "]x*D .Rz^YXr||DxOnZ7VIf"D=6&DbQ{im n:AjwUО_HƢO~̿Q]e2xQ C\AKzj@4l`ӫ'K&`,z^f<1i%krHrd8]>8ruIɄNļfOёI̿T`4Q1=xc/*sg)Y̋G6-AzdC^Δ:=I33APVZG`C h EF_ѠV SèF*i젵h*%3Ȝn%sJ2[^Ʈ|(Ӑ}S㉠xu#s]#M+m,vsvΦ6:u\/4#w 6$ ,SX*?ך8lDBhI&. Fufc($U$dc+y8[SzxuZ $ :|ru?F=qΟ7pdC2OJ$H'BIsx|YunU07?=t D'Ơ9T0Feq\ -o{Y,do+{l" 21VEd_9@VVmaוEW CNn4" ɑO2UQyjr `;NJֲ29KB?yި}*w˨s V#쥫g>Bxz!T:$u:<sQ0|TOfk7CϑW[V̹Veh+cyc^4:Ĉz>g= B" &*13'f/Ml]LޣsRP< Cj (Ǿuo^!칙mAu~&c [0s1D_ :.R\//#SX2cm")E$ywD{ ­ eg\0౯,GncbF~3<IDxt>Xć2/$uv-HwԎ:M٧`1&WlX3&13|~@+yȌ #%,F鉓U#*Lj\r>Iۦ0#4SÌ$r@ز_w[YcM 5\QM_u]7hV]5z Lg[kشBDT$/72}vSp naઞ*fb>T㼷,cBaa!a`?muGǧ\TjhoÑMorG*˟l'it* qְϨwjJ'(Ԍp VTS _<'5-6P%ZL^ض-rQPPPP(EAAAAᾣ(\;\"Ù`*KHף}{f'M$=4?ȹyu_Qޒf-9O6]%{9u><7](aI[󿫾 .]3sxi>[me/ X: P[ɮ{W1X;o2:K*5/=YTޯ&ҋ p}N -[kpxGH9y$DhPǟ\"4c: M&#Ƅ砭h@Y禖`NZ?- DZDˬB$|+U`eI 1fZaq"֋ltb) St]*d\B[g~x7~t9l\G8+ҊxrE"Z9J-zS{ۏw\P̺Q699[Ns8y$&UYlQ`'gOu}~5a9x5bObOۍ_q[D" ,r nzlxcT4L^o[É4iPt45c w\Ye$o L$-L ^7}4 )e#fh&cLI,jtANO$ x3,8Nnfgy;/`z9>i;uhܶ_*pShCAItxHWFu-bSYK4a1|9ŹfA?>Z$e<}0Hz*?>CɼT>*3;ciko.;I{6Xz[: \>. бL?"7Sƒ`4}.Ci6 NyD.fxX~lWNG+=7\E,ku 'z1[LvTQz3l{ F杩fsuzA42mẺ#R+\{T$@vPZFÈSYHU Xxxb>)L=+[G" r֠*h[ʯW$c Z'lU_?Gr i#VMυ FX8K}459)ʰ!6˗HZBW=/V]9B@TMZ]N lQn%]n:S9ȫ $6YE*Mqm&`,z&dL"I %7G/9Fˠ14ת5uHJ|MdFӭdNIf2coyj<c'Q8 !ϕ;YV}KgS:f LH^`)_C*QR/YûnSBB@Am[9r݇9'pEvpa4JŨ0?"Nw~mBXm^o?D=llxCcD /XTožZׄP\Aveyyzp ܑƿk~lIEi]:AY&JYЮ}ֲ!1Y! VˇGS rU"zh ݘ@Q^0u|ԟ{@)LM%aHьw<#Ytqdi Dd+ϰO /3Q!A?ϮSy~Lb6]۰ILAhv!hi.10V۟Ot@ޯ|#vҒML"^Lۍ4#q9q}Lyeq&eamP([LvٶcͣOGdHFvRzXF퓰WVq[F/od/]=8I 1%p%{My&>.EXd{-USu͐sշy݌9ʺ -Cuel>!`+F^G_W,"EfA>&Fr_o[ɣc9̋<7o7OLނQ%Jq}ঋ(~/cAv4:tB!NY} `$pvsT5h76Qap(=qxr~]SI#C~:iAJێm* 3B1JC81H2 $MŖkznkD$@7쪡KA+K ְik>{GvPI G~!x 2#h4»( EZ8p3QDW6kSQj=t=g黛o3s CU?Hc5 x&cmpdӛ>qjkP3Á3CXGbOPR+ J}{a۶2f)~^0 Ջ`EXj^"ju %lDwV́ML3UAAAU.7oW} j*ӑ %}G FMdh1{ASm{K\?rQPPPP<EE\n` R)(((0:1ZɆL&R6J+QUf)$4נy)^d;Ϳ#լ@Ӿ9z'ԧPZT<Myjԇ1􏗌TF>P@γ?\@ #??  ͘yɈ19h`*ڔ47Dzb$]wOto_$$ouu~|&(1k$ALzv0iYdmߞkvf Q x&[fw..0d78I[ǧL*)|HrffT52j#_F IDATJ]WjS_fmh=E*ɥhS;8"(Z Rل{L/[ˏHԜGX?[˅ `6_o\rˠ"\9Po8+%}ȯ#-z [QIA̛ɤpvrI;nÉ>UtοlD/_,$~z= ^"v}j@ bB6J"%X`es7̬gZH 8T3LI"ʸj9hIHAHQh 2kw!FE9`-R?GOu.>)D=d2JNl>@څ?BC[r]t)A4^hb+o\^B 6 MYxG~TXgXpz--0~xcI۰y~,m"f&=puQzqP`6*hy~H$12kW/K"P\m7~Y <>0IAo!I(R ;ۨj +W 2%}"Xa%/L3 tC)(L#'Ƅ^%/#I&DY7 uwPA "%ΈIY@P 0ń.d N hjF![^5:L2* 2j %9ґ*V]P*AɨۇCQ, !,x}fZ`*ُF_ܷdV{ xM@HNz3yvV(E;sQsoH?8YLCJTm54 :s4Y"}Q2f dvvꀍwmuL/L%<=WnJMe JMD a @7|iIL@wG~ x&$1ppԂL厫[Tf,!p+FoVk`ˣJ)~֣D!,9"U1* ï1t/Ϡq F98 D (\,NƱ.DR71(׶Ȓucf̡ڿG$#JDk3Z,dGO!tdӓ(8w7AċĨ;BD\S.5:p_u?%}B4)"SM2qX3#i!^뻹J| V )O~\ :’&QT lz7Oz-=m2jެKm,X7C޺60DVք`flV?:Z.v9ikix\h]⢃1frOBKV7wp'JEH G>WWGTc]hˀF[iH "=sbBZp$oVQoLèZAV=ҮOQ, *v~Ct2˱uQwq-7 +y8[:#˅ ƠQ*A.,ҍ-*%KsDq'/_fD8_9DTAT \>؊<=>;9Xυ*GRvZ 2Uz4}~!F3f; ~z4 î1Y4KYT~L'Z8?*LP &JYr50Qa"dBiA޵Isx|Yu[7+e#vҒML"^L }?/7:Hfm\Nml)kag&,u=ʦ0insHj5~bīhm>ǢD]Tvb?߁oRZTTҦ*rՌu:XfH`9ۼ\}n! R"QjzvD.Kn[ D#cAa#!칙mAu~&cc]FBN-C|,cə`&oTMǨ4Ïދa VNw1uJzrJA$4q]BG]8|78MTXs;vg! Iqtp8um͑^YF TgFGZز_w[YcM 5\QM_@Dffgdm+7a7()?{UMODCǵѫ` -_DA1*B "~O+|KXd(jLƨRG6Ɂ A9w,[>mE{p0WN!I#O $i4b$hڷ8ހ='XM{H9y$DhPǟ\J^0]K0'7PZJ?>LEM$ה?^BꨒR 6|t``"h1K  z;'iR25O.@{xocfQXCfr6v̝C(?7YD&8ԈY# `ҳIJ&kk*Z0' YbQ*֣#".6}][ò5yN}߬ 4$as/d l.eЅ&즱gY>iV)?21rZħc͡ha1v`zV$[̤Ŭ(>j-hh.J+%9~ wF9l\>3NT}$9fpV*P=6.0z,wo)?si!:؏`6ȟNlE%m3og'ɉ'y '>Vux;9r*| 2xyI1 0+`Nb0JfPi!1"g<S9ȯp|XɎcOM #ٍ5L^o[É4iPt45c wA gɆY,N %*؀A#'r&enER$ce\5vxZlIa$G aHK$Ǩ@4A쵻"WS:YKƔd"k 4\ц6%4tQE(}Bs$ԍXlz壊:Âfvh {Oڔ4YuGhngJ0ܩ<cdP ȉ1<8<F$s s cӉvZ<8TwHOIo"\bH45v&rIBw3 KWб c F2LDC}'n@)DJ5b "#;` '\A @vTѤF6X[ݵ>LK!L `}c{9 L<gzfa-&jY6- ; YhdlϕCDYƿN mT dm3-R )Rx,dE%F*ʸꛩa6uJD.?%20\)y7ϛ%*u}F 8[w+*&=S `6S"c,r=>o^֐U_,${T?D ?LD aIM>$&E;#?SSI[KKp FR13}r8\3ȝ;YV*G"x}=?DN@GPc\wnPrҌ|9bș1 ط<5W1Vo& Q@^ jnf)8-A?G.p!Lfe642ZH>E\A8; Ǐs4We8:NęyW~'hg29()&WU$n;ϸ|2$O-gk/`FN&VAsJpN;-R*=Kl?Ð jA|y~._wSK@EpD$Y.JLZ>G!η,?JcHKa #V4O3%a ֣Ey*c\[rpe91HԧZH=TT;Ye FDl%FE7YB3=$ΔCRG 73xPP0/_[7>" 4h>YJc!S̥@5^=rɉc]FBN BL6zݠ O:?u1jzdZ9YK(=9G(œ\>ĩ1"p$:d%VDR IvUn5{(܎YDE=*=?<= x'eL T䏇.T*|ut6Lqn"g!*`m}KP dTg{'*؎ognYfމ$sF7S;\7EW=j z׏F_-aovO4<*Vzf~qF"7&_c B B0yٵUGҼI[lD"$7s8r £b8 NK._:9y +yoMAx̉n7}-\<=vf? A)--M JsA@yh1AbƒABT. °x&x YHLϤ33hc bfx& n7SaSAFe墏L3I20̌ayPV?]5) x-kt AF~YքssWš;?z"H,XLCi \VL2(͡d0r  /mg:=YBcRvq?m]HNϱ{:~w+oM.>Ki8F55=YS2&B컂Dq“a(׏4/㓔wVñ|p S7k"Vv ϲ7':ݍg*ݓ LdqJq ֻ,PZHwF(k?L߰Q/cdP(huCGqDZ."^Y醗LЌXޝdhu x^^ql+pwШxhNDSX"sewHG!k>/Ϣ̏!bzrS (,8'QxKt4q)>=QX&c4 0cݴʡ )jz$~zpuBəӼ}W6 -'_VF&*Y~叧0?]41*«ss4,~e/%*;Kie=J$1!2(b#I1Bjݍ"4z)@2Ydji I>K⣬ȪBպ;KZ F 4XO{6jd<6Ρ]DJzp&!% 0h@lA?d+!~6:o\ØY쇦>8Jw'2*n$P+l`bLMG+4RpV~s>0Z^739)ma5nJ4^HGa"Y,餽qv`@/v-Ky:,zU؊ΓWn)+3q%wEх$s_&0} nBٺ)ZǑɗ3 IDAT9H']߹:TZ8(hGe칯3V ?-Eʥ6= @"5:*9^ЅO#Km)dt3u{"ܦ~.IA'tޗ![HIC=^mqLccd&YU*NןIK:€(p[}Q:zY7M0h1꥛ u\; v esXOS{; KżBa72 O:wxM`aa -KY>|CȬ;$!J&N-JԎZ@ϊzVsjU9jy>v 1q̪ NJµ[u[u梱Ue3(=STZVQs+M\>=TeTw=K~Ew1ݨLXך2ygW4^`ǾPđC}CO iN}M.~r rZy ??vq^z޲AZ]~4.,o ®~zVFrSHOƈN6ѩ⅗N GWoZ8xS|'. 32!:qb[ꠡU/#A~:>]cj6{RVF Twއ 4b22whZ@UUYLNzp:ϭT$c¯le˩[GFE%&Y^PxsW6$,͋Ue]t:,F7G ,Ty)7RܰAmtV\;0Su(vUvF D[u0@g?=73?v*ߟ]?lR8[Ί`odjJ(Sg5t1;̈́*^`J J1,}e߉Rk~EPUJ}w_h'MϽա.}_x#~tpUޯvs`E}AƒغsckJv,epqltdlXK1/F)[ȮyyI&{Kl ܔx1,V.Wj/^4.+ؿ7 ^xt3rG q\"΂=3ldv 0 =ƑM82d rWrwnx5켿/!ؒD_ 0(}Aaibń!F b? 0D" PhOgV&uJ8~Ü^Ax4rG $S+7'/t/єAg/z‱.8ď6bɛ˓x(͹BAEGI,Lgl ݴǖ,1q)YHC*,7$eUph"xrqse;|UJ,J_嵐w\\#5}n{Ji6XO?CSaFR:7UEsO(ߛ,kȠ* ngJۣ;^-tdO`G+W^[ G0St籯z"bXEQO?عlXO} ~5_BV$s2A3bM{wGŻ_ 8$zgw=FȸXQ-Sb,_/c';"\\@_ǩz\'D&&9`YQxs#+f0X ]~]M(zBC7 p+rXF|r4򰍒 ?gVtk6Y+ہq¼d3%_qBҦc?9=8*~.aW=2؎f;^Yh5Ps9Pa0IK _d!>ʊ*\ bXdBR\ٓ5T9q)/.P9*%5Ԩ!B@2Wfbk]| I'/BB,;UQAMDR 7dQZnV4@`l ~ :jlO-&[ @'ã&ЏP W>hWzDi^4]{% r 7!$SsH f:is v;wB m;hu ekVt]ڦ™o~ =9[vROr?qEbI@7]z]kkN7`bK0*0$ ,4p<  <>*|ýcY ـ_x.ڵ6zE퇏HRZ}cQLيBZyHpV.[{3W*m4$k᫺AZ/w=ݢb9~q^z޿IiwIk=rI\ɦr ۨLX}nZ3^&p;cH8i.}į#?XVL|s΁N_/g~A)_:bL\?=rqЪ ?R27b$-YK*hգ; q7d_odPvlm á#/-s)ˁd_Bl9Us[ &ַb۠ZzZGF!q1jn$ݬ$NJoV *jprMU.kfbcVѭٿ SN%V"{!ιJ J~1a NckF&{?"T9Q{[W3p.LI쾤fGWv|T|03cC=]`$mv6rLZ8ԹDLd0& S(ί%sqLWq4d~23֣Q\66QTTK HVSУP_6VA2~H4w߭v65i&؊NQ3GaTtXbHOO$h8M*|ut6Lqn"g!*`}dar_sobuK_m'mT.r:?c2 n\L/<idBTI&sl ܔረXAx-Qpww\rܪ`ΰwq “b+pqh.W^AѐD? 0DAaimń!F bG [LAxr̾LLǒia ^<“-Թ:oRX}A1wQ]|񝹼83nRQG 8~a?y~{ #N?\ i,og(KI~F`yp=JF2LbaJ8F j7Mu_1~Yքy;V]pUM[rzB,^Gmc/yugXɛ˓x(͹B=Mkh%4&N %kiscaI1X2i vj Β}N@25=YS2&B컂$"=]S\?Wcb]R""9H (ͥ6W4{m } #ʡ[{qzTnϞqlbʲ f{ 랊SF&8F ]%8 >0֡䱯z"bXEёN[Ӟ[lc>ͦ^#c6<OAU:}nLa̝F=hCj7n`2~) YεQt(,&=^>֛lɟ?4(^J$S` tNj[$4ܚGe͂`-tԱsIv4BW+S(=zG^L^@W dJxJheGU9z5,#ۈIvTUKDO'9Ndjԡ7hXn#ˆO&X6Q<ʄŋJ8ԧx~^&-&eR,/dR`t!Η;֚&]xc(@i=xÆV}#0/LIWm}?]ЎLhJ,?k"bAiܒP 2[Wze$$T7{zln]]Wq0[j[ zfEoޜწ9Ul+Y" %W[K`tk̴p=n;ֽ݉=4!=w<,3|>|%5{2_~7Vf,!kF2`6#8[/v2)aNTqg/9D^+1dEWV@ !~r,!2tWqVA#kIieOx?/.Ԧ'$21![[*з˨\8/uJҔ{O `JjSd1o}kWApq˧nT@Ҹ@4C8n7rc+4^?^`**TRRG4Y:ePSSMc6Ưa兑KiCHZ% rƔ} .YyH~IH)8r~0p)maڔ0>)WbEV];UL `eP՜sSvomcPY%M+^^?_ٿ[޹(tv\P23>ӨWx( zI/i1$z?N*b% (J*Q|1 7nNrnPt-FtۗBjl Y433:AF8~ #ZU>Z t;]hN:n6ywg %cb^Zbo <>*dWqd%8Y ӽ%R]%WA;oeVgf~FRWaaJчdy5UR=*Ek(x<* !xz.I7|4赽C((HHHASYdغv2Hb/>fo :w'gymwiN}M.~r rz.*9D_ZdS90h[-2'T$S4/*)ԜL^ӽ HHN2j[G] ؐ⏗$˩V$}}dB2f>^T *HFtCvܮ} AUڱa$U{(Flu4u.FuJ./^kN*DAIc|.jvld@zP]U>p#T܉O"mZsi'. -8R'64~9RU!>1J(6'@Vi<}/8Ju*Gy)SޞC]s5LlL *f}0w9nYCAQ"#=tBDPDDH7AL>S|煽6YatW7`wIH )jb#PD(np U8ߥ<-}j;SLA ٌKWhW x e\m©z贷r*lw{2~a}$Ԏr>;]%L?4w,P_A*tHVSУP_6j_}3|e\ey Ɇfx,F ݵ ȈR~p I*? xg3hƒq9ne}-4?OJKKSE}@sobuK_m'A]t~d"\hޭƒ!!BidBTI&=b3&!)=ÑaXA߹2SK9PtrtV6.FI'*[r4+–<vf Ax4'# +EAvZ1Zlń!F BA Q nTT.ٗX2-#kOg}7SEAFE墋O/3g=ȍ_ʛ/积g$J7'/tq`A<ٟo=˚;o*<1&v'yiZ@Ƌ`[6! r 7!|*Y,餽Ot;!˄ĭݗC-/lƔ8拻A3EӲ[ywjhBg Kp}R{t{ZWWb2p֯ ̟̉a4גHۼ_2IBh `ĥeP՜SQwyP6 IDATK$i1$M[g=[cc ֺl#|j9KM"ei4zJ|me.TN7`bK ' k 3 <6LJ:gAY|bɘV(lvY ـ_x.ڵ6Q^;ḑ@3)dmO$i.*MeEl.+bV?_+L7\w s3W4zP=*E߷NqQW^M O'ӽP.`(|pÌɬYHFҠ[T,s8,Ľ:d &,>֌ ;1Ȧ:ةWN!UNä8i.}į#?}G/O7f E|uM'I˓\J")Gi-xN=gABFhj@uRլq6RI`9SvmZU2C*qz"H91Wj7ZݝH/<r/O#vҠH7bXHpGa"i?}8 NK.{[urtV61Ga4y*w9oͻ6\{ ;uAHRZZAx" ;-3ZLgb h1Ab C!*Aa=E27)KRF>IgfPChOg# uޤN OAù[kX,6O`N `SYXT|a>?}=>&77'/t/AĀ\4>cxzdf'lh{r8R-NY<(Ҝ+2u YSϧm}'hyG+X w~Yքo6I!cwßNi9?jɏ,1q)YHeI0|{ss8I Ƨ-?C#fg2kX:[Þ}Wu߱ !M7qǓ+|7p3չi*#흅-YE4c3{G. ?X² IEU0XIH '/ۍȦLdqJq ~~d $mGﳲ-}'OaQ[`.YGqDZ."^ 5HbF&2S)%dSc\G=4Z8yYj݃l O^hKYȊvx#㖮bYD%{|NӋs|l2A3bM{wGŻ_AP\4cƒ #)|6>7qFl5ڙ1 2"w):v_-k|Y ^J0U?wkw\I&XVq^@-%ᓒܽlTAc_eGPǀ s˭cuD뉒,<"(M }v!}rO9|cc(z1, @ QIwVY7yfJl b ?Fε6TiL) mZ03ؑStƺT]b_~<HfbC .‚[[- Ā ΊEu0V%O-x#B\? Y" %WzCkֶ.^!deݸ,l@2rAmCk7K*6U5ȈyRi>ߜTQ51&&̘J"i+!gNUܖ;B7v2)aNbȡݮ I'_P4@Rl ~9hHxQCeJEeIWEU"-H#S'cL,s:(/"pG+:w[v`@/#:`S~_}9u;i2MF4!@utKOM^tRRBC䍈Šn$^&@^_Ğ0GtYKbut_&Nhn](J pv}glt:6}x{oANwϾbLhWh(JY=u5yb)+Ϯ >qֱyiE[koSZFcz:hhUA2׻I(n\੾7*4' ۍS$]OE4#2H5~~˨ כ T@y“ՄU"$2[B@Eh0UUQDQC &ַ[GJ^46ެ(\uU:*Ș QDmTU;F|h deP$*z@i(fDždޚb!czRWt%15@xs+g?=73?v*ߟ]?lsbZe'jؘ@Uu:2{Z5j;G1I ~>nPq =ahWtP0gѳ+J J2ɦs>i g,ɉjD; KEX]Łv.Nֆ)5nmUl9ޛv65i&؊N?z=!5<*Vzf~qэENoL&U{́ !!B idBTI&=b3&!)=ÑǸbAx-8q\"^=3l$ DT.\g(x;&<4OeެćZv۩.< Tw=}{rхKX75p0XIH 'D65j॓P]8 :7q&gx3:x2IFF҃,+7qFl6ڙ1 2"w):v_-k|Y ^J0U?wk6CJo"YY2ƙ2#qK%H 1quT~s <.9ΟK4:4{g]u&_Ӿ @B !v  ,xmOI:ݧgrtLL'88c&&V! O^5H ŀު{noEK} [rue6l]@63e^.IlhQD(1)rfDb?ʚ ~:g$\ n8j1фH" o8$3 )2I]\q-*䥅L2!{xtXTq$bG%o|z6/t$^{!h.{X5xzhv&w;p&b'NHԌVWǤB~^BJBwCx,KW4caF GCC+9ǟP&/ZO͹Jv8á΁=0cɉ/Vq7nYIEzKjy!hC1$k a04G5H&>{g'{z$44Ŷn\7QS~E%) 7~8qJԺG+rVZO}+[r_czn"!Db!p AmCChBkU8tsBFXwQyS™̞MiJΆ-9&dzvvP8 l!3-k90H.\~QGVȉ #cyksEg9:)$[l>'\/]Z:zY&5#IԂ$E/_ccJ0:-}GX'GKx2^XD)q 1৳ ul¢5:Lւ4R/I>5v=CGJhrϏGSC%ŧ~ֽS)OR3&lr^ Y4y&?Ccә]#uP=C,eN(Q 5c5V` h.%T|1nF`x"[I QBCMc`%E60J:hPRH5DZp x1e^EQA2C}.n8w2kix4  ;6n5j;fPVUqL=Cqz$42U1Kkd*5N 3 ;R]`5Ftl)ĩbsSfCBCObBK-}\<1r/$!}|>Pz!XFab'iAUdd$U2~PګJ |{>.Y뿁 s v1oZ (C1e:ƺ_oamH|0m$kвo3Q dQa?eA[PJmY>f1^1p 2z$23*hX<7+V3A d6ê L0"T/M0K_]˩\uwOP}S2I D*8ö ~/ ;1᭓>ʳ1ѤdL ڄtx׼t"D"cSA20bvFE51̈~l=_5|!hu6ӣϲIu}&$Ň)EFבJ\LU&Rp& 2ĉ$Nb\c z@׉bɬHipRAXFђ6Q&d.=Od cb^L1O#XBJ|Ps6pCs[N<*ׁCUiYMLl`X4x4J&F6 2Uks2J 1-H R{yt"-FH),B׮*~Y虴|3τwWҩ=$M. Y 7VU{|d7mؽ(z$3N<3­&$췬/xP9 k ,lv*oBte*[%g23e ZR IDAT$ґz͠QϮn2U-dfZ@uSe?{mXtuaA[RТE[Ps^wyߞY!y¥~ʾ-MCAlWB^ZL>R^sMWm9_LjpeVx vØĒ̶#B yOEF҅xYXP]\^nt$s Y l"*d 4Hw8a7}!I6XM(렽GHDywyYۛ/ "IY4uQ:wY}#cE"0ʀD& 8+-јfGG\u {NLq ]{uKDd|=4UONЦ(oenKqnG/x5ӝgY5>)۸CW_n`$%7ԗx~Bkx'8?g7myp.f4e?;h'"n!w÷3便/ҮH_0b21e|@ $]YIxPh l)i'0{ Ύ0"daAS4a,ieZI0Ha&F]v*Ech&T' Qٽ_ Y"YbMd'}4ټDңLh<.:m|N^1647X jwҡ|?'n-`.d3S*/@VeݱN\c>!gF$c? G}MaZm>jYkCBAT:7g!0@:QQ,0M¢q~\*H3(ZϦ35ʄq`Q=ݒ d,_̋)F[;(ЅSxlrMhc :ë>z;{hn롥=Ǐb T)87_"Q3Z] yA ) =^ ,]UțLqX<4خq=/Ө3"`HzBǕ-HEBB1uz:9Hdi1b@ Lypr˭U܍[axQޢ b,f^Fz>ec(Z#bX:- m "RɞI## ]Rލ& |h1$g>@ZuV AoesBX˳qLM$ab!p A>^uz'8-p \ XMVILL`Y%I(88z@Ng˫?_Ü(:Qt ´ey%.M!\bM +\$ ><>>;T5sTxAŇw0fPW$B5dpjخ]{?ݡ9ݭlXw瑖876OE]wK?`2^:]ɠzht=fd kdcT~uHBs?Iũ'4DX/O+9AAaڃ^n?Ǜy)8Dmj0œ37 P-T^%?_n;Z 1ItV~N7T˞)šxo~}׆)f μE͍.(h R{܅:8-N?Z#na"!ax"{J @'ŧUaIFˤeK dՇσd7L0'yku."*6ψu,ZEZl0fgO'a: yqKu`R{0#Շ2iLr3.؈OgeХqeH':ĈV_ʼn8t-vR!8N1jndgQ#+w-dP=4]ç+ 2k̯ d-|2o+,0,:z'3<2 M{{;%0؂U'x=$@'4qoߎqM83E'%bA@FP0?x4xZ#d$ $4 B$ 13y>Xo:9/;(n1ݛEQ%/*DV~2'Nф)rYOBDg+GX'.9,I$.̌Ir6/F2]̅뤃DpypׁDPf&ԳCMr%*j&H6L3gM )H҃v5[d`< Ds->O)jrZla);**3(=t+2jgU# Xۋٴ͆ODBN.K_ lXcfD;Kش l@G%t~{b%ϧRk {$]ȓ.$-}g2ܔΎvkl:sbx<Ʉѯ y$O82qGI.VvݜdgMlLEFİtZ@+0Wf߷U!,I8&R~+'P{|\8z>ƕY$$jaAS3}ى5YfDRzޗ|P4I{VֿY*b'kJIčI l-w|YIPyu癷aUΖxvShbqyjFmV.S]݆r&ptS7J1GVOUmLiJfVퟳmVGz>.5%33BSF*W&jZqo+Z8X<%i<Gԫ 4@$ՏJQmDKZfP5 PLf\%7[/& &-YLgؕdZ @@x M%cGi?\[u_k|PxUqp`fId_!`+a2ׄ|~edjT?}Jd25g ,I:]#M,Ќ Q 2ZNTqXI9a e ]$4#G:͇vuJgaD\2*1?%01]OGn~wشILasi<l3ZiNP6ܦ! ˊ+J_940M އ pWl $>X{'5;8PWɆw[P՝ ^LVJ`c):EO7Mg`U'}r/?N[ Exʽ=Gj TEC07:ͫϏGSC%ŧ%d@vRr!ƇBUm펑^N_qzi3SAus$$1z0*P(r72׸svΔp$eᕅȫ6E6WܳwY殐$PnsAzc⦫#dRC8~x3>s<Qahi2Q]t%&DG=u2rd$ZΎ^, x/Gil-':PU3놉y~~u7 -^~mxWݽZ۾mk. ;6nKR5Ftl)ĩbu/I?MSZԮ*vs|U@a6JlRbc~FN9N!MvTq<ٲޛ.{DP{αmW"odֈa"nBRH9]/5[㥭ޅلK`s臠`t`(Rf|mt) /@n(3$t"*TL^k&$ih,Yn4D:;z3N&g$as}LɘIα&Jچ:w W:A hzqK9<HӞ=y|x|`0{'|A[mb>Vr_o9hMh{tP=S/bsUMqYߟSS#nȩ̉d{EGh,M _نk.Mt.JJn&afJ[Pd9,op0M2sYAce17{jDX3#GOTr_g%Cyy3nW5ť|oSmbwf/E rn*8wOfd4.puj.\T!جE8hĮ?Qi-Ɨ̟)& ˴]U$^`-Xľheҟȧs?mGT꣱ >qaA|V3"\v6R>aKDd|=4UON ^ɗ9hCV\}nz[* XuSg2#c6O5 {-IDAT]dGhVCw>ZN}x|HA[J=,\09OM$yiesMi=~W x & !=M} &糊Χ;fpZ2.}{[orÌŢA Ic`b{l& N͂Y0*EgU֝ IDATxw|U眻͞d'VAPp[[mPZժ?V{+ʐ%{B#!$!Q{yw9;N`LO{[BbuAA%dECCCCC,Aˎ#/`6c/8L^$ihhhhh%Ȳ秪n [/u\%`y-!((ckkDQD]_X;VJM{wߔCU[O SBUU$I>^\6tXc맡qZeI$)T`TdE44444)Y! :XI6E44447<^NNj,7$`0ZL Z*t:NUUE4~Ld\n\>C@޽  >OAg`(xMٰeqnejE=iS'餴Pe;!!+xyVQb^XEn1PJ.jӜpY(vFQV  !S%6A6J.e#;[A@Rl;)=c*| ^n6u'o ޶^3V푼ڂ磦1hTUAOEIE9^q}?z@WbTEIGx/r T(Hi}mϜFOWRQcNm ۏ,Ht(>j룘yp~j7acGS8.J l ]&wO]Ye5\ m\PSUO˕#c]5{{`Z;uN^<~tHLce Ս9 UUGs37jkxf]TTc ""tPwW?aT_ASmoW.-h|(Buu=cƌ!99ۍk1Ld|>?>H;d^U.Bt5zݨ~/kz݈^7C#`aAGSUU[Cd5z2o~G`ƀ\8 %39Ff5{etn*T$WXS\y>Ÿz 졥.:\T؃~.=@b+(w{ϓ\=80_/cUdoA&Օ\ggsDX_nKUer=wO+_o|A]}cŎ!<#y]ںF餃OtHOhh.~\GKu39LaJ8;Ieih4 #:XBUEIa:=?{ rm͌ .] *^:_Ah3LCen`%2‚AAm_AD$pIm*zj2~EADg0d`JFAhdDߑ({rw0=l!+a錳aOAa9/?ӛN@i߻{Iգ>J~?Z6w|[2~cXE %_½Ȑ@$O#U%xE,:svn{8"HFJnw>g0!q #1y*^A!5Hq?~#eA 9%J^5qd{UrcoSw;y]Ňݝ6LiOZgϧg"(?Ħ%z (N;rRO['8]dXI :ԥ9st(aɒ%ȲܥK%\IF =v>?V1*ӣl,;6tkڷA7Pmon蒈'.G'aD1aU0(x]8Ċ\-/< <_w)#L2%zDГ;[R<-4T19<mɠ>A7xɜuE?QLzy{@6oUX,:\ ذRC::{Oն!.oKCe v? r;MF ٱv*k ;~I=K U}kt#44cUU!,4‚–ԙNȲKy&dAxl6~NKQ=pBGFEN>K3tu;<=IJE:f;F :<.IH;^Ϭ,' o'a֝LT>B " zdE3fAnي$۶sCwMoJ0?]MFt);z5˟DL4Pt[Fdbt(ed4bڐ_K/u]xb27> P`{Cx-US’> LSZszj'aൎatTUjyneѣG6.E?L6NmEGETȺv " b;y(lIOPkiHtx檊TmOuQUne2k۰I:|_r 'gvIZt:]H߹;3yYnJZg5*ZA`WNgІ.5+'AonG,⢙y|ZjۆBfPWFh-1۟=:Cuы1+0`>w汯+P/?NT]ISGD$Km68_5Oխr3/VK+yQ:-[;ȲEX q+r$mL6'|71:4x9͞Ӊ'b#@K6riڅDgzPi)jxB!L{b`{#y3՝ sLFM2q<mF򤚍|~*N`-58U6u{}uZ߂$h})7(+ ::Ey햗W`1NNeeT,]N`0Jp3kʑMOUW|踂XS ^3tߝ[P`} Lܴzm(gkO˙@mXu7(Xڄ*Wg#x~w 6 cbHc>̆՟?6[,`ʀ(ڇ^vzC=_}fLzI:cIf=_qŤ!a]P"zW#"%rM2:7v.eu).JZV^z!76kQPLJU.I UU.>I;R(88iФx]6P1ZdkUsyaUD$@]XASFt؂- >YAUA$F#6 ƝyǍݤ $LE݃/#+**$a4Z%-rypd6%3&]eء(ˇׯ "Yׁe<ŏF ?TӃ@V0m\tQŌU/{[=AQTv11u@Ej)=v Պ(m߇: sihhhhӴ89]iVCCCCCA:g?C߼qn: siDLĠsBLФ~̼ 8^Y8'~Go$}W؜H@乙A sݏA02j@.KJNQ_GaA17簩řD$lXz R)o<S bt4P>/>ȩ?sr~y!!]N}37p`1֒n›/bvCE0rX~.+{({=ϫ\V4n K$_=U؛KJQ3Н$nq,ÂPENA[xiIecэD찱Vi8Sx`fY(t/|Q#(EKxzK#2:VN?䊌C<˅py^6o&x4)'.f]k@3tg5")G26P@@N6GZTьMAi#uZ6L"AIA!Wdcg %-.@zG]U1u<30<.ꤸB&[˥(.; Ar *usXُHr 00F^YWE֖V "2oVS ="LB}0&SuoeOf]4) 3+f,=hU@Ez9v_m^z_%K>ۆpť|Yaid8ع /]ǂ-fƢ/3CQ1|p$zG_llْCI uwvzF]qN-F9=$I_kcT^g ap|0a:Q` y$T F03#P&7GqG[29%@h#9>sNtO.ſ_v::bR-N' n`ֽ|Lxwh #s퓙DCQBu`Cھ.BP_n"H7P[KpEr3y"ȭadնbjXxӥܞimNW <%ݜÚQ)\ytfGʫAO.Ҁ9}7]:Yݹ]TFlfp}֋@XFC.6O)zl=PDeJCt8b/u)UBbs^RQ¾$pR}: d~F0k<YظKC̈́9qAAU~u 0wXnZs} 2+W T+Ӑ5?#E|6{JA^{`KaQn:2 ݚCj`dyL ngȴьTKKYt^?=YXy)~t :!N6g;QaU7ySfiT s6iIoNgp~Yѫ)͎߄X>)Ba^X~֙2DMWdߞ>__Hi}#Щ>f-(&|*̛hTAXփщMsQP" {9żjShl`hTmGJEl!?Ic !h_(*ȣ,d&6 7o入y4 U1ih'nї2 AJaU=ЂrtFBM*9TS"K)"3ȆZ%9yś*Ƥ؝g:C mWKUO#eաz=8zVG.wWb&,"?}CSײ9*P|JbٺU Gfp%$/PuzA/+m=+UA0耞b9)UB3tg3>_0 Pۅ3D$1g`F'n#z}gИ@PQR=}+#}GddDϦKK3)5*! "L:,DtɣF ՄMh e<$*̌pTz@ws`"Fc~HűZsEi LCv5;16|Ua2(Uy|4U@']) ׁx@Ou)UB3tg1r@1"A9ډl@Up94*zLIϏM\9Eѵ.(d ֳu7  IDAT&vs5}4Z26 -v77ZmSQT@tb'oF3c1VWte0vsaq/ )>~aHY2^ za?00Q:@`"@6JLU@mtPpqqV-F9+siuft ˆFlFCJ #lv|>w}~lnJ}U~XNi}D'1nPx:ƇXbA6ˑ$2" ֮ůs6{i@u5RT1 OSv<*IvpLj1*]y %/-?u:S&F^xWinbytZ6w}H "*̊-@uy>n_711=irLy}\47)֡O WT* 2K7|9rQ,݈\a>S`>;Bt: +X;.[OgaS04S{+nؒZĸLaԛmK(STܼ![s!I-2>QUp|P[Ϛa'?v C ^494\|j[hCg9cY(_K &< d9cӑa{ײ^QW-*kġeH.>:FfN{1s\ƒчȱ82tduAmz̞{)%Q,E0zp8r6>j׳pK^55GÒGzh2*B鱘 X*l'P>+`oI);Z 1EŏHR܃*7b!5zׂb۞ 3A6#R_[GA~1[S@HLN2!v=D~sgjCXdžTݮ^tHޑgf)D0)3D5*)4!5>#lέiSFFbr}eEW?-jhTrȮc$!)H3૪`_grܶP1(. " fbSt|`atc^%LJP^nHx}GX[΀:3Q!=>}۷O[AnN9NfD`}/[-T `xBUu4\+Sɫh#c|KYUg 5;Fj7khhhhh7khhhhhNCCCCF3t48F+8g<: s#l=444444N;995NCCCCF3t4Co[ֳԵi; 08цYLepU%z?WWACcȴz˙ۙqp/.ǴcMIWuS[VAYryB' fPn\>5a$ ܳss~;otu8#ÆK9߻-gng Zc9c6f!ʨP?J)_|JGPybi9Hx7_=ԋe~aMN1poKpcc}qPk^7G$f< j\9j}y?OJ򅳙?c(lj|gUz9}9xٯ!aRpy@0p\?{(a %m#>= kxO˚o40v ū>aۧ 2`\1e0 "V+*=VNMXNEhJWzWv+|O%*U!yW1gT26zvQ`57pif,!V8;M` -;v7etS&m=jwyC$|̨cKP2gθ4eOXS(qcܓ?i)G) __3v?y&w\CL*jzףpF'M-gA۩δ[!$Ⱦ2F|5}Q(ʡFjy9 Q:x !XT'~KNࡤ$!4Q}]d-?cr]ͮGRS̡C'-h9%*VF[ƑxzgJ>-phLX>oZ' εo#vBzw.t n~6O;dBRqi 䡃X+o)YPQhbT^+oMb5q#t/!0F={MuU&j o(T|<~qk')R]cjXxʠK.w8/h ?0G@| *٣]6q}(;=SPfQ̝/?=Ǘ%27 dao]Kݞ,| Ȑ%ԧW + Ni$xR< ΃2~β1gcygÇM.`#'p(n |m|UH$ i2YP/IKT\GsW%č F#n/.*O5i(ʪ&xI„A;Id_l]ϾE(S5Kعv7~ A0ă-2;O0oڍsj&X39)췞ev;*PV(Cv1R?`on6dcFTc?2$>=CU.={hh/вzL$̂??˂VA0DÖ3`H22"X]=4wL9cSH6{Y n\^ AzY|rV7cDs_m`iP#$m77Ȏl] a3T:]:KKH]z@GİYx0Eb;$únYgѱHȫ9 C\ u5 F CD^Qe-oXnbtF<ni(xM`Ƕ\ a+ 2fzTʧtyC/ !)Pj)w -aۊvTaj@m`!aԦa-P8كi |U$ FeT݋hcb1L9[0?0nA/\rYEW`gK%,^5rQTvnbW#HӘi~oW9V$6 Ƅ@l@AzbVnNp=Ha$4a!_G}x'yF)߲͑q̈؎=Lu㴔Ci%BDb|h 9():B]uv# >T}L:M)+@B@ei9-*u)=k ?qC%lȢuU>ݧqͻ.|xi^'Avϧwiqji fԡ)-#kZVm=zbYjgl\:q IVl#T_Ry֒7 Rc:N~xY^%HbS(c6=7(BBKrLPFճHx*WEZTWWrȆߐsѵ (XɖRxblis̟|5\Gn(g]\ūzW\w|Q_N~ETWNI7^e̟z̵ Ԗ屣/M>,]I|uoOdxq]Yؾqh&\nr;eA:ˆ#~&}.>ӧpcϼ;rvS6}54okzFfN{IOH$>?p kX;#wi@))zM_ h?ѵ|Sb~rTk/|EQ"RZ?gng=lWCC8_lu^844444+tХƹRCCCCB3t4!ajLJQ3YQ54=4C#3ĘΧCUtQw\M 37L. mV`*:=~ C00LFbD&<Ԗ!wj>rU?A?{[@=ثK̲/7p,/3n$vg6 {WNN'X{{%::f/_\iǚSgT.rg`(ܵ_GCtDdNc I ੡`7|z h:돳/^e]F?oaϰElx'aߗ=;PCCLNO`X6ut)Iɜȕ?wL=+r nxA7X BXBcHˆX_O7B?b!R~D3)l^yY?Y.y Irmew|Jkb$#}//|XBWrho^]ZD؅ܳ0 cA GJp* 1K tGbK(QǪLjp<}ϻs44 yu ?;O,-GH;f2Ϧ8Feޔ!$qWc>YS.cܜQ?a;.(}&X|'Y?y!"Ί|/-b$aʠ$"H>'=`W1kcW1k{Q/K"/m52;vB &$],s6xAe3)%&GݱCl o* +jc9 %“eB(DOa#7no.G.͌!2ĆG{p%v<:0Bֽ:+Bɜ39,PŲw?aMaE"!~/4SSs*?{2)i# +3X$l!A~6=1b0-,+?>oX4 7Hq?ŭ-:x BQbP& J :bˎ0ՔM@=\6ቋ8t%g= ٜU AA&ү_^9WΔKѩvr "!  放ĉdt 'P]$& F7Xƍ):iͣH1IH hpXdGLfCP}\wc leCN]sGPSS v$ns&I :, ~Є f~~>уh"&顧6s8``PG/?_Ww\5Tش~]O;A\} 6Inmd2Ӊ1$'=Je!`{7 3ʢ!L55fhtj-[^~-#3g0ԬR/ H )$u'c@ N!5RGxJ#wy>BF1wj4O#iXjV=0KjN[5:2vqӀ́w''?#RT?JPg=̓KLdP(Z96gql,,7+ِC2:ˮ| ٵ| IݪTܥ؛s]( H'#Q`fMCٲWyd?H" Af2sR0)pFMAI@pD0FABkortD_xsd.Nl\>J^E@gԈ@r7,a~#G%].?1RU- n.%RWEU6.#I/6aG 2Pq0s<)}DfUz)I1KGoEu?5DMCx]B',,hF'?{Wu&~3QuK,WY`z% $]6ͻK6n6,d!` {ﶺh?$a,X,~?f{s眃yᤛo wxjq"nF军 JOS,$HbD2lz;/]C;zgʴob{WE ֯L!~:g\sv) 4(^x{ D]sQD |幫 ݠGtivG>iWÄO w\O?z}_1CSOZ<]&=U$A )ޱV3vblZ]rzQDs_eҽs$÷=$PO(06c M|oE%tk\Mtv:A@`ߙ|-/<8JkQb~|䣛xrZ f%&S\.\"Ճ3PZ9ޟYڽ`mn6VfS+mx#~'t?E᮷ ^kޫ(4oׯÌۜ-U^-F=O oIzk.XJ5\ĸ6m2d[YIށT~]BAp***Å^QJUj? IDATR IO6LgF@騤k,bu+5g&(lpƘL<)._"i>\Jk6^`*, hv4}kf(\,ZKbIۗ|QESwp ~͜TOH ΰYZ$cщHHL$VZKU0f_}/w]6DxS,MTQŇ ?Yˋ*h" 9f+Z9xogƈѹS7?WMnQ߀pr])mz"d$1ZjDqwG`.&ϢŎM,^XIw}*^~<̿{tr]RGnR&L]v^g09S|l]ʧfuy0dJyvYȘ%!|L vrGuK\]"rM66.8ePϰ|^N ;?tnxy9я.|gI^1,~w9#V9kyg)txq~,ɯfraDȰDݿUsC]\g7K۝ȿz%#,`4$ǂeŔΡsgxܺ A!@iO竣xeñf:?½9~7Ғj1DJ(pB`xngZtWH`0B3T76a: C7zݥm\,rF;P;~}\>Cj%TEEd+ 9ֱv84X |`UrS,_NSFe~|G㬙H6syHM&&/rZ24,Y 5#),UnONz'ک,&sy)h-ӉEfko9]i[0әtlC*ˤl.u_ JHDK&Kե**LoF/px;1l?l56w-ǂW^ec^}#]O#v; 7czF,"6}I񱌙8O/$2ਕfNn>)eP䡆ȥkIγPTT)F#ѓY63o=㕓n ~#{xsc@Dnc4KX:t2b9٣9?Բ9:`ժ'ZAgO`A rW::!C@%D"( .s]@S~N\λJlѩ !ZnNo &t:]w\o2  6iWٴ\ár[Pʐ I$!Ek%ԹNO@]aMjWMrĀrpX dYp:**#ѩ Z7wABk݆Z^p.G Z6_ \.TT"*CF#sh{KкkhcTT~QH@;:;BHBѩ $"}= 8P$AѩeC*CFA?Q@B@G-Sg3-9o`d%CqjAT'CD,Ad2xj5H" wMT $ !siZ2[<3HutR+eOB{ߐMA!V}ݐ385ROҬ(ASu%٧Np}@})Oș([6]D<6buxaƌ$DvzF)l4^fߞ w=f5]ohV9nfYp2<$&*NXYޢ(ID%뵷_sW\g eg9yY.{]F-~ vhu'hbVp)Ѿ=XQ;O³ GKl}g8p:¨֞7dsQ{80%O6]v>Of]ن]A`D$ZyddY̟V[WhGR0^3Ъ^Ct摵vِISMvM0!"5]{yt1exOQh:Դ @ ||q9}zg(Be֑Qݐ+ٲCi| 5bÆ"#ǫ WpQ[lƸgg-ʆtSwBy+$3%JE\(V:.:ڭwm^6HIOęT+N[ttҖ0;#mx;Begu!E5OvndHP)sctB%dpG4w#3n}E&>uG#b.Ծ\EH-L%wƫ-^%W|MѬz>" vr4ţ9!F]uFflclru%Z g`/|sո ?\”lQ3* j,316C̙n{AؘX Mgغ ԁB@k\8M]}"p=D|HQef[BQسs!F .i뉜%.H ݞ0c@;\Oe 4 A$'yRzd;IKHU5o6*HPi`Ǯw??SOAf.RnKBuRc'e&+s7SS}tz-mЭL(1vG\aVl% sІ-Ry ԕumu'xeRح%cT?js(@iy '=+_p/~ډ;(.X^=փ b87*%&.`0<& WpDH~; ~cfhNh6\nr@u뾩LD~Y7 P^NZ|0bUhFzMTibODBL@-0Quʬ˜.X̂ U#A+! :>bF0≉kpm߻F6-,fL ޳Xe'o!h >8 Qﭥ?^Nba3ߛl. 6|HQXLaSqx EzAQ{sCǭyG%YyO'%   4 JQnjA@Kc3P'nWMԷ DR&3 O&f1A\Ւ.2p s^@n]OtT&'•Πk)0fT=h. iлno }(!! 9%׆̔*%GgKz ֛@V22uJ]nɌqӘf̠^Gu_aڢ,fQ$&m<>+ȅLL]d ,ID[vKW[ -LKoe>*f^), m09)| Ob,@p'~՜{P!E1yy,g>;<㝔fLm+t-ajB?ۇ-oTRF"Sqf{s,<5\>/LJXL9e/ +:,@ MEk17+~z8AMS{/fej@] Mt,JޫzPޞB{;f !RLl{LeT&ONeis2vcS1]iXIm@Lc.ipl'/>T+zdkH 9M gwI;EsY1] Sj'_hdL٨/8{z]Rڧ$cɺBgy.9%W3bL`ҩ<4(v3UE|).([et'I!E$px̶6mI{O~~¾&NU<Þ ]/t[bҒz CԙHvE5غǓesxdˎ.u +Ƴ$ս]W/奻Nc , Oh-gG9Yu;6 yYvy8;~z4b~,`=~m_hK_=]V~!L:UYꉡC#..Qk:Љ8 AQ\\vg̷ؓZvrІkLN4=!bOŽ.U$_=QI4=uH1q41IYL8rAurCzLʐ!" #eg$Q|;x!̩[D D XNeHP@IGw80;N'rg~PczT\..]ÈQ.˸\#u TG2$Ӹk !(ʰ*ڴ4n X***P.UVaجD4aXl E)(]MnJA7wUfuAkiUQQTEQ+bܸD$ID6;A#训X~xS{xb'ZI&;;oXLUTF2S2v.e菟/:m=;EzRkv;Jk+ih]TTTnSrT'rNXԨK 9yPˡ2W{t*****#ѩhTGwO#f*y <y_P=6v=60x gW3~Gܫ 7nN cͿ k?)y\C 2S'BuI~?YR~Ҟx0k~ňǣqcWU1+_~,x2L(.fΓ݅ f l͵t!QYDl~Lsn?<~_۾ܤt,yIiZ#(]?3O%pPw SڅYݿ|VQQңSV,:X->~x;IL}eki>Ǜn\_J@llKEEeKN"nϻ~vQ}s^Dz<?Җ˕F|Zl`?<)1|GS|б,MM49/ߍё[\$nj'"HLKA!52 x% Sz\˄ %SUٿ7I퍗(sd+fW}z {h6mYl*p \.u]UZ/G!/r 2sʐJs^h,_J;8'JbsuoG>goV0=a#4. Ж|mXOvZ'[iiP7ל< IDATŅrp:#C$Ϗ~ԜϚf='-$ tӏSuLC2 4bN8WQQ18:njZ\X2&>ZHu军 r3E%(!xzҍ޹"p~9d2aL '9-)#@P_x{1WELHN)*)\֢|-\lU`GsvKE=gPOⅷM[ 57l$"t/sW%A@{7M+;}' ,  >+Dq?]98t*X(^٩G/ڱ8<=¨t|b_U6v8Aө=:{ѹOyH³R``ѓI.G%^"p8ڛ*¹8rhͽBHl@"+VxO2*3bJ+ Qd:).bJST]NBLP̜?p:T, W?Й|-/<8J+ /G/G>w>.`~YRn (""r ʩ}kKuÁ͡ibj o|}DZ bv]oRWc?D#YntZnc:vbF}7cGȭhX,K X,J-nc**2; ]Wv8Kdb;#SůnkrjW WR6hy_5cz<=l2[ēcu( 8pEgx xV u>XDDEU|`~ J)nӓ&'6&R#'[`.&Ϣ_7Og9C e#q#kȝ%HeȃG454 TTe!\VI صO/܍7r9@\D X85<(MsUK(@iԮdrrQ@ZUs0o*WM U$LQc8毞H ǢeŔΡsfW?i̜SMiO竣 xV`'ྐྵ]ݱQZRCեBoc<`c'/ǧr#=.X3 9fa2v[(*leD1{hE%u.FJIMʈa@+-71jm:\^΢iB.gʹLZ Wq9ֺ^.GBGv^Xفé w@]v:$i Aɮ94<~g+#:m[k)~X3g>?ȲϱAmq.dJ7yô5極L-?YA՚l 0y?=#\7 ]q5K{Krɬ]K_aV;?as1>ؚDdT CQQN Oİe糹` ^yuyKcuxK~D±ugzLϰB$|BҦ#)>1酄_Bz&J3'7ÔI{$PCҵI|Fur**&HѓY63o=㕓n {x}td""7d~k:t2b9٣9?Բ9:`ժ'ZAgO`; NEcQQVN# zMDY]9%<:w)`p)(弫VQQѩvZ-:h6wMD@At.btPkMYS4A&ћ\8 6}:TTT(SH${DjZDID#uyeXSUS1 \8\2VCYq$\.u1ѩVZ-n6ע1 "h|et.pSQ Tn+]CB*VSBAWvQQ ˣrW#IFI"i$i=Tn+$"}= 8P$Aѩ ԡKۊFA?Q@B@D-Sg3-8o`d*qjAn;a%6H7Ԃ Z (H]Uy+" Hh&l!Vcyƌ&ҠNb?CT{(C!ݠoȠ ǐv\Fp_785UOҬ(ASu%٧Np}F})Oș(_6鳘;9wK .n#[r9IeɋX6@svyǬ<ʭs->t< N&1€DEi+[QGI"(--QmGePQَL,v]NCi>_ݖʼn+(IHrvmW 'Yp%=t(.p902< .jO'}ODɦV",|r5sM]<6#"q#Oq I#c,/ lg㋙S7eo1;?5'G+_D\kw"0PنueHohp$"W=ΜPS_΋OE"ł]b?Āև~L|m%":pX鰺h}v`(dq #/523GeniJ[F|_7:"YB|ć[;T2S1:m!C 2qۻ͙ q7>Ì"z:y#1WqjQ.T@"i}G;YְHĒgxu +_ŦhV=wxwo9FÔ\XZ.&!hnn1QWQGu p?K%Nj[iS )lI\BCSs ,+Rpzr"2!Mtx:<{q~=";pGHr<mWXKh_,Ge;g벘Sl~s/W( \M]>#nd]{>PL4#6uu:y,@WG 5X,\'[I4N!K q)ޭG}t٪@hR<'QLљC:U9:3qϯ "p̧aVAݜO2ДWL}Z2Saaƭ9:m$`>̙nAؘX Mgغ ԁB@k\8M]}"p`fw.v,ݚJ[mDjgETY.a[{rk -'qc5VZ/:t nBt~>6J $ljƢ5޾|RsZ"#qDyM܈ FH&v3}t٪|>ie٢:.9<flR?b_ P0$yؗ8kW{,d_,蚲^PZj$4xnO^[V_Nai-B߻fV'{6q4Sۛ/$90EE"SIɇg)L}}kL-d}W?~z4:Es>uhb?t=KQҔӱ<܋IS%q -یD|uQX{T3ر+uSå7;Ò݄NǮH-|g\sNg1_.{4}!K_|jݶ|<1+L꘭ry!qpE*W`2򻮭#zoec]%NwܱQ\V]r?1k?ff]̞/ n}TEIY-2U'0JHδm7?•痱~w~C&vZLgF@ut=AՈAtx}qBC?x}[>xqL[ȼvw D-xs6*}'ul=Ik$86/$lJ֤joJ\4f3D$&1iTֿ8]l:^}:g>~-9_nO&6R>ݦ|h5tt(%Ta(<._K#(H9 xup ȕ׷[gCrfJYSferB6y5>whMusr  P5(&P͌sC ٌ z7[ 0kB;q::#hM/ܒSL-"BPyvEAV  @1} 'nr[L22 n̡LU6RiVMf"εv+R v %$w QY߇tJj-TW1wf~B5 DY̺9k,^u8< I'$!(~d?̠nBx_]"j9!,OP]2x"ccі$)<$KGپvz9=>y'Joi,!Eqc63UOe-||;g].-$k -D ,1l.4߬it5Fbonu< 㧓SbA>M 48=hilۿ6[Iqp4(H/Nu8ʲ" |b#mozm݅ W!|`bMRK#2!A03 !HJkey- M t6mR,7R&2g"px76qn VLf//zm-#snyF#dG/㾧&\5&è0 ͗8LA^eeDf x uqtY+MQMr35uNf4cd7-P380QLMc( 4'}CVpdjj7u/F>0˫mjp*"J3 ))'|| n)| Ob,@p'~՜{n^…Eh#qTrnC:}zr6]՘˹ qƯ&1l W;&QT\52.Xxj<\|^Y] 41Աr1^/2W,tX7:8 z1?xmaG{Oh:ɛ =X-X>SYws|3ߙɬę=%ۜAub1XNΙ]gIz~6&饶:270vʫ{r'K1}3S<9q>:D IԞ6O]8wVc%i )ݿ:6i>Nmq2C{0Q0HVԐunJd´9 8ڛ?'G3hRQgP 3f]JUI>=|f޼Pm cAM_Ǔ]LpBWLnpBSA1 iI =A vQq)ک322)Tk.u' 7DK{3U]]i#%VgIJ1{^ꛄFR0[nH޼<<Ib?=Fsu1_mH=ײ=o3<Y^[ʉώrnp $rL}nLgd6}k4W/q4%K S*V=1rPvHzP3(B4e?A)=|\0>G~5Rޣ(m>ӏz"!z`)۱8رӜ侹)7&S;v\`01MS@rTOI <̲gQ:`2IaB0N `t sh/9![H ѡ|Ga['spg5G44kC1UѼ:QB$ul2IUd%cBE9lӭ`ɊUɒ$Kr*]Mb+56G0Dm'\L O@`L=[ְZ\mZIZB:2 t*UU`u v1%j^̓00<`;1:)g*I_D2ISDDBŁ\脨]g[0˷)u]o[ͅlnb$ImF:sSTT"$I; H$Iu)I$uh&AFu:$I$;}I$I t$IRv{I^t#;B0` {x!d|Y" FcuKmI7^lAݞk`ڣd8j gNbYAsl}Y?{y5Kb &#bDpuJ=uѩagL& NdVYJVIv^þlF+fLgFbCi^&goui+]?bAk2~ETݦYJ$<âa8-t?2rϧph(ے݄bHlv/CzؖS%9oī|?vX8  Ceq.ia>4aƤ%5/Gٰb/ֽ[ aY:um\:wJJEhf%1fw|X~/࿟cKid׿ڟ e>s346Gwp}_j[YOxB_YPPF'~b#?!O. {E3 tU{v4JE`xT#5|"KFK:z^rTvNwܘ9a ?\p7yx`^ 2w3}<}O־ 젰\ DlaR˜tT]!#Y4%sg4|x)qWU7֗YKHƛ7H%ʳ59-vq? ]_ǝ`ݳSP] `o&#΅߮3 %3W'‚8,P]tO7YW8bz"I%\M~JK< IDATԹџ|D`Of?4 2l(%0c> 3̌0#[ֲr @Iһo-H>Ɗ5~7)?P>/-@TO%% =gBx&f2Z4*IM;N92zNDM}o/@d"3WdJu@0G;+B4$y5V56 ^[.꠆1|BGٰ|%;/`'/9q ///ޫvc`6a۩b 2Yٝ?_g}kZ ;m4_.Yl?A!APZHITK = lNh(q_SB ju n/Xru#X!b},VWkK_8ò_7{r,NϿtf3EzuH=QSz-x+:*PF5~MU8 D+8+ 8 )͛+*NUT) ]IׂCsqX3 $h@+g0? :珟İ.JJE `c=J*u0 |5Tw/7'#{(WD֭U\\Lb#hɷ]0@#= +_^gK[QQTBZI5 Bȓ3nը,%k'"Ԅ+Ȇ΀dG_U5,X=6J!ttܟ ^:\!DCpZ^z#5YӋ2NieؚwY^O`WG+\&M9_R'.K^DOq*.x0\8J\-'z)E0z`:mM_!g,IQ:W3 },(z F4] ȉy<9g]?H"8S8{T.~@ 4ܣr2#a4Siv:1k2C׺f:_ `p)(Ԡ tz.6oNo..=M;ؗQAmx g`o?ϋ;rv&}LJWiٵCҹ Q&zɧKoF1+VL Z4Ebh׵w `XoB" ̿+ |u9aS7_Ĉ)Euk3?Q!LOyhP(q#z<9HDl˟y; 'y-E 2iczI !ydj&¿*u~ zμ6ކ*IĦ^N $"0|DG*BaGlCh'˿ CmtˤT~R5& G>u!s-F?&B9|.TN9Ζ3'r2sLBކr"(F 9SB8s9\\|+Ũ jSΑ~ Mxk`) neۋrARIY^e%$%H޴sf1cN^;D 1 bP+UNt"ѵ&E^ s#L N}Ljba5վCSE3xR33/6?JuG\F%'/?>c;/=F䱑c_'E(i'ٶ;njk-%!BЊy'VM}IZנI)8 ÆEx(-8¡<uhb!zroF{ W+M%j_:PȺDErZ ^͇(v/=4{yqcEpf3FzeNs"o]qe`烗0_#_=Z1\{yLDbxDaW㳩/FQ!EFN%2']yՍ~ˏ@Q !6}{X:Sz$a}Xa Wr9)"3ڕ؝zRo@3ۅKh%gx`&OŚRU0׿ cR\wnO ^b{ȯDgm}?*,M 33]<ʳGp忱)wN;Y!Oij&fY<-If ,EU`02ܔh;HXQopڭx" B!|Srcn N19ttOCbil9tԺ|m9IQu^2?뵟]VĄrXtn ],ڶ]g]0wvMJovis fLLs0|tƇϬ+N`7gpMkG**Sw+2qщ'J|34 P@( :v-.и3pUc+/91h f3?;^yňWүlys Oغ^~,4W]HpPG BP^V^vCq`̖Oy"=PpA R]qnt{?=:`Y5H[/WUL\_>ꦶ'??O_ˏ_lQd׾3p`bj/᯦+*6l r D`& ݂@G ,vemTr_O$:Q̧> aayhbo:ٱ;c0o5zɁh=1o g$6j9ٵ4`.>†UkõٲPrKEf 0e\ ;+SOo+v ?e@ bbB*&ƏI`ds&j|(atZ{݅ZWNl2euF?4SP<8@H 5%de搙7^Aـ<~Omy0w%ZIg$N_DL+[~y Il<4o e?'*܊ |o\0z;/y= V1}~3q&2صck!z0gxk?I+o %:= 9YxL ꀪ*ʖ^ْ{d>V"$|_mYL!SJv]Hkzjf[HJ]*'Gwԕ!?c YS]<…( Btp5pQ|ϩͿcɄ=Łt@>)Kk:w&R׍ΡLKƪ높Wp{|fOp' ^7%$,l0_ɛk}==w1ט_ىK;榼0ԓ9%f3G. 7iv6u1}K|gF%x2w zD: j(ʤgFoօ@ذ_cTqyx>&$6<@MY^٧sNUx|! &6Ԅ0c-P~7LЉ`(9äT[E(b#4/cV:΅I =IJcԷd4I/lo|gʕOFAun3U{]QQ{7g/T,I;T}x5M¬'YV>30ϛD_zK; WN*/~8g+z?K>k 9e{(4 +V+xݗ~dx>D;PQ:o{//_=!ԕ^fExXs׿cvs# Iju&?8׼.HR{q;|aIj #[PPZBD ,S9Ijod ;9 66.*I- $]ͨmInÔ$IH[P$IL}!I$Iڵ3:Yg10cId!@QTlZjnfpGE QLoc`MQɖF:]1X,` *nU0DPo[ M]6ia1;l~c$vNj7TUEU3͌*T $NiwՌ5 v:ir2$2IljxBTTIjVCuP<: 4,$&rznL* Ct/&N݄ɤur$j􅡪*I7C6/I ?tNj7L&U^ ؞  G'Iuy]vb&0y UL&JdmNY~% t#.6YQ!f`UB U`evzONdZ| aEiؼ7k$qwMbk4y[vfEQ\ WC[!bŕ,kXҵgXY}}|NBȀ&|>F zi˗yv"GMcS3 'mEUQۜJkeN!rl &wF_s.X`(!7ԌoӳCշrߋYK'ڒ4] t*A%\#q\gLAC*R^17OV Q_a!]xFhGO(5Zf+IѺMNTYCh@?3K2z2ﱻ閺W7eru;~"F}N/ǠվĄ)4sf_gKqgB:?8ѣG]Fņ~eE4d&OdѨ?OƷB@zu6e:RѲH;ZE  G/r#\#Cg8̝coʑԉL~7ۮJR+G'Bvz:_@TWoV9zNvvWPZfѫ* kgs.ћ=҂t6cl=aD<~rf+c(]k92}Dz[@:[/K/KP/?h0:C᧧(蔧\<1] Kmtmh!Z ZDVJZ3oS'˯$FztA Ս¾**j "NҚߑQƑ {t2}gzpxFR=D5}tᰠTtьyu~:ӫo)8r~~O5yNG2+Ձ颐~*D)3 aJmJȧO2xNA7gSE !ڇ`U_IjV5O֠PE]L΀aݩ3;Nۅ wײ n\+N ʔ>f7+6+>'(Ojg9\axzVAS0u0̧w)W˗ZǨ:]4IOv*l?F㤂ʲFWNy8~)WZu4* 1="_ӝhqD`86%ŗ7?<4stKCEaFq2 q.x4]Q\Lɉī)lܚNU *ݹKT9v9(Yz*DT/<0|l1CP~ӁN_Ij֍r8ra}$W??拻9wF]9\tf],^qc`)%)Cl8F3PXW?5ݳn56+ >[L-sCџwLG[ hz wO:(qn˼w)VPUb˴z6|;U~33-ar@i7X^^Ny :9]\u)B0)Bv0 T LJx$ݩd((hIG~äv0Tq*&Imqj 4 ͣnϕN4KtSd JDŽ0v>ݪ!\m,Ink%q*]Mb+56G0Dm'hNa  G`w+xVS+I tRa)) UUЫ$, soogoj7 N̪NrrJJR{!Ԯx>=EDD!XX̵NPgC mJ]zVs!?M$}@'KEE%2HH""!!A3$I:,9R$ILrKI$#Zv|F'_-C"Ivvd͡XE t4ZKKOS MfZ10 dKRG#Ԯ͵f3[@]A* n䶎 M]?ţcv(*4^njkˤJR&n* e1fTEU0սT ˝r[a"qyҸi4GH]4Uw)I tRa6fbupE] vR;f`fNn9@j7L&݄ߡb26lT1MLj['G:_[H_ m׭ j#Iw(vdRQۀ@`!{ttL& Un`2P oT&ӭns)IdYI bl6* *Q!P* [QOIjp˾]NøIXƲOo~D}rџ g?5&1~PW>\9߲yڏzONdZ| aEiؼuI5 ų8b2WG!bŕ,kZ_L(*oww|yv/m'? 373GeIMn2Җ/g3DƬf|p*tSOIyt1c2'af a?Fy ~ KC]:.$#Wly/tfDf-Uxi+iqY<™VJܴq,]wNRfNT%8\8H(H(#!@V$^kٱ8%n)cO}6\^XIP›+ŻzǙϑ| IDAT;_O&V|JRk2 BOaZJAԂ8ovfcw-u=nvh㯢RO e~RHz1(hG'}/1a i$D呕?dCyjI<#$8P^+|8`wTG *hL $ȢQ;9A5o=87*8lԑڂNٖw|81y^Ae͖`:n;]|[$tQfrLgzcby7[9:nISZΠ=P{03E:OcVLMw ^?QQք^Ai^==|Mص3չd(^P?%כE>h'R5v [X8~))ԁ~Le'Չwm`6gD/H񿶑u^>VT eĽp:_V"mG!l|o@O՜{g;%]a-خe]j{\l:d $R0]c?-"dVh`øi|‹\ ӈĸA ){W48aYyk3^lOHp:qPCeu#gaA$#(YaC(tW)) ʪ&/iY\H;')vҧ* ),ta?OnѲ F>x"Qh^kQVN4ZY V)˧$F;uy`+S8rѿ A"N@%úS_4Y +6x^8e0hlmą=`_r2l8l?aqNR7npl-:y[:Qcq6=SZ}:%ACp=Gvem>wײ n\+N ʔ>*t4LPUY|^u'qzH0xrˋvXc:g;ؔ\K-er'EH0N*,k0|W3,ehWN+B=E`86%5 _Vo~y !6(#BLHןt'Z)'' CX*09ngp\EGs fON$^Matg'D1\kmWz-M̆ 3d#rNOIjۻXG]= z\(k4CgڈK)IZ%G2l]S|q7GsuPXWO5ݳn56+ >[L.s{Pa`xfwbVuSeT vq)"" !b tB(u?6ooSwK m"% @:]***AB $IaQ$IRfk]J$Iڵ3:I74H!WiD:ICԎUQ9nfu¤DQ;{ Ci~YlNfs{V?PcWЭyx[Z]_l }]Qţcv(*4^nj{ B|躎_Te;ljxBTTIp Qv<: 4trz$L&݄ߡb2:& Sl7a2m6'QtPU$@UhˤOԖ%$PUYd;ɤ 0˷$f  GukBeu֞=#ou4L(KR@L&ٟg)N$̘ʸ2kTi>zso-PO (͝xlDN-[F ل!GUJ&PkY>m}uBbbP5j\%d:O.RY1`(FNT _MIn67]'K1÷g1#>]%,nVLEƠ3obTJt>cOZ9% aFvYEf}H_+xBDfPvYY: &a>އUB`ʄ ҹlzK[#-*'sd0gEqr26d\}"/)_\;k&*( !ټ n;17ww|yvu:~Jnf{{IM/g #ztf<1h 핢q׺@4{6죰F ]_آI|h>*HDtno%2d:DYwEnsPX#J@Xg O`qlj6T6\DLL3[H:~鼝"fX god[E(qƱtW9ɵpa`Lӓ0vofR?e DD?&O}z/䆧DUKȅ4hH(#!Ii~aWgFX>G7~=k"2ӫײcqJ =}9z1w3wi8FAvwN< ,)WyhUS;u#Vs VIKDw$p;7& Ɯ~#VNٖw|81y^AeSb?~Z?pat?6R}e@jZtWe^Czc!nHU;Im24*aCgxvW6bk';3cȩCnݵŃٿc69q*3Lm{ ʎmbt_UAU) fL7XufW``)*j9ƧEhN/Y ΁7+}Nĥ{%?Iڃy-I(X NoiY]5WN0Ե5v [X8~))ԁ~Le'Չw44s-Exӓݛx3 Z^ 2blFX$ZmzwnAvq _Z됁tSJ)vձ< $[p DDLLU$2BMM_F <^,ٓSA\uuS8<^251ﰫ2[pLd75Y+ 1gs.j6^6RDXgl. UZW|nS,9EMTʈпnԭ9wUUTaٸmrhʚ[T%A^uSN>iZ|^=Ojjgy? p 6 \KCAzϼs57T"2jh2'&G6G㤂2鯾r+x>~77_)b}Y>CŵŒ &,D/S)5E|-/`U6u88v"aRW~nԙHqOw|n1y4gPU !M"J~|>٬-T%wэ7(we9ћ-9G (NPqQ9E@쵬KkI 6w:r01m%ݙCM%Bdl3d#rKjVG|٣CjRѺQ#3LBJ|{}F%ܗˡ|sɱ3)* !Q] )=SuިgP]CCŌj6a>/7>pg GcW-8:wPETslNNU@:qYxv9'r;)\+.8't1Uz!7JIM)a S9Y9k 8/H+)%#sB:r8ra}$W??拻9҉įO|b3dؤfA#cTRy]fIu3B9n}f,fzW=VcܱҺ@j nZО$ *F]CUQ_/;ڕ!&[SI=亁N;G?(R.kS2q&M5l+u09(}g az|r9}'g}Q=.wq3S+͉L2aI }Wq G!!D !D/8.)Nys8iv⸁ 6LEHB޻t K <63;;)T6c^B#֭זElmY\ qsx|nRoc]uiZ.ߌY@ j׈8&Z0hNJsٰyW$uc(HψKEUUx3+Jؽdֿ+ x[ctӼ{NuQ[4ƾ"][#;#Rf=t!J,j>}SQj-׵k4Enbl=,Rl?-sn\jRu(2MɹcV@6÷GpB*p4yAK P. BԼEuT \ YkEAӚ[[hTF EiΚGC14ٵKmJ4Yڡ-,]tPEoɖ-7U(筯8%.z:5.×76\jtT. =2I]Ӏ@V FL37`;'@yy%QQq:jTl֢Qkq^tQWIm ^VPp:6[8֥NF~PU 1`KKm{uyȣNXU'Rd2I]rsqBB dd tBY._q~RӴƿ\.\5dgQTtY'RdLQQ,$^+I$[ץ$IԮr!I$IɓdN$Ijd$Iڵ/' _{2$+E's#.mk 1=]Υ[M#isϧ~|e:5 #PQY0ID}gg၉9Yzp?,#0I\ m~MLbxNh'Gg-^y?OKV4_UgKe}/I<Ą^DbIiNgNPtMįtd΋?an ?Q}Fy($= nypT{.7h&+}*=caSv 's5uWC~Ml-g 240?kߎa˿+xq*n}~==Lo7xvҫu8c=׳x>2 7,5$oÅIK>>t@"@4?[:Jݽ$:N@h 7@IhbFp^ jՉ/)%8Mn0ۻܩ@|L֭` P Dw0hi;YB8QP][WQ'p,dO RyKߝ@|g5Ņh vd*AD aμ<wOłYd+SV?5| @A b}l>&ۋ!3-R[0&~f2ta#\ݔ`c g܇fuXJԧxvK0͟ߨ套wPZt ^q:$NU_CvI-&mB^]ݜ3v?mC|Ď&dOp,rN݈ p kޏď&P)FھTDC|:'Ï٘V[wn/& ;)`ojfcֈtYմ IDAT P8̚>akF-y<2#.&<YOY|u335VOl/qE/N>'?֕04`aK<Ʌϒ/J ) Odfbˤ) )bW\*5~7. &F h>h%l/ axFuwHqqQ ˚ZN 8O,tLExwS: ϸ],==>u@ghTVЕ㻰yq:(+G㋏"D׹Y1᪩e ĦvT;Mʲd6lל#W:0h\-qTQ2asH:w/:+I7s')-Z<ߟꩢą_xo&<oW {\Ob,஭aſC/zѯyD#6椲B%4̎Vf'9}X 7oa%M7s}y~./GuVR~e>> 6o!cKTegel8[,(~g/v) jwoQgbq^CCk@3s~Lսk&Wݕ{P1pssu@'|426os0*8N1h8B}}Q@%0oJf*I^ܒSXh\7 dԐp,|m1ʮ*hy8Yzk&p׋/Ya0(x}{7/:\yov3 N.B᨞s|k4~ GmΕT?ޚwql~,N`;8NuvVXG=ëO h~"ň_D& h%% p z){|$t7߇e$b7kk8rXʥ蔀PBMuOhUEx5k[RwaYz fpVV)1[8ʁsqhti0~hc3ubykȿWe_}SpWYq. ?FB8N! .ЧX%w?^4c{?/wѤQUÂ~הr5->>fSbv ~>(KꌣM˧)! ߡu&rD2?9gkun t/t$Lg乌`*Sob^ ǿw5+~REYrʪ "Az|Rq@g׮:g{gLDŽ; 60>lîݕ.&^yMsquo?!j/~9ycut</eo=l.@/x?OCCQ DdZp0 ^z㩭ѰFy5W+%\)zH"T^&o.keXNs1 ʓ8X۵3!EnzL-$G&ѱ7%F͆[8]^7y\u_o?p`WsJ Mc8aඨhiΘzQ!EvMgs'>U DB'U: ڮ>?_b`]<_uE`>)u5̅t8/7_g]T+a<}ï~,݆ %%Yg NI`Ej)ƅpj6λMϵ[aBMñZ{i$ 6z%m tClᛏ?o:qbUT^<5G_m&$f <<(t]Cŀ3{GtFRi/,x80ǩٿ%-zUHzpW* AL(6ǪV,;k^n7ΪRrΝfMl;]ZZz^+%쩓<GΠ{>_,sHJ(VK ˠ dYYpԆ/}1dg-G6 Mb]rn4kOy|,eѾxI]/SUթL^_Xo&w52Ҳ.~^[BVF Yiu'IXr*߯Iʌ~ء]XڒkxY\8;ْBl:\rݤ‚*r~V  ˥^ŁwnDp<#kz х<ãϊKXL?Fu J*ju!t:vs.5|.z kOWb.n?Em YdyuOƍia8o3?;? 'l:]f#í#|2:>#iYd֭Du]jWbǒ7^90'ybFoiS-!B67P{.ONND*ilY9d@~U/VGHAW}esAan>PZ[t''˿/+2q$/<Q=b KA~]mk=؁c;otFrӽ }6:ܭHq ,6Kucgg9KetE1oJw|5VAzgoŤ'%W-+يEqݫ73@rvθ@DžK V h{Y?od/`5łb~z:9^n6{Y{ύ&џUhf|l.v3:zڈB̜M}q|s[苁?6^zUے9þ =``9RCV.Y'0nL}ȈO2KI%B"V4Fu@w [huj|'gXM>=ҽ9Tjؚ?ALf<7qt@Nx:)pЫٰ} /L{ozEj)S >ugh{+dg4һ Lvn`}sxt|-kU̙F~]1rX|Ύb_:'ME~>eL-7jkx/f x~G4PXt=Wqp 6W9>yp:(6+fz55X""뮁$+c  SX' !4o-]ø]pP#z3~H[FrZ*7e2j5kҫ9㺇)s &?/z]9N}:˜1\+Ԕu`9vIf੡1+;inxM?Ni}S`Hh#v=t`ӏ~'f|#1iT|Tܕ;W?Bffp9.^Q,|T8nD +Pu2?QF3՜?᯻/@Y[:q҆o行AM,'lu:^ge%;y5/A;}|JrIj~ï(MvNɓZ %I_1 CMPPZf nz{XtA9I@'I7"teʰ}-g٧w!F/y$IdѫI? $5 P׆)I$I\kP$Ij f=t!I$IʕwtR%WcId!@QT,6Ŭ(չ"Gu+)D]2]5^=I(&N5Ϊ=S% =FaSw\Cd"V|@u^[K̨c`p}5|S-2J͸@'4 ݪ&bok[7f=1NgWֺ \H [W wq = RHͭ0 `\6~ҺZX |ڠAue _N9(1YY[$vǧJ.htfzeh|hB?r>[Gz7nmcr<<5"};n̿t3n2f]{Q7vURZӷk RvoM.Y%lfJsq'ab||zyI`Y (y#B ɨ8+g7l&i~vdP0TiWpoH݀D5sMd,$%pqJf%lШHɠ¯+Q/kZk8*·%C=/yعKory\ 6{: +5 IL~f&=Bofn%f%]f@E'dPL9yƀaP?"RXt=8S6@1Թc~ t3 8+\h9{#ؖLH,V {i:审(sG2{+WrX> M:<ʴ2#G66$o46 ;p\baύx5,x/tB_Iw`Lٛ+Y(;.?ȸ)@3d]kZ@IIQVoNӡ=`b 9(EHOiF]\tI;#9%Kk(g xr NTYѫ=>,3ǘoo&ub6w\{_?:NkL40Ƙ~397>^wfi %0ꡪ0˶ljB`H2רF1 :@],zgnN4=yXݸ]fn]`0763P!&&c]EY.~RӴƿ\.\5dgQTTrg)I_2ImRQQ $5m&$IR%{]J$I@u)I$G+W~ IR{uVy"v3c tԎ!&].aklӁN/v`P1Y xl*|nhcW1Z  NMw$ w|3uyI5Tm'$0TTzJZK UPh5:ty7?鱁x*>4 IDAT4Cou7 (MKM"P mNԶS'ÈȈ^aT[ϛἙ} {v#AV1)@g6 ](_uw9ә^nŪBFUU]n] t6So= EIQ9yOWV6{xCu&<ꩡ$7w3M#'KRX1߫Nѩ!VlRpX;fcTt4rΥrd1Ζ4wBL)ae\*IjF;{'Pml29)J=Ps21v͢CX%`ƍGp Jrfƣ83* 2N`rH%?IIMR[^B=`S;&L`ڷ&:O~~ר0z(ݷ-lZ)nK'2qDگ +V}Q2}ˆ3_N0zPTUkۍ7v_;GlR,3Q5OOFt h(,$=A>(OI ?(?grnJ!ttnl $vuq2YXB3l8u!Ȩqݛ"1XғO+㟫/pEҽ[[ч&2Qz0t-?Ɏ5(؃ÉМ8nYie~n3|/>I?|3>oj,WEZU'd˲dJ 1}va =s[.#5:Uf=gwu{,G{閹bT,;x94n2JLlֆ@\̶#brxOA!$Ie,?ZƵF{赥deΝdܳ3cUKcӿa~ չi^N(ټw8x:LՀGvz[:F19t>)j' ǞLwX{il"ӟzbήu.I 'ޟq 8C p8&tb'[zuu^Ojވ.A@esrb3C0F [ԫu"Rѥs! imu\lZiM~]cCAGޚ2l^gG+|2w$9 KQlvY0Q<^FĞ @ aڗiОiXr:R/.߽utmθ*=7QJtt,{X˼ MGdTR4 ?1~TܛVF%hdޑX\z wUZǶ&a~޾9k+,t){ci.#kX TWSuMQ frd&˲ӭ}{s>KDGYU[xE`8v ρ+3l7vD\}:ì$X vWiY}~D`A p)UV^Ffk)B޵U my~aq̞څx/a\Q}eS)7gy C r:MR ˛|ԫn+vlRUӤuWSY !>V:@[B%(6x/li0Ix)=ǮfK`MzrI:Ezi}.vZ^yN/=g_{lV8I?Ev(k_s,[̆gk_*߀&U+?~~PTR }hi0v?xd\J`y|*I n. 3 8+\h9{#ؖLH,V%=Z[6Wd^ޙ~ÓmjnjJP(&3f6@Qu<>{T 9#{lq5 /җS8ƒIYp;=DWc35^z&R|t#9Nz3(6 %,ݑ׮V_{-833G8~OW{Ï_Df+VްW))\ SH}1׿,W&Qz݋WU~a0>2IMf,fp܀sRTIk=͒ K`VYFKЩC0?솴4,MYX0˧Yw*B!:n)-.G^ٙ{i=]kAhr]>U2xTz5lhzr^]M5VM 6|P]U{8i<<я˚uug%fYٖV]Id?sZb~7v|k-bֵC1xn]΢y&,y!}H6vsm!J4к+{-zPP߼"z{L {zѡGw:[x͜x,a2I͕X0^|iVņSt0n.,?[0SʱKY,t\&u6?ȩ*%EyltR fCXBE\n1y4mk>Y4}=`]ydW ᬚ:Tݲ-#?)Z@u3(ܚx0= h7v97i-I??ý5tҏ&YSxe6f޹ MCJxW::pBcu8E'^$9/gyw>4݋f%27tid!Wrz.:Z8s vyV3&ԭ8=IGIͫ-,w$0׽w`tnRө)&v/+XesRg(͘9Մ== oH GoxH\mYxX9z4=EK>T,Z!i1)%9y* |^KM-GkP%xoCR(դs$ڽ_Hia sٟA vsդԊ]TV}NVv#c3w^$̑ŋX1A|k/ <=<ۏ>^^Bۨ7ذ +{p|˶wGi{uϪQu&CA[ nOӽ'kW]A1 A<ˊOlhPAo UA1贼|ΔcY0ԌuQ[UJNwa-q*PE~zwǴLK'}S.6o쑌my,(ܽOIL7&'gdqJu@T6c^B#֭זElɿl{^ 2?]UJ֙m|(%^^{M'f@wUSƆŻ9Tsk;~NGk j׈8&Z0hNJsٰyWTuc(HψKHUx3+Jؽdֿ+ x[ctӼ{NuQ[4ƾ"b.^kCw:f͂ӷ<B{{5"7ăj1zm)9 7s_~8KgVކ# }g<9뤪8=YԊ\vb{ЕìYW,W0~$|pg8΅i:G T ^ ;v;\|νq$[b` ƀW$ 꽟B4 PeOwyCjM6\q?YU_s~-C2lu/e1Oo r.ʕ{P߳:2]X&u M㝓WenWW ^?&P7~E= ѩu>x:"^x @);Ɂ;wR 3{/j6.ОgAΣ%OÐ o `Ohcnfu-z<4J}ÏA#& `>/?fQNIc2DČox|IC `!!5l[2;by uI~|YwvP6g0->D_&-JUs. z1z-A^\e&\c0mͻ <6uN:N7~v \-M3]xe,?{Q Mo_Nnydb_F?8ġa,9xUoSp"_E!T"<05>"řڪ7@}<0ă3F&"zOekI&Ƕc,T@Ho,C={$>Ƀil  >۝KCKY,k,xo;)SEo=0!AHZ 5ṧ'o6t9՚"/`HILX& @9Ow#{-=Kџ>QsM~֌F.x5s> DŽj8/gK/#>q{Tg'qjvf5 &B'/1gu '?]`j&kWl;SJyCx"DN]̴!TxeiL ./'TP89{Xh1YSl!*ϸ)>eZ4ax48J9[w,O Xb bwO':˳LǂS嘓 Ąz/|1:dM#G#=pF'xSq)׭.s̘ rriwjZNp9 "F2Ja#OCq^72(2R};Pw~=+x1%AuphwuU{0{U^r;Ot&\ũ8T(BE@$*" 9I(WMD=,h42VLL7ڳM=3&IȀ兗h"zɳ|XMvK`4\"28>oܰRkbw~1+UԔQXXDQy}wS\^@~w O>#^G]=6 *U{YŗYaH<E 6| +Cy f3pޏyn@*v럞~ď&9-.odn Mo~ׇ}ÁkˋRAq)6:@z7AVғs| Jy!q`D3ŝsƈǕ]a{ ־&/#Θ漑7͟fk{Q\PU~\%׸.;9 D]_*ӹx㟯778o?M,}y);Tm;Rg|-!j$#=K8 lszu=*oԴ^ F?B{gl:ғUnjH;T\H>?}Rlz@?u(=Wf$dVQXӉVCs9T3"9/>OwS1]TLo#Jy9ޣytj :Coۇj~H gM8qf#1>č c^gӿ74?(W$ AV`חl3=nFz"p}y 4\LDSY9xB*ւ4NF<)}?>@t0яp3fM/ZT c_b6Q+9pǃzΦ'#^_|AOhȐFC=ʖ**kG qUrv6Oa;y੉ _3r6 tGORuCI(@jݘ7UUI^|IkP &kZPel vdk|\JtN^9 jUY[uTMF!8F[]'9!jSDFA<_{P8C8u02dp/dNcMi^V7(6b=IlFN+mqiu ɘΒF*Ce(_Dʩ])iދǯ~7m/锡R0$Ç,(83qPA c^@/>}#B #1-TrtʂPkαX92P !-ADHRAƅ Ԙܽ{qp:G_~ϸزaGPK|iR2]JU_k9^:g aP2n| Lj-wYZ]ĊJTyX}{h}3{U'&|gՊp <# tA߰L]/xTjB8Qak {5:U9"ysG_v_c͚u|e?;w'Sb1ʅ~O~'lKll^ ˡ"01 GP.UxsKU{ D_o*dCUo_k3ec2'xh86GN~>|kyF$fc!e哗CQm[Jq!E_RGӃ" hh;F|_ ӟ s=͖Nv>~,2MDD_75FF.Y"\L6{rƝ1(عT;ڱd6qH%LnVLRSHII#%W+]_LQsyNo%U]ሔn[K-mb\c{80)45#8\_گWz^5ellّDŽB0AuG &D.5o뤦TZ;rkój)}M =OG:%d|!W+ч|~&F /8I 180~2ueY5+`J"kd| Nx ppa*v s͡W'uݾ;Igv;V]p!h#h(wϼ.W7BBB]ӣ[7ʌҸ,y oy-4!hh"AwM!\(܏{ *9Ȳ6.CָЇ (eFDst 8fGF]MhܱؓWQPEst"ieW PuFAFoDNCCCCW;[]-mgݺFE漲ڱw84jtQ(,"sdnee.E@h<@Ŵ8m** n%vgTFBc0((FUS]mg.J(hSЛEL52Nͦns?h:h4Gc$ Iq3TLzDID'5+ 4[2^j֫MFPd`:u( ,!wF.M4z z[B21#u1Yh2ڀ(;`R0 ;(j: =NiеNiл餮Ktq INIb{ BcZ$$N5:it: IU?^[|lˉB{۾"\=rz26f^}yr7VsŘtlUWޭ35iw5;ǞD5ˁdRּ眭Mۅc^9>~s7W-B&ԣҺ.IE hoڎZˉWwOV L"F;J%˗yc2eV7GMg3d]_Qׅu{h*yϹxf';91dȸ[ۋ3YX#34dY-!3L6fJ֑kOd/E{),g<for{E{K>?|q2>ߞ7y9Kʷ/=ބG:spkH/VH2,+2 Nr $(8ըS/1ߋ W$w\ TS|lqF"ZI٭}H4g{hj G>M9q嬣$W;)\%'*T]E|w3q>&ة>T'# @g 6ȧeVATL[r.ur:%|؃K:/?X6g;FvBDXGޟ3gn8: D_kʱ"~.H(sE1FOMh)vi1I*ByKM׋ {y>Pȧ7qeO'S.B谹x"T"BYB,IOz$~yoC]?^DV֏O34F!?IjûE'נVfԭoOA-Ͼ2CK$Gg׋hseuݞuRFORΝ̢{C9{6|pj;Ju.όb(2z'Y(t`[㢃KB>ȧ۳i9"8oMu8Z֞'0b(A,;4!Vס0Pꨩ&csd4| MaFݕBYQRgجxD摼 1p' 巧Pu/y>c>ֽEjnvώ䖆.պ:pbnv7mh{7 bƜhjvcSf-,;[TT9I/~+_g_w-~J1 u l䱱3*8E\bH'/1길+;Aͨ9\ [̱woʯTR3(0>*oZܡVE)Xj}"3pCtg;>ی2c3YrR[/vi︐Chp6fb8N/#F$W@tzɗ_ڷ위NR07BMהԶmkoIdN$($'ǜ$I8; C_»vzCdrx,.gKI?j.=}i"ZqU$O{duNP-FtmYkM:%g ܹj9z'hdk;NaРz;~N$SMt2AR@ffvWh:h֭[Gב9ϩ,$oy$:WPs3h: sř7(mCED^1VTt'TѴ(m*$b+ "(Mitҥe٦`:lov.!dgڇS@st=j :#^6yKrKMAg4jtFجi0)4Ul*4vTԦ]AAmT0:lnVUh4SUuN5:iTU%55C$tyVjycW!4\2ИfA/)=#{1M4zv'狏73}QEB/VCZ4n۩דUtTF\3( M54444z-ڪK ^@;RCCCC7nrmNұ'wvzUh:4Gѣh\'!`2FQd{$4! i_V^/㴩,;؝SFst= n6Q!asQ}MtnWۙי)^&fSӮbܫ35jt41H$E*CH&=$kR@hDeyӰzy"8dՁwEQe<QөFg9:^&`Lz &cWf,4m7@;`R0 ;(j: =Ni{~MHttRW%h: z~Ҹc$ I'$gAƴH:I 4jt1ttyȨ'# J thNǠ{MlZM( k5jt1:$QEnVUAөFgp4a;yM°}<)28'ض'K0fN⮈>Z ROuky M | 6JOc4}B=rz26fگJo<9Ef9\fF~qf:ҪTZ݋H{jA,IY&s{,<;-Jk?5X2ـZĐ|?пEݺ~>miדeG'2f,S W11nLiٰ/SH 98Z0T6Jԏ1&ժ{Y8@oVCq,oOOS X<,H'qq:Lq G{$ mju*_6NcNL-\00(%X35M29)kv+gFfh>rZ4xe1{W2"֮cI[EZ6g߻is7sA=OVR3`P8v4Qxc^2o'%~kl -{_ዓK+=o >{s(o_W{ h4jCv1 4)II&'j4zG*n ZAXZÙmM9X.ca۟M;"r, ꇏC_#Yl'P†mxfa,C}9PD]}= G \O?~gٞ3TWPgNErSWѣVRn0avkMه2ZÑ?`Srx8(ɯCޱLf/9QXk5Sdkg Dϼ0Ne9: IX:[v@> -3bؚs OL;))dw *dQ ږn1 HVFG"efUJJ G9lb Ky"HNb.칹)Yq3PK4?0% Ʉx7Ҷ>nŦo IDAT<-:EkJ$Zˊ܃| #Cʹ#'&i>I0aUtɵ4\1<*OMa)ǚMufM+Į}1Y31sdp*!m!RB#TrT{{i^  '~xcUM_~J5\Ebи8l!rS+Q#}orgAȓ.BAqWРRKq'ֿTէ+"~N@i8A7)sHxc$$ 3 ַswCl@n% rF3zIg8Ϡ3|\I84>Mșew&}$fԐp9(q?AMavddZYMxxTnIݺ|-3D[X>]ldϳN1?*O!¿Im.3玫]D[/~"u*njX3In,TaȩWiq\L`Tr(bo^-Gz+B60|}Ogr@7pߚt's8 iq=R$`PjSYv[6LD#QLgɼ+pڄJmu NRGM 0Ӭ%1Po #6ROzԐowJ1>|n:/z[8w¼Ď;e[ϞBֽaX+qܷyfܷAavsVIy/C@Irtyd'k`SZ]ފJM>zfO z}Oz"VCUFJZ++rUgCzp6lmN`MUV.h\BQu 1xa8G).me=b󘎂,sj%gN0! {Sq. ynҿ\{kꤾZ KӤYA($@H?hPjPC!Q,G2H鱤 ^'v' H7[3s >]Ofz ٝ 64) ‰\ άe[D;D0`돇$8Hw1p>VrN]^(`?E!Q7q)(ϒQI]!u{zs(:GU.<>)܃27मZ'?d0#GESvv4}SO=9[M(ٻ9QǠyj e~L?YTev͈;TYoPWWP'K|}݉d~),*T"z|b*` !abƒ/jJ;___W,RIZ׷=@< *sS|7`ԜPNXƆ~-ػp_LB-).*nnیJCjƇ_e}~ kp(ּd|zMu =cR?=&$r.bA2v}'/RJg>ScFI!Vm:CJ!1l): O+p؝^FԷx$@G?|eί}I$ ;y#dPquIX=z4>n"*bxB$G'y)$IBq'h8KPwp?&V|~؈pg<4+ Z$wYl]揗du\z{脦J?癎ߓ:@"7_A6Ospz*jdt|w:}or~M:%duouw&hdk971hD?'F-= _a 33t4jt4-9st]` ~599  D$A|sFUU$ADЉ↚AөFg3.{)άTDFڌ fc4NFөFGiQ4/fTPAzOүtҥe٦`T%d,LthNPUUAg˦CB@U9sInI1TUU thst=BBc\f`TI2!PQֳS;ԦA&fYeF3UU]|1\T3FAUURS3:4 IQ09A'a5>vB<%# ip* Lnٳ=s;thNGa;8q ~~xn0c7EAQ-tnU<(JvZ{=YE)--Z!N5:iHJK5tQ ZZCCCCע.54444z#-4z.{}gjg\S@st=Ux&hEAQAV׹KBи,Fe2N Ȳ[h:h4Gѣf67(^$Mvi( 6YT#㴫lz;LM4z $!I"nf=I(.-Qwk4^`2Yju@QdY#FthNǠ1 ؼ%$"8 MF ؼ 2Ȳ4N5:m{FA0p%tFu8-z7:t N5:_4$IB tYP1-N@zAznM4z :$*]2pǶ5jt1t:DoV HpEM4z zITQ%۬A@$`~ftܢ&$dʄ tG! m=Eh;yM°}@cOM"蚥32)ksN07mcwPƁ-{9Qho|Tp'|r"C5(M?o tѳynA W,cc'lc5+Uo=L^ZJ<#[^_ñ[{Q3n$Y [&{,<;-Jk?J C=Ƽs|nrZL&LG]!_]IE pvw/3߹P7Ssy_,l@ػ'J&|#Mټ123 % Ii}]Xw,۩Vo:GCq3T=uV>!Ŷ71d6\ǿmiד5Ggb܌!Ҏa_ _$LeRrhvIǐ1c2f zaju*_\NcNL-2`"r< ȶm jr",JMܽ,k y7l!n8ϷΧT,$ѓ8eXi!{$ mw-DS*VnXǘYy~ovjRU[9S$2mۇ3YX#34dY-kDP`2٘ս+R{skױ$ʭ"a-D1`yP}_&{ JovՎ=J3obKPLwާIIzOHm9UܚOPZ~@Gȡ-MpݔÍU 3b k9zbi쬣$ޱLf/9QO s4bJw%{pW_jfÑd 3Y TS||K*4zJ &n+Ҡ<0[FSk8lQnO`D3+wJذ,eO2U5Sdkg 3f`?| f\nNuJ 0-+|ԇ1~eQ^ͿؾO>KB?NC`escd)Dq<9s憣BǭKȌțm ݮ|ܣL61%P<+ÙqL/B]=VP-7furߺ&<,J;Bu.ߢR~x YI :ŮS5(5TT GjG< X d{\O,M%'zF_H&Ļ X,W Nb9  K~wsDQʹ֍`4bĎz9Gq1eзOp swj\7(k>]/P'YBڕxęL mp*yW]y>oHB!l[*Zu__okVq"( dqMBF<<{>9}^ggv6af3]]oa]L gIs;7.\8⒡z^B:ME4Ee_A8BIc #1@xA9_uKgذGmK@r*hjƫ*~q9_у*qcf3=/ 9̛Oѭ@2%W]T3m3s3t+w8%ʼn/.OnaGᰠy]ٴc&21c'+ C$Kk/o`Hqݷd^_xrDmVg-dLD)kqɏG)?aㇰ띃U"c#ӑ0Oa޽wq.w3Mzԕq20dJ-sDJ`kIKB@dD~LLU;Sq T{؍O#a!J$&}~usul1Hn"i~D5u}ƅEW>/ peA+ © (8GX\w8a | Cn=.\vKЙH{̏Tu ɣ*ŃWTQD,1&OΨ<~&X,lo 7g 8y(K]LEч=蠵k󑦌i:cASnC˗Wod x;W`ArEkxP ʌ+gpM=n<Wba4@wA6k;*cƨ m3SC:ﯧ4v&G+; b1;RO^"בcDcYS{_E!;a\I$wX ާ2MU;f˞i*(:7n8 n+6+A ͻg,s{}n A ,D5PVZqU[vgYӘ}(W>W7ǠǼQN!s 7%U*"O]nVG֍xMAQZ_4:Xa4w1f\9aQ)e0E'1~\E;npdg\sE YL|%Nh4ji6 θs&v1KAěpW7D\$OÀNB:5ktC+INS9"q9e8 b9W?GWӾ$zTRc Je,iIU(-ucK[EbF>>&mZ&xCBTt30V- qw@GF\LfOJyf)!u`31ۿCiʼn^(O0gԔQv0hY2ᥡҍHd@cO,˧$@И.tsTIDvcDΙEvĩSȝ盾nsщHFInth".= z+:7Ndi}pʀ1ɱԳ Csmk5OC1Ďr33Փ?e- h &eA^' `h1Ȝnfl[qj=.9$7ނBjAL<~d$`Iܔ~|o G"1Lf ;_z32ml"4s 96 }_U)55T囩p5ܑ_ ߀E |lVBY1Aù @~fl1z<"4[:FlB ι*僗WϟϏơpUez ^5aeS}hzpEb`0# U Bh+V: A MfKof+/W1=aAo!A+)u,U gb:'N$֮4RvS^Zjϟ:wQ 2O%yh/*ZQCg6*z.gdJ727z]\1 Ub Ӭ y*%hqLMC8*Z@GJy*H\2466a1YPqI[5~3ƦގV Tr!stKfyPkkZ !z>@ ߀0vߧa:hlz :%a2|PTUAw$,m*>"9D\C,H:qjS0<Ejh[־5ϑx?,HB1<᪗"=Se?=+ۋ9?} *W-+FD"9_Gg&*>@ dN$ch I]sf;MO?_/(ǠA,X4ucb&^~*XL_ 'DrХNћ++,z,ɨ]ʈ&gu,383#l{o9+M$3(w2Qq~#3`|[:&?8s a hr\̒#:UR|$1q΀(j)/>Sx>!@D0+a׮7{ r&?_YĮ=ۛH8i\ξ^o Yɽn֟(jE|Z%9w$⢜8,9w^収mUg$c,Y0V g IDATo*ONB!&6eX=a*Tf_]3%. A̾DCeJ#B諹udF]ԕoOFA5<,KOT`䒧ۋQ"6*GDt4ъƷ>763%9Idؿ;h 1B`E`N` ԴtFS{5Х_7MdpFC[Jz;'F!dFK΀Xl&CԍAcx0Bk+]˙$!㆒%0d2Kn^H O%wqk3?B8L(]\A (qd&=9;>\>AdPf>Z[RB?0<''a"*47a3;7`1Y| P""FnE]QILT_q#)k"cȌ=8VK" to1b&0M uuL)z6mS3/qƼ,DbL2"@d2$DCf:1; b'pQ^ٓ(Ոe#qC[dԲaI!ԕН&pg ܖXypE7ow.[]Y'#2%2כN5)_ gT1M";VPp"?KGbGBn,cƥ}h1XrEV' ɏ;<ܫDF:EkŌ61o71F5ᅴ襳H$B5k*O;҉ЫX}nӾlƘD-#p~'>tMVO"c>3I_ S\cYzCo`-thmuh@ŧ[8x0짰h/ʯ! e;1^~dI~HGCpO nz nj=>xs"FBgLpg4)L:]uOs2)9 z=Eu#RG8•èoyC=,͊z^Ozd"[zC2ɰ=>0 FtN~ ҩ][2rH. f!X1kYȾ :pKѩSFc s`j;el?+ѯgLٺV~R/F.eש3W"\t!t );z-kF rv Ls4,a2;0lyoԆ:PcCx="%R %,ZZPk,枫rpzvG `m>Z0tT[v'ONzƎ.طveӮdI`ٺf3U<6g,;ʯʅ,1W77{,:DD"r1WWV[?JQp"Lϋ#SS'm*O۾3p$0ys&jӯ"od Zi Lkj]^LDN"gxt Њ74 [zf^VJf1( &vgJ#N@_G+ a-°+- ]t+ݴh1YSqI!w N"ֿWֿuK2S;2 \d"q4ȥ%g0noeŇsȞ̤ۃ6L(~}vzl})mnG!Qðem+M03RJ#Ogvlk|׭tm:%4[̏X*<RgK&2Le?a-n| SgFjǦ 0Qφki yG A(660*N7û?g&0S767GbFLwTM_?[] u^ >jݤ͹k%hqTl;mH$/+3)|m+L6_aֿGf}Qq6l(E3tjwX7hܵAyr2\<& *]h' ǏQ4f9p>nlpFԠlK殦(0envGf=|k=`s0\T4k>Klh: <{o3 Šݦt/ 7$OC>Ԉh"M*ٿATU koxH.bWwK.m L[Ed,_oyø(`2B 0! CVV9aS-ۄ㣨&]INl,SgVC)L૨ܑ hZ-#nHb7B'9 UU1GY Rͨ63`R'\ D[} 5%g}EQB jAVV6###G#Ů!NrfG Dج]?$'no#5΄455SW@ZZ(&-鑰$R$'H@E+̲HzPgs h466TAsGÓ>r{$ChK$a=:nDu <˫?$R$'avPj|D^6>HνEcb/lVQ9//鳴B! !U})tg&-'3 DKǏ~̹>X0࢝ 5)*`B:liȽ}km.ksе: =7tx"tT!aRϯi79s0t@ UXyŜ 5)7^MRThwlzj3r_[Ə(wYÈn`f^Lx璷V|+XG%o镌͎hkL?F=kN+/To39Yf~5A87Mzz9}8|+TV={s_X;=KSdk0 SZWcJ=$t 6 t3^SDPϨ)ӹup/?8#Jca[fڟ͜)ɘD1E%q?W}JWOwQep)m䓲8^s:PlJfĵ0>+Cwwr1 <:v< #&]46գd\$ @BYw.;Ďe¶rn}VxEIKt*~wc7A/1 󉇱KH.ztQRRNCU*1) giʹy=J 5PgᰟRfkfl<֢ ޑI1(wy!VĶr_+A 9R!TŖ7_rďhxi03@8ɘ:9I0pUml(r{}" >8(f4Weul.c0޵V̻Y{>)Ie{rflƊACLhOcfş=nr \uMDT|q67NwBd.M:GET?҆eb5t·qYS.&2 q9]@)Vd2ió'IrsF799ɽ@1\Li"=$tvoG7:v z#׌aQ$lZ"6Ρᙳ( :@$sD:ѥGh:f&mbnmb{oNYt: YCa,My=7OR8֕P#lZ:]N5Df"ubn`wY[ #00e>,SqVc2eoNk(D(h}u SN9v&f;~gJb-رͰ6 .Du\W^)HRȾ8Ɔg*f,43+髜I"7HrгB'L&Cʨ9H xwÍÂuqdČ( 4v,#S iGq˨+YjȮО؞ϑfX'GYG*VE2M[GNӕ &Oj,XO굥GtS]x"ȖX*׿Ȋ-@ѱ,I2er&_;Dk_3P[JJtJ(n"K9dS(,>̛OLYvxN[xڊ3Q3I8^A &?jd 0p 6u-TZCa ́ePBqOghADKsAv<*7 Xm)ٻ;:z=IǂoIyǚ0AlM]O3-׍\H$b: z%o):tЂ: ^S07 a4aE`%Y$>5<[f hjס<#c5۰c=&LfnեA 349Gw*vH@3| VP^YG)DK7&t`cKcRٶ @@3 ]AD4q18ACm=~'b*]목"I}rB!A٬g^[IU(G;%i+ئ9EUl+9Ͳ|[gJw UFb10 ƤfwEsd.o""HA~Ķ9Cb`~>ڟ ,ԴT#룴9I+ 0c1C Zz9SxmYRinBǝ^j8mzwa#kHlSe"UҌf$ //DBf\p9¦:g3K]( 8XYOEU3t7" J;s:=Ր4j QN#rեś器nCb9L}|I$11iV7T\?Y1(ZVF|&r|`imHro^79 [˄ŦZ3%c6rUl(I ᄆ8΢7l4SCT7$^.BI{.>@0jk*Ί΂"ڊU]_|C0 #শ^2Oy3gqL ]T毧`&F0)}5ow:3alsEu n*no w:B{3= nuO^Oz*É<!w֋avAuPapl%?x_`آIǢ_-bܰȰa3Oȅ)k&W?1LU@w5 ^mYuj=^Jՠo~ǂf^O]CLwI#<#k!y8{)O:ϰI$oY-ޤDDS)++cNjJ.a/ 7w|oĨ!lBGLP\iߊF”C!Ҥ$=Cxcqq`\΂9:-~RdKdɏ[򣃪7 C(1GqJH6$]ȑHLG"IBsh.yrTVVo_ս^脀Af? bH603F$ CQA(N-5Tt̮Z2* $Nc:m#3%cѢy$$ODDֱU 7,[O-7B#h`V$''B]]+V߻Ѽ.RI"_vhq4㎴_( bE1Y$,>,1%dذ!DGG5f7^4-m%'hjAvv{9r{K)tFit iM٩9ձJ.DbF%`7FR$'3xp:hhh\Yk -?))zRZ" F-1ˍ'"-nҺNtETR[(2 %'cNNUUHgkll"%%͆a>СbjtU% iZې4s 4B!`00j>T9"9 ^dHt=?v\KTa`MgIΆpibF{QLKɩi=h9Ҥm/${;q ^ܲdW&υָih뒅LrZZ)ë  i!uyd+}dV Bobts0 tD(,*!DI9گ&Ȃ{~̞R|:fg<f;.[RoF1Zn9H:c6Zz=8Spy{T);JaM;396/9Ol=P)*H@T_0G<SHGfnBJWx2iK/dDm4v_WsԖhhX)ۗU?{L=O;B/s@C lc5!Qg|Zj ּOaݏC吩bhdM$Rˀ@nهQϦgo[܄)q9[ճ4&VUǔs&kE+"_: x|Z@}/W ?k IDAT=^Ɔ?dN0I_м4+k20=5ܛ3i݄B/񃻦h44~Şyrx1P7]t<Ώm7vQ4UWɻ̾a0!)l|SaJ(B(k#lkfǮ{PMV>V ,NCwc<(P@a7} ((2')$,[xÇSE|~F,Y o=O|gqY& t6~uL`*)t #HsU.S#~KfȊt!հy~8 &Dn|Z}lFw=P;q(DC`11 B LJ3GVqgICͯN7hiЀ mBxwQ` /n'GO= [wTn10H N'jOs]5&ee >C ;(QKq>[u} &2wz8yBN޼CG4mE$t(m]H. 6_?ϣkj {1Gnw]9J_:} _X[V 4#;R.qV֊Nb]žWW Ғ` ;ײƞSR{yӉڸƺjj%jGi-$Lˋ`'4kffDTWF}:w_=LI$s\ofėc¦_{bpe}g搖KN1%+_"!XF4S k.A.ZVhжqѶN <&L~:]Y4#*槼ϫe:< 91񾇘q|\r;,sT\5$9A'hi|i?woa=}$b8{vr @붭>oI-Re S 'jؿkjf+hjj& pjt3~/_PGF>鋿>() Qꪨkr hڈOqL2! 95CO$ݾwWc-eھg2gq$ꩯoP أw)f#1vX2d@$}UU&::=CgԼ9 v C8fZE μdG- 477k`$)3+_ee6CjƏI9bhjg߾e<#7w|׮(mQ龧(- zp3(#جfLCG 񸚩wooI||v &U Z xnvʠ+SS\J]lDa1܍Tx:!f Ajj ~@v=_ǀ=zlOHȀh ?5Jk]:HBwetif'8̪0tBj|t8"U04~u4u4{vFIQ7/*.5tE`mW8FOC-f˚ׁR՝ٍPUA71C1뗷INM۰=Oe1+O*NTWtS]Mv M4vdz]sB+&xPƂ@QtlE)9-Ji{F{4 E+[ZNASL>wK!i # i~/jFaINi!TUw=UU0 itCB/&UUQU^qOvVCS)#„&KNo۝ɶ八'.hW B!uNMkud2aZ٬ I&py g=Dž^D\BנTv&n(ё|έIȉJٌfšh|hdINFQUFO(D6w*:^͊f(0p 5j&j뛈O΁DD$ @SM1 a2hF]F(0BB0T܆7a0eM5{oVrR\|s>bbp:#۝-SdݑAҊhh?D~AaR0€ %62ňӈnc'!@1˞@md ^lKN X I'"‰ r?J BCC3Q_ E ~8-DM10~(N-CvZ0 Ѝpbt@ |MUKPk`ӦQJ};;NK=`)r1AxD"H$})D"Ә3v<$D"q 5D"H6ЉhbM~r[EcPHz f@8 :M_"sV^%V^{VLze~mT+c9 G㈻~1)C#{:Kӥ|͞r,ǝD5}*1l;GܒIu!c|fNzYV{*>Rye Ϯ`wT+^ ]mF=r|LMCIdM$Z>aNlv@s֭dwɜpyŐ'=I9]YSazgQO%f(~%D1-ty7 Ϋ 77)t3>Kt33nfm WxOSprU:XNjScGr(Qт:1(h3CP^AL!QsRqV)8=)e,!u$%dR#1cpӕ`޳-3;3 $!,Ae\@Op(Xĥֵ|K>n XjUжEQł@Y$wM2Yfe]fn&КP ͙&oǗZG% xA:]4 V@xT6W=]h}vcA0הDڮrĽOǸyh8n#,bTRJ$R4"ΓX1.Hi'Zr8L1ށhGUy/6]pv1$[ CCfsM[eB%fv,>/M]mNݶ׍X%e‰5 \HWtR,dn|HN\ T_N)?b\dK4OZKUܞrѫ;|n/~H]л 9i-i4}1'iϋE*);^ 9O8F"o\BKkHeXDHT~GDiV[4FJh+}JJi8,Z ^pg_H_pPXZm DGN  SBԷ_%ƱDMYXI) Nji[l,ͣ#9n?6%33g~VOKxyCG&U; fƥx1QPg%暪' _y;J(}ei&gZcVz9kE"uu8O#C*R?+4rӑ~Ke] XJ2Cl+2e\$F{3m'Csn W$nRV?9H]fTI.hT+u8V7#ӲIWǬURKlrel5I|M9%_u;^Y)66>N.&]?l, h7r?J<¤bQTH7qY>%Hn q˗fZ2\D`t4c=܇ޥD羷q9\թnMy?"]1̛7OIÄ4ܿlMC+ЛV&8x8܆q_Gkm Rx*+n k牉'臘k3 aO[D f%+`[K̕˃ vib=( f]S!i z[e VqP KaL["dDt @N͍Nr"< rm\G*98{{̩*?%/]xrR.KD739?m8 ~M][u)}m49\w64^8 k6L-H7{yF|EVv>uAԹ<GMRki9~SnM@pJwsC#g%t4 ]H [90F%O'ij林B7KEbL$zV";^dj!o1~qÀF%L-uwf}12渴#+MאmF/J Oݑ, d$׸;Mp ʹ<#_5,@2qB"1a-c;;mD_yq1S l HY:Lw ͸%cMJ!Cjo!02yFoHCI)'A Ѷy _'E9,2Uvf<9䟭b}To3j κQ&fʼnvej}>W)OFC:hSCva 8j #(eI^KxGG@@6j{'!TU;rQ=]l7l,R^M}F.ٴ|fpb.%3b8\$[ۮR~*\vl"}a&}n3Gxǣ[> ׿AIɻ{9$>#T#!^IGm=D1*z:!Gա]:#tg?Z$ ]0 $;N*8@ 8s]SBe73.ES+;AS^)m}69I\{^|PKiG* E H 3MjMT^ //=QAԤ0$Z|P|ZQ~FQ:G7My=]rV:+0wqeH\k9Kiۦ,/TT%#T~*L@ -O#@pz#6:@ ֈN 5bint8bo _|jL$9vEw01u8LTϏș#rk{71߼~FyBkw #Ɯ9q3S=?BOɰRκ+-D9{^%4[ EK[f)rlJ^{AUm%]c{i.ˆ{_ɷvg\A9EtUf?|#aʤyCs" &gyi5ſk"L}~ +_NçyĥL{<:61&Pݽ(cU֭m|y,bR#!qB={v U!ϛEPd3x u+N$'Pkó(WVS_ E k~sGNx=ڨPFd5ARdo]6djo\6yKhz{9t2[z=S-dqҾOms}4,Ƙ&iKP{BRR"\۫ *@Z0gƒR=Tuk }4Jєmktϒl:CXC_Al;?$ř*o_WIY>_ADZdJmLu$gX;r"dhRd8C3D5AmRdr}]ݡ֯^eߎ-D$]Y[V`yY>  h3UMO2AqĒ]qDBM;iNDxH(!pɺapƅEKGE["%;5Czuk}Tg`>ۤDSvR[2+Ws~tbh un: g[YR u襨w@92"dF2;ɰ61ܚ=}:?4~Wn{wORP $WFjl2V_1څK:4SzN'07=NIj+՘_JL|#)orIU2խu|&>E$2E0WKVp_r7vx7J}:fs".Ƌ_UFxLɰ\5A}rRdoz+dGNtdT$,HXvѦ2.'818\qIeڢ O6VRFk_9-AI a=9' HKTGM?+n#a%3Ib6 iN>(__c`5=gap֯1y%gѯr"dFsDX9]Y = >i7r4ʧI*Bs(͵+ HRi n{|Hyf R9uMeR&s@\ru^@ 4VT@ѳ\qYPrܺ鎭T@xd%B_Ɲ9FZ jq&MlNg&㲞f(_Tr /rx!EA\1?0&ʿR a mrw# 1y 됳jЫr"BF2V)4V~k9ʱ5ϫ mMb.$7dǚGߣ⤄;w֓aYŤaLGQj[/DX՜|S`pk/eiȢs2fьrzNZ߰Lj&]}VBK-;6S!6K2.!O\?PC GI^ge{JgR[Qi H3 {aʟHA_C+ɣdU^m!{Je(Rh};Z}^ D\쿬9QHiB~wn=רHI Ё'썧ӧV-%r "dJ*&CQ?ֿqhǩɝ 4F؄68N[vLև 'z@5ҥ@ N[7 @ NooRB?!a+`nESI( ] ɩ@Bh* )^ntO 8cBSJFTg)>CUwmI('~"4l5O$k=mEǩxJb%ZRBIhy}MԩV);nVF]r2?9G _#:~oW]JǧɏQT6V)yLFTAצUkk`>{K 9`{̬sCF!O$S jT: - Lꥑ -Nnz_w?$穝]i)4MU /=.} uj72mA7 % X ]VL I' o%ᰪ)SA('tCxHH2uF*#5D~9k#]0_,;LU>~؄dC*yG]USn6m"@ 4\KR>(L=>s꺳s'GlU.!/tT-4uFn:' dPQS  M=Oɫ@0ntzKN|zIY׶i"ODqnLp }4wOnLYˇOsKS{iutr+SQVha< oS4RM‰5 \HW8?Aj*4%6;}zB?)16oEZ*ʰ:~/ɔJJi8,sSJBGBKJ"B//kG/8ɏ]MQmW~ CHSL%J(e6FzEH/n%ۙz~2?FR:^ c1BSO 5j6?Lwϰ e2}x+9UDPTk^mVA (5QʓMс5XOdŝIMT-;H:Ej?eIk2>w],O/gۈ2J':v'V* a/8E0LXι^AkI_)ě4DWG,&/(c9TW@xz@ bK'LKW}a+N9!y扫T@ 8mR1IENDB`gpu-utils-3.6.0/docs/gpu-pac_scrshot.png000066400000000000000000005275761402750156600202440ustar00rootroot00000000000000PNG  IHDR;nBBsBIT|dtEXtSoftwaregnome-screenshot> IDATxy|ս̳/WK Evֶڪޮ?{.իV[kjQEMd!,!$!.B!Bqn r:R&OB!B xZ@#(1h4. !B!ׇU%h+ f݊lt 4꺎Sa!W4?z^̀ip#B\" @Ee5j"yLCbp\r";=PKXXpW~z1qL #n!u' h] +Zjי !͏ z98y2 Bq|W:qƢ/ `@UU"XL?2UqܛE%$UE1^=k4=M0. !kL~m*5|&ֲB둦iW3c t( )cp:ٻȈvO`HzeU|sj" bktQQT8F~ a>!u]B!Do z% !UT֐<(\.t~?Cӧ =:"Lj+:mxYalb$ol4OK!~WWQQiC8L ৶Z@CCh఩tP XN‚M>k~jjv `nQ_[GUo!o$iDihd'nlxSRX#1aZ B\AM6޺:*k=x(, M+zPQp=~Pv4g1GLkE]@N5=7s >[URQfŴD"Muh׭k~*Tc eO-%&/|R!/|EMRq;WSQ;zAgx[?r{Q7<9CVtv_uc%ĤSW#|<|8>_˽FA~>FVXa k׮%tޭ1Luh^O~?9vۆFPU-o&6ocu8YWiNLB1hH"L^걄3|{yI(\ԪNpo2̼ ~,.#S:_CuX*u+$(U(<8Ə%$6>Q6UQۉGJdz?vnާ+WcAc .#<< ӼUOFDxgϜmMWYYi:҂\cX~k/Nè*9V?Xۖ3vdťwrߨ6n~s!]۬+7B5 ~jb&aB @d4 D@Ӛ,O;*C"yA8N6yb,@9A_LXQPV5BF]md_ec(,X۾苊{Bl6 &c%O @ І gAAbq?f\St 3ҨWa!֖Vqhp;ٷ39Qpfm{3qtj^.m%ReXI l)Uue!|>~=c {*JTc]Nn]gi~k5k*TU*<6OIqY@K!@{x}Va8/c:~OS|VUӃ FJA޴-4UHWP~z ʍL}>m e]׍6>:JcBBHU\.7NyZ… ܧq_Wq@Yzг'ÝW\'Ma +ތiT7hq[)ZDB1].qGww\g4s[J|SX$O`9Cdրh2/pT_5Un\UNz4i )ݦU( dLPg>. 'f!;Hyy96yPZ^- PV^hlSvpFs~Yz5סEzTy|j:c]e<>55Dz`mPQa4eBM1@sTh7?4 ]v;:ߧ}lŀj'om[·E1=xL)b\w.k3#/"v_  g3 m&3`ƮfJ. cO]Ћj]LLP"&me(wΥ|}n8sﯥ^a=`3MBq}1\PLll4xzqIz:M+tJ;Bḱ{Sk)Lwk B p& SoMܿ| )D]S̩s'ȯWz?WSƉKoH %廉 ܣ7ڼxrBVM-c~۔̑P[D5i, F~/+%L]Ņh`U,m˺Q8~vVKed{}%y|.b1*yy :̭38w<<(3gvVUUeժf(t+J{sJ#PSyԀ`"&ܸdrW!@㫯ޏ?0hTTiŢpQB8:5dwjSpP6"u{pyUTUhd7hF}i Ѝ' k~·޾HK}q^>TL N CHS஫: V,lOMMݨxކmPT f N9 !4MqC KRQYEaANUm}JWW[ann[}b lvxaz ijdX!cX tΰ MD溮cډ6j%>Ut:}/%{r#0OiyLf~w˝TAv͟Rj0acvۅ:O˺f%.cưB Pvz"#Û-7ŝ/**ÆMW"=+! wamz i1zj8kWB!%C_MCl|-6VXpԶ٫!_;ޅB6$((͊pg5rEQ+~Lfa]fYL0ah XR8.ue2MZ!dzְ``0XMӳUUA6.+BD h~ [`4FTCƏ1=MP-#a!B!F;}VB!B!tygX!B!" h !B!td0,B!bi |X!B!@.ZA!B!I t!B\v'7?HB!Dk'7?|`X!B!ĠcB! &|zk]*!Dl3cQ>|-aOX"%qQ7QL'g)>bP})e.O7 kcɝG_wUrx ##vuyT_X./det@!/r: `X QzUJ ~I7Ng)B\sb&mJZnN:)WbϻT)-)*@\!!LKR,uaұ\ o|@Y!d 2[8frø88:uU=ǎ]YsYD2)DM[oNYt>/U:y 7DOǦXz~δ9*ZϾ˚Ȭ>WZX?+xYT:,m }`Cp2.=?eq5(2>yi,0aTolڔ~e-/dۥHacLDG;i?m[<R);_ܦ%xЦlxMOdh:xS|:™1g %!҆9POIA!{惃Դ*v؍:HKwem`0/efE?zM}6S_z?\ĮsY՜$p8O=HŲRrGz's#z뫭kom_sKh(a5n~vCUZ9GI̿P9K9p9z f?gHjٳ6%^Xϻ3d==@q/mIK'ptkEc+DMm#`]@1b1C,|RSxq5~jsY e Uu5]X!I:e&ߊ47Ⲹ>52}iSBZD<0*gKgkf {n=닯|]ͯ͹/g*bbhTYJMlG\v@A?ZH.Fy||-~:̗??ia uE?Z >!w%0wN~1ڎt/gesZoƘFJ;S\:3U1*Av mgI? _{O6$הǎqbg䑌P)8kjZ[z]}<ܷ91)xpL&((3)8##H"'3k>67y&_X>úz=wOBS}cX</ԣp+-Ţ#ﳡLG JKb)9KKvUAp5N,[s>S4>DR6c^_!nK'rGI~IMO3Qͫ'xL*7`6GxZ Sn{p} U]>{,RSXA%P; Tb/ˆP'>YwabK^̱ylԱ뭍b(p߾ϥk+k i^{G-2p_0醱V*g1٦ Ne52=ņ', p=sϯ]igƌdX} 뫭koCWl AO%qTf+(T_9¹Kp2$OtbU?s6`_mdH8L#yX8fL?sR),I9@yA[?Ǻb'CD݄AR^pMw)WuuJXQ>4;nMr|:6AvWiŌ boͳĝfr?沦އ)1@M@ϹYY0p̹_]GmJ>{ pE0+:0}m*>ZƸi<|S!?x'Ⓚj6@mwa oxk=>85nƭoX>#Ncڼ8߃jăkg",tf7q:|뀾^/ SXm -o5=lyc 1rtnzw)vA>qnJ9sG/NTøiFq~0BvsB~7|]3vMRAw)ZU<-w;C$'`P@G[utƿ"=C1*f{ &3GXIβć[U & &4eTL$lV1Z$ `X16gd3ousgdx/JKb9̻OgMKytzP6jD ncIϧ,xbZ)!x#L^Q.eymڛGEH|# oI8iLV+e㿷7?i'_HaHֽWܫ6dk25xs׵JU%f0Gei Geg)䎟qXīo>ӘPk\n*th!r1\om_+PH@/"pm%k6ލ8"yl{N5,87:UkݹăkLQNqbUW[ʾxyj_׋°(ӝ.S~r=!1!4N0fz:w%7@Lv5o[Pu/5ElY[Ʋ 1 nnpV, jaZ j9zf}zj[z]tq۹  vfsS ]8877I?)aQ wR\ٟÙG=#6u9T`( a^v;Q>{u;^] hQy/i7IQ(4f:Q$+ZiqNnYc ShrBxNV¢aQD\P1Ή~k.>Qygg17:FxқL.YĆP=5T ܈Pד98"FvmDDE%x,:m1Z+ov @k}P` IDAT0*}4T\o׶̼s_E}k7d綯$)ܷ"8t9p6aNq J0&)m`x4`PFϊ%Fӄ05`~ڕD@8 Ѩ;ˎ"XzÓ o~>]K4E$pSJQn@TPPlADY Fڦad] Ku=}ݽ/Npb @Q6~B>}-0hRFCA*}%F\OjN€Fq6~.X}OX7n+oF6%Qp"0Ib0,#mL'e^{抵G<x}:[n-xƢ1l>_/ZK4H;l+B" WtNUzfjF '8;s K%x~?(f%9Cf+7K?.5ՙW[Wҫs-ށ+~; vj3bY"a6ۨsb"Nt'/6-hUՔTR ϬqQvMN^0yVG\c:!#Iܭx,>9˾C9dƆȥcɐ.OwR1X8GƱNiĄ/!ᥨ~Boԛ1Vd蝃ha,_9ὬsVwP4`9,(l16k wh:k`NՉSm_zo h4̍eR=i|rORB3}r.;Wxp ^KQBL˿Oň=z j4 GҶi1=Vs`@ik'(G#~Z2|>_ٸhǧXL̓as||{ܰe:j[zQ|a۹ #2|d~|>9sx37w凋Pu@bBp`UӸ"id3,2)/cbkl~%|徕he>9_>4r2ָ2L&C<"fաĤpgzH/EȮGM4'}%6;UX9+C9vw:<~8{'ڨ:N5(:+PMS靯i2b"q(y+vԕrz8\ϲAg`T&9a`w}j+c7CG>_j,QAӊ[u=izd)7`_*Q<нd(kcĠ5DbHNuEd>*a`zXs(7ܱbhJ4NSh~}gugoŲxuT#c'$pҮ麾ں&e8׬]s1&-d̚PzF0G2yJdmc~̺f8$]ܢ f=L>AF]Cѡ +աSɿ\zOlM[%S~x3ΑQ-ݐdy `ft<9N'-b䄳A3=eKƆ5wfs+o1tĦ*sl.'/f=KDBJc$:H޹ YK|8^vOXlgz6pfOM"=O_j$\xSq3obŊfIjNM&RtiXOK^xD~6\̈́.p|-^! Cʼnbe|6m:|`XZ+><}*iHGDŽh1L6_o^5CƮꫯTov]K?/{[WwBи3/9cP &jj;Wlk* ʗ>2U㪫gzOװt&G1$ȄQS]C/Sv(CRˎttǩ̸#Usb|y3=6, ~2hkrsfDƳh 索S4 lyiς$z}ygiqK> f9@Y>e/񟸐8)}2se">LGmV"TspfPR'%ȨQWYAx{IζYV;(x:_ls![85Dř]^J[Gۧ {ugGL @|lɨb|;J5TWxp⁷7^\OMSY41ex{X"՞^px?2kx„XL³S@B16vpB&#>X nx}tń͢`g3#hէ묞O5C.ꫭkov]K?/{[WwFIOOד~2&)B'7?9іiBL\WUwJ//*ұ\) Qsnoyݏ'B!L 39:B^'B\vMdsr0k X2aVa6V/'a!B N3pgl@n]w6L LrݧpD{ұ\vJ3nu]eBKI !#'7?/VB!B1(p]!B!Ġ"OB!B :Fԩ׺B!e8'Bֲɓa!B! B!B :2F1z6+nL%B'y)L>7/*nʦ0vJnJ V<MY^ʱzBHQ$us?7!`ؚ߯’8[ bʊ;XoJӼ'&ejg7eS#tSٮlɥլ7Cw/e05q1ö́=k}W+Sb x0Pf[ۧ`q3"5cӹa:~/O( ?ᕿ[rm^B'O!sgx*[l:☺V-@Ex[]jlzl9 1HR~Rk7=xr!Sm]<K\JB\e h}ٺ"D46pbny3Rb SqfOɜ'4|8~TM~|po_̶=?s8HV/Ę'SSU~-e_|"Sr)LH8+#nnDBu x?}RCڃ?['_P[m~xCZs:گbm^j0c 3"Ԁ< ?;T%v|uu QN"m[kRuU2~ULLNnDK||_>rbUq_O}[';ٰOtRGbrsxkS\rnꤓ}Rݱ9NNddė"'OO Y1k BUs3yolc#?<o1o w;bG\NĹA~F8!3xHz)+dnB|X:V%~琻b8'qn9.<%T8sBǃ>ΜŻ$kH6l4V.?Û??\*SO&tV*eK!5* Cr*QF@h$(Xl8jxvs!ŊAm~[~̎:Q2D;pK] r'9v;Bv&wtHi|Ac:ݯO`!}>(jnLet珑2lڷ;*u]SHcμCqň9ݮ\<{j/\4NS37_փ9<$Ef7{/@'S=<6]rMqLdP)W- iIqN%mMנ[Fl E~!?BH8׶\453{=yA^/À44)(Jw)lA }vNBZZ&l콠 $|`ۃJ2y㏙GSd7Ƥ˚=>񻷳y֢zNG] ObjWv_gyd=X$H䛸Ɍ wN-wWljlC ) ӌ4*˫-ǸTSQc춋\ccn͉tV=cMccg>ŚU$tU?P+SȄ9sr=9CIƟ-@/6R&$bR@(ȭ7^{r Ы98'0"} +'{w7 o=ͯ;W#sWz` r*5 u_gylu[ָ<|moWQE4 &]:@]1* ]^Quҙtl}7E/>{g[Nԩt:vC&eR=uQӮ2˧w+ "qN\]qH {"8?S% !~gXǔU!;p:tS~Zzk-lm(t$ Y1 xww47#Fl63ZS#&-)v؊DOfD!6^kHX2Ɔc; {뒘;k b(״:ݯ㼴 1&9ӓ( 7 IzkvusնNKqq}:I.ϱ޴ PRXDab*S$f͞ImϤC~Gњ9sWRs<? dVy*qN18tTn.ϮR1 4Sq-.}ݼs>͍`gw,8^v<=^hzg}-JycFNQ׊w<:3I^b'p5+Ġ¹?umQ:mkhGPdz E%?1viwI~\}(6.$/-+C8U먮L)ȅ|Xө]@J]QTC߾K<:(oI$zyӇ:N:sYMdöe|y8T7,a3u:{jjvC5׃|H87(7.˂>"qgEET% !N>J+ i1bRWQC掭|O|)*[pSw2 c#磭,$C[?̢Ӆ).^ͳ"&)>y7^x'SLb* qߴ{.Js6r9n&O3Fvjus]jV/n7.bk9Wήw619=G^37זPꪊ8]0 }*k7z<ҎsQq!s.hWuҹK?ۓ9}*nw'_YeWaߎ3>NnI›1nα>5Tك|$Iq0đ&y<ŮZ!I8't=5u.U2Ĝl7bDDSYM@ļRR+s qn !Dde;:Sc(87f"Gd1O1~ kvAk^WI)[)GO]oB >rV^!Wg݈~D>x)j >UnN^|z==عOy]%l=uW1Hk__S[yR iB!9MZ!0B!B!ΰB!BA2}L!$ӤBёB!BAOB!B! 2p(׺(W3naycB VbS2w Ciqc8V}a%MBL9!cj {Dž0+ nCxrAJ eڍKX0-QAXPqmR]9`L edvS} J(V'ૼ}̍2a=ܽ -['2|X_m)6ywM4{);7r{Q},/|}n2~p|7|~ ~U pBBĹ+X s4'qӧogġ;]WHyb~Xڇw#m#o_6Kyzi?.BtF=U煵%({)fQB|IE`,_-ͤ>ÃMo3? #t&?{aQGG=@(o1\_?ϲt$Y⩃Wi(,Y@!^:i CsPJWyL@c[>/R՛XNS AQGqa-[Ů;L}t SzUuPU klw{|yb _7َҳaoJJ~pQh #&%Pc2a@ aÈ]K(DEbmռJ`8Ǯ$-&$$.LH/qG ˺p9['4θ<ٻ!IZ!9'{]I.(VqX[1:aL{s5\ZZKzY6Y~w !z9ɹs;4Q_[~ń޼ϝ(hJ˨jm9!] ό1Qh^QAhɨd?Ŀ<;IϾ_CSENlXPz'DU8TIw?МY|S}+So+gk2ΰOaɤ⼨fR@/xj%ũS;+dW_ 7=~2/`w9u_]%FA5[ ä;Rsi.1[]MԨdb0Y-ajTtNs2ώbp܁̙N pOK)~{E>;{N~;Q}՗@ӕS}𦎪-3{5UuZp5\6 F/e;+%@J!nlǧ$7:p哞`Z\ A)fNx#dXVdf !֧M镔W`?T*~.$$ L22jv{b`? Raa~l.}܉9sBam kZ?_ s&j!qf6Żs sWʁc$A\D, Ѹzb46bӷO}"P&NIb{%EjUHFp:/qؾIVk|oGrG军%G7!cv $,x升ZS7Cu-f yHla3.2 /=XbܪH>^ӪaQDY zٿ*ϊB]ugͬ;ZMAi51ĖG68'_$P"m?Fy"11milw62 `I/#F2ˎWpJKKG,sٚժHÁEz̅H}}s7*d71{ Rǩ֝f"<3q/E 9'ɰp8*):zczȅ "qx`5m`I65Oa/`GilePC 2u -~)d]cslbm5E15_aNgs* j'N<v8=~ 8*W6 5U"}+vc^rR(T}Q$09Ⱥ-4`QcĨ<ΡEg!qɣ<`/S q%{ٸ*K/HP46x  uA,X<|$Uh /~E<:'߭-D%R{I7@ikC]^ZL>^\@s*1 eK.٫~~jΜ1 4+IјRpn}魝agf6/TQKAG'riNH'Q OqzFc8zT.}d)N-ěç)CEy='2:t7wN䠺 M|šܱ::NqGۥ|"i}JDUeY )"-ErNrzwS/4*AX3K%_N%##FII#4o8ůjl~q,3>,W/1҇>k1!zH]z=JiL5ĄxoN#s;1*ٵb; z 4i"z"&kXXBmH]sB[[/ݗNPNVE]u;~3ÜTS~sGo F$6LZ!MK.B!ĥh>BB!BIB!Bq1̟W!B\sWH !BW/hIQzXܠ 2$ac( CEuSQUE7eЭRWiU w`opVe !:sBqcɰ1f3 6wMPhf6sNsi MbulfN>D!MErN!n,9=ihJUjFTLZ s].-3v-@wpt9uKruaB!Bxr2,zٌOCXݺ6k(-@UU0X\r 89!JG04,&&s1M8=5&L&B$G[qK4 ͤ6)͟E3)hMyB\9!dX&'SP04PEz̅BH !DˤE`2P[=¡SUACd}RfGcdUޏxo\ )6I24`,c]]H]Ksݏna ~Q[[[f MU14یy5E4T70SHKՎ͢xѷ7~Hbytb@x 8&>NWMrƑɹDrNrmNǎbh*9{';3YxBw}2{k fὓx5)~ Ù2a a^>ƯR(ljDiMFy6?HnetB&cc+YZNد\9q.?\W>fOeǷ5| Ӧ _ aښU f8b.c'=|ZI lh'i8DɬǦ?zφu'8N}b'U}R7`*^ 2ϴMl˲== G1~pAm.J yB ?L殊usxe o}3s=>ҩOU9u,9<HuGsB\?F2ԡ˯n (*w~|knjeʘx٭_D2nfiX%/L.ŁJy9‰MX{>8JVҕ(.n !4@D3؜M,U2@L tbKxa}Uʎu(kT #\tlV|RWfd*TZxqmqw F>!˴~: .J?ye (WyָV LbxlrӛDCw,6G3l@n#OB}Hε0:jwO1v|* h+$纇+WT5{?|U@r{\ɰ3x`G+k-O/$t;P7YFӘN;&g=XƊ.z ՛40 vo"(^$κbAmI{7la_BL'?}ٱ6\Y?d 3zױ̈́-g|w]-|\KɈ!pyNX:T_Z+O2#P7(nlD !/=%4BH/Fa:qB֒|{r~ RZOtmѩuUt\ƆCZܿ eTIؿ&y{cż_q0m"3uݶ } B`"a, KRڒ#VeqϔM*9[Tⶵg}i]''3mx^u%ܴ͡x\ؑRߪW2Ԋcӕs,Ĝ}5jXRӼՆAũL&'/lyD;= #x-ɹW|Ɣ?5ssssu'hj t}˪u4n ^f/Τv5V'Ne҉T H{ -܉0bS^YEvJ9{9>z(puU YR 4vC21oxH]C98m /w.j$5^F~!*yT($%zu5i"tP=mWЙ725kY|<ѷ>tʖֶj)뺫(m89lKe㡀zk3n+j1hs*՞_mYH΁# `$!V%KQiIQ';jުjxWbٹUXBg^4m#ڡǕ,;ɧs]v?Zs-0dd*VLe=p3%z~9J3l ߽/*9699\{x-[,(?_Tu* +Gk"hl˩+[z%_yzy0-HT#=̙H"K9\ٛ2\IN%_"C`wGS}-wbĶw_+#'?b|]Zq*f&p:Z ҐMj1x9#&^B@ÿhCdf ߹F50Ps-sZ^EnnBT(jӏcwv3ǎrqN7suyTsꉗŠ1N4fCf1)s=Q_MmJȘI< sؓdH\[$CrNt/Wu2lVQeW D?4 tT=Iz^΢ uM𵻜]GG>@#`\é+"F}=ѪP_&VqFHt X7e3g5g wcD!3׎%~|k4Ƥ}6ə/ۯ~Ѿ䊟/RWsejj3ڇ IDATm ''.xE#s1!3svq,Y26VQB _0~z/78"۪"WFGG0zJY~Mws-\.tPp4?uT7B$z<Ŭ*Mu 5z97KnG>N5=pKOc4RA~ghr Ug*9[;v+ÉV5= YbƳ6WD,Bt\0gג%:H71^GN~#Nk)iwc=oZpPY@ )mo봮J>g1}~`QzDnJƲ ADn֨F}1Q ԟA}TS2L!+ږJVʊKD\㻍}#~R7ѱ;PQRʙkNoދ\gʩ`(&6 ~nfg4}PEzEzGݦLv sݾe2x+ػ>ڨψXZ7Vhjh~t7:r~ \T3ƞɣ?GiMVnIuZ CijO|]d9~oYrNrNrN|ۨM7ɟ8C'2ǂQS^L~ c*S&f|J:_vZG 0-8ڏ˭$VKW*A ýe|Fh.x*䜸(#F0ϿzE5) rY]]5jr^nBwX̹1 U~Li++:(q#ED'ȿwkdݝ5"9}IΉnfa!nEŤ)*a)*I]ZR8&\#l!'2T;փ@V$9w,9=IΉ @Ll-lfsK s#J>.r$œ~G`Vp٨;SDz}Ph G>`ՉF ՏA Z(L~ũ5"ܢ'.aK r]IȢ!D82^_F0)oYpJvL|EӶpmg!CrNrNrN!nym2lۛhll<1/ȴ_fFm iYNXX&$%=U'l|q"^f\%ضWR?F w 7lT>⫌mś~qAZ1)-foeZC/fD$Oؒȅ\%d "AVOψr_xkc&N ƯΔ],jo߲JĻ{p_Cb/סZώS!pI(E,\@gH_6C),ؕe\&B[U'v{`SSQEM)V!1sQ߀ 7|xyuCQs=ݛP<엀oF^}epSKh0)YOeRwUBnwﰵ>AWf!WzN6y-m5$^>M앁MOһo)?y-֧V}וu*xap{LgAZģGv6.O dܮxyCCg:c'oy%{탇ea$`q6jFyޞ jx,1nU$/dK "J#/GUA ~VZ7h7ޚA>&nK=M9|YhlvX,c.-Or#$CrN!zN3>!gCo#)Lsr9ZRDQ80 Á¬߸'1'؏s );A1 :ÑɱSYx+`4M)0>ǀQρ(AimYy3~1nq{4p: P#gwo[kRM{aWZ..UEEL]F57>nlTpQ:9 maVS7>*f<]}Zz(@s[]Gy:hfR>L¾Hȫ#k{wCI(f,`$5Iu\$8*>A+˚jʍW̤ғ'>"A/<[I2G01p:`ͦSy|?aX͗R)V<Tm &h'=IU;h /~E<:'߭-D%R{I7@iSO&!!%kPJLB+_Ws持OfdXIJƔpHo ;3[-Ϡ(SE.q]Epf=濲` uCiˎO?TW#' 9w9ssBStb ʜ|u/ٟB{\.i94!ihn2hk6Pc>Mg:6?^1uNFa>}e'Nա?n!s|]jzC>#ҖAyUuF&96ɹ˒BSO}`ۗ@4ՖNa>>rY[ 6N?JI>s7j @K#cyXNLn[J'=i2EG9Uљtc6>w,ޗ_;LwT2K/2zw޴/aG$ĉe/R"NCC%Vr`WLH 0,niNE=ܽ1&5RA5ݤm-u(I,ZOߐRo.2? ߾04T &(˲eH!ĥIεܥI !DO1HJuNP#f_ogYG#3gY\Ͼz\ֳYpOgx~M\>&M.5s=\'H !Dsō9rG 1!dzӈ,;NZaYhEF4=k\, !V$箞BtD.]@q'Pf 'ۊb.^:=s=z;')X&*?!D!9w H !DGeB!nZrB!.%5@pW"B!BHrϰB!B[ `![}@rN!Z}@K\40f!!9'= BQ@U5T**(.nJ (`\{ 0\.g*[!DבBONua6Xְn*Fs0ͷwuuKSP Pm:fk f3cwB!n*sBɰ4MCT=ThV3bҚ󨠜Kriq+hi˅å/ρ\. +B$ '3͸+44խKjӹƊ҈TU3.Y BqBB"9'79לɤ)`h/ TEs!sBqˤ5g2P[=¡SUACdGfGcdUދxo\ )6&el GV$ĵ&9':<O| fz1Mh)fͫ( b"F2f_v\Ń3_Fü=ͣArrW5hqL}p4ɹˑp\B sc@QC@EQ>wdgF]?_Z(н]fo_m12ahhgfWiQCgmC yu^!DOÜ֎/C44uuܮ 3m۲l}w1\8rvH.wEma}\P=;H){=.tX؇֞j 43e¼09j)<}_Ps]Izx><$'6eT9v&BOY$ڡ;%P蘫?F2ԡ˯n (*w~s| I`V:g,n:k[xIbm ̿oec 󏮮G7^թXF0uM7F.Fn1m7[}^|Ѩm>uܮJ`c8^g㣺wfI&!@AUne+J׵ -U(Z5X$!2Gdb_̜{<ϱ9{5PkQSU~Wf,ٜ9_DT0:L8A>w5yt_M!IsO<ǎcH>L1J*tP>)_Ox2xc8aKzf|"iqsM:'tNf:8<}.9&Z$\TM[e/؈ H a藸wve`O1Ё,FG!&;/oYM)BM"haHELHޑI4v,'4~W~Nf(u_&%ҭ]M [a Gc9,h/ܶ|ߪT-=ƚ>) u*YævQ8l1I q(ʦ^L4ZIQ^!rI}[ 97]cɃVS[:NSdl0tfE*?p"Ά|k6=ۧ>xa, 'Sq" ^_ME>OTĿB@9Aca]Q} r[Yn(9;sQKjPn{AWrod'l =dd@ ټ΃A0ީdBm|S  YnŞa#`"e_TxEN%@g-e6'Le<Tvx6M)/L16,onKwEb[g텷zUG@?oԼ d&gcڏ`T#A~(Y4ز.o9*k%\CG3|},=SVZI3۾ wqG|a*j$' β 7Zgq*b!Ĭ3ZoնlzΛ‚?t-M`L6@N8Xx<5i*~6ZGq} Hoz5wi|l"g6/EfMWsil/tFi ˾(7k VSYjEk:B z K^xU s ioSaIi\Z01@7_p8n>)o+@dA.3gBn=䬺pKU)*G_+E×pl^7VfK.d}ia>VDd[ Z{;]Ȯm{l=B/^8RJ-KKwŸR fUxt {PoWJ,UxoKUvMdW;([0YD|ԣ;|e}.f|ܛKۛaű{y;G0r<=#;hv[OG?~|yeI8}{ES/Ej]}nSJ:tZZUƕ48_ܟ0mV3|<'"ՄQBj__:ֱq(/q"m szK9{2 yFVqdo?u\MoPȨb@?Dr:SFupYj;"A:CHqvZe+VKݎ=iXuNr`DGb>F gMhZsIؼS й;Z|=_iĴP;ɡmsE\Bݛ 2ђ ,w)NVsif8Ge ޣ((HtTIAn%dy~(J&\mU863&1k`k911ɉaʄ~xJTu)K83yߚ9 pn>$4`"^~y?bԪVZXA{F.g.@C2CK?*|GjHٺ+*<|!};uN{q،DaC;!eOal8rGNMI`ACպl Җ m}GT̖ݢs`b#O3 Y4{/S+ju#a&v%6:wP9MryIVP M6?(X)?>|E߲ k;B!tNНؓaK 6\TT׀ZJ;L)): /K@ګ۪fڇ46.{3nN$9W2ZUkEE:% )ŤCBɴnrKEՆ-/ۡ3UBnLeÆfL7T:?|vB̔41}lNڭc@P8ct2T{vBYV)$()~3\PpV,ZÑaI,%9/eb]2u d&]@-l:]!x2ky˦:w{pF6ڵD%{ʳ^1 `o1'?bqG kBZ9AWe&r=K$UbxGy_*%1i8OłZn;+7P x`bV*ɪĦsǩ\nW`eб͎Prù&%&CԔ,9ET%YGH,S_Cmd&$DVU&;C#O pX_Y8 ,#;j ےKtb?ړ.s*g?MF7nN Ƭ8?!/o3frK/_%aR؜΅+F1 [M'Օv[q%"j*SxKlHCUFR:i~}DemmD؉ٟ1!X4ֈQm}͕嬛f[6gJY7eK'X~#&1ŷSߤog:O~Ω"xb F|EݟNUd[f&[tN5URe6ku9%\1m8'-w߹B+ťT]H:w' ^4^ `3/ގHj 1rrFURQC>yй6#tt%~gXLd{dMèQSl5QQGR ;<S0Ij<;lun&m&>3X=LU%"?HX=Cy\)iG fɸ9JXJɺzH o@´iZ8b==Xvly}[-AL?g-dl<2~Hlh"ut]z;Q5'"v&ʫU5Y1s4@U~>;fZ_ S6*ǰ7:oMȠ\eEU7=m]s}CƷ4^){8Pud'1V};g} `˿a[N9si̘1ev^DXXL^t Z EZ))-IH!fMG'`Q{lK٩?ڊ.O$(f#+3[~ 9Ag"t:w-~Lg֏/R h/VF#ɨjoTUE#HZÛ>Jb_&|C.>}JlZG7~*4 :+:A{: ?چ9A蔣dYiᴇt'ff~k^sVִW?چZIM ]й#t[hBmC *h$t4 Jow ȾQ(koX(x®6C ,nzG蜠mt8Afa3)ڞ|vuT05 6[oށ : h\T5حQ%M:WؿQ s@;ˤNyy%AA}1Я^bPItjOKTpiq2I8ʘjm8::S^^ :'1t:СhdjVJd&]L{Gu>XUz': =r_ 9@ `6[8>>^xzz I r;wC3b\l62אEQQI)n9@ RTT"V s@sƌ#@ B&-@ -@dخC Nʕ39@ 7rdX @ wb0,@ 3\ ?ū2֯> ɃY=L#@ mH.Dip#ɅAVbDn_ S4y>,%1mrEKP7@@ "gy0Ľ+ Դ6=ɍșjjK&=gX50eX0lUd&^-ϲd_f=zap@R[UFnj?s; yGdů\fuNE20_7t6UŹ$Ŝd$Ut]Ar%|RNBwd7dvfrb$T w8>ʉćko2@=6+)RAre Az-S?ɿr擟ƁNwY2!8JH=O?=BjM(FO036#OxF-j iJ+Ҥ-H&<"9_~%V7/ܜ~q Ʒ lIs=מJйz$?yĝ/Sݚs/+~3V71^trc7WB\p1,TϾ[MHNfƅ`8<;7npzm]ziMM4ۦ`a k~4Hh\}7Aty{ k1Zd]}K# ovVj2S3qv5 'K]Ƥ'K!^[HjM[`E`#yg*0cȊ~9  مD1c2_:Jj/\ Ŵ3 YKcY(wW n`h/%HcYqS :gIF(Ѽdתyl\Fg^Η7p~ЭZ*WiFjbO^f(& Bb\AF]GWʆ@[wTocxOGmt$cueq;x0 l~6T Q᳘6C'ξM(ذ^8,?N/v|K$x>}_5|MkM>A/t kG1_/i\580`+Yf$%/ywA2w=hM}0I?! i_?Gr>=C\1w'vs$iЄO&|zbՑU)}qӣTt~l{ٝȅ+gpBT`t c=~ ]ʤ1&ɺ)3u5kG?6$_{6F$> 3:1dmz + &W1BJ")dՇ af g-̒7? +2}߭BM E=jwZȁz^fjR9&>;w%f޷cBՐ_"V N p'brVN/)ݳ/QZ;ɎŨ/1OhÇ:s .A(ebJ$<'}?FyѴIO`z>M՚joɍIDNMEr lstY0(k1;x`ŹX%C>}C Nv0[e'crY>$ w re*JjnEqKkGwOqZr~3xpAkE%fD0p7NU=6 s7;l>FG6$k/)ym_e*IG}րg\-o1J{V /gW \ųȁ [>eKr%>60oҵ Z L(aoХky{(.y扇Rr;9Loҧ_(an$e\{P{5deјZR+qq3fngc,^2![} KggTݻ/Wh\CҠn4_%/:@̧e M5 xi0RvϞM"93rBǯ?ّ]\1T<<0X˩\/ALJw+㙛yLPjSǢK4n ㈭of[!ǎ6K`.U;'ޓ|tG1#I|xa0QMb2kS?#gDkmfm^Ha!E &X'Eucpd2 1W(Q ^۲nypB`1VRU넻`f>mԢ?eHL~EbBhKmh^Zl }"?!./筙@/ m(aC|ggR;*\UKqp1c oo{6V@ra:.VHGL*q>Wjpt3\5aҷ#pldW7\Rrʪ nGe\޵1Aދ5o,^!n.\+'uֺ[&ԥr+1=DQ+udU&QOK,$>O ]ӡHX4^ùѨsP2?-C|a'% ]Jm^ QH#q.Y$? HJ_/W4i^yrxwloP1u3UK9KT%s=I]4Zx ^ M,V|/L̐{+b wTr*&0ץMB56ݎ7>_ 4ΰZŏ/0}&D<>v")B Zy}s1Z!{0lDo9yp؂qfy>On8Xk5(gZTHꂫAB!رyM>#Q5*f=2~:ʁ9^ۚ _'tW;BBj1Kθ8CmI-x9gcKR)f"rkv^< Ytw'ϵZߟj+Csw8cwƣpz]Yk!?e:S+?W'' ;7x+g?"n܌BYI &mC2Oq4u'|4C'qS4uߖtO_{!EMteJXŐ vkY4[[Veچ ʍZ鏋K`7 ZلVKk+Qs}h T'V^l@h7( dd&mES7N^x˹>r"ߑD8e' 5)OkvIӛ%o>_ 蝴 VJOu)l`Ɠϳn;#O!drm\Ć3c֬a\.RQSU)9Dǡ*ji4$!ݴiJ\&_&MEMK}l\ZLؒ//p> e% 3ONk{On1߹lf(ᙧg7dP|~Oٰ!! 22 6[3,Is=qcR[Vjb+/99 fį2MKJ+!+-ZLmae9(DJN8;Am 3q{YӼv7jM䬧5ju!)ɩ7]hΪG.N՗I;4Ud۠nq~|7|c/-S;gLV"1~/Eg֓\5P/3Q쳇{>tl6TI,IfV,7R 9q(OdYp*D:Rh7~RUEd-MSSN *+WO@MktY2;M`kJK5A9l5IS6f7kxe+yba__r26JZWYS W<8Ыw֔lK{Rc}(|O^3]Iؚ^A ="u#)&9pU$a6>ΞK.LJC$Ռ zg}6#+c 7Rq-yUsSHO$>>\*U^ssaCL Q?g:9 >\Ͳ`N4k=Y@fLŴDµtv6^H792-ࡩwsСLk1WRaTAa/!s'8_ sX6R9U7nn&lYdT$a̘qs}efQ\": ZLGVB5f֎wve~K} t!/jSFF=>nimDwwҤSx +\AU(x4(&z&LdaznGoCا~L/~!Tc Ơ_Cx_wt&-҉K41a ;ot~,ʕxY/E^3WX7O๩DZSE∋wbhBMG_RDQO j-EzeSm^䝽ʎ6 69-^ew^6dʡRǹC2Kxn-TSf5LA3# ^xJu]֟[ߤ*0vhs3)Vq3YFK΅<~)(8) &]mn6:qh6~z.y4.?AՕĘR9{=׼,7qdժ<ʹ^ j!% ]Sq[g/YfEvlߛ~ſĤsEK[owKϰ,3;e: Zg=Z̤˅Z^-[])L$d!,'h2j M_}>Z˺I` AOpmgN%Ogi*9+`9' &ۀJz|J0&BUŭBj9ȇ[ Xz/NtY/؇rF%0m?pBBJme!iIԨ6/*.| /eHB} ،ffPl!aE#א[>}Q]Ʃxsy iӦ{ǛB90{,]3S{{\'d|R jZIy V>,luK%WJVL[ͳ+39s<[ c>?Zk E^nޔP;2Iv0ts(u}߼c=O2Hv^ppGG0^[ҏ0ZqZ2>ÇsDy~z>gMj`X/F4^eėii-:JeEsC.gq ʼ s`,$5v |y֔ j#AπK9}_|bΙ3rxVKEa6)%d=X0:wWl摘\֊}Hy/49}}j^/$dM 7ZMGjrMB;ZɺM'FlVC R[ą}[|Oz'zZj;$|C Yi-g'/ٖ^wqҴ6j=`/1cƨcAB_v=&M yy77?ot7\99e +WδkB&p H֠8x'K\t>Kn A#] }o&$'|b]H2ƻ;IjˤsWr݆C@ Z  I #I @ h+W @ @ $m;P @ ^`ٲ@ :[? @ [?h z.ԡCU*xID uD(1($ dY,YFve IQҭTW,*uT0ذTTUfv+4"O:M; z:9JX]5dGUNWZw+ uIH*&҆լb20޳,D uD(w14 LY^j4@7(swYZ6L@ٰjk-xdZPMv+T #D@ Ǡpt0yhu8$\H@eЁ0+8fݕ@p& E$1hX5hu=Gb5h9ij5]mN T #D@ Vpנhh%u;tt:_4Z D uD(w1Z  TX= U$ݵ3"O:M;X&-1hZFG8x$@ ޝR"Oĉ1S>ĽWTހhۂ(Ǡi2F6hvIP5dtݰ T B$nh IraỶ DQvs3&2eTy;!Ȋ;Þ6Kg/;ڈE7n`g&d|&6%T>|^Ut%BN|K6Yk(VF-IҨ Рcd5mk{u ;zsG[ͤ!hLpx? @~8___ߝ) o]ݯd @גDd`O51LyFxg o `7'~v _ط3k]<}T$S9A7D&PRxABEÚ@ƌdZ=(F\fY=>~;xgWwL?HjǴBœo'< PQJH eS\mǀ2J8;%ׄ6gW}X)̩QΌaΤu舞J 2 7s?}tգLYN'X N+ZS)ɧDF@b G7-/]'BEr&l5|9Sr%m.K @ x{98턇IoO>yO>ϘV?2>SEϞBgƗazrOLr*#Ay$tι [wG`*?Sr:ۇ[&I{JƏA"GӹYҳ<W t<h0Z@s sf&ي$$d!Jx) ٘[ ;{D6xΔ('$Fp$jnk|<-$7\ϛoo'І%?+mih8m<aSrvBoSѺtYv}! _}o{ fS{?Ϛϴu b0682.rދRKɹ$:3`@%/R=B"9B?M e섷ZO7ٳKjE%F\SQ?{ sJ%e*>axj$\ZKVҥ:g)JЖ-|al!̽w*nA ] PF[A}s С'Ò3Fj5j*TJj/{ (xKpvvf"y2Gg| lOEX%>+c$cᗴygo5֖y-j@KOy<#)%FmV FS<8Kd1u ~SCRQȡk&p.Ö䆔Q̘x gX#I &@Ga8\b! 套b0g/24R!t-$PRzΉ+:B7WLWqcƒn1d2'Hܺ3mJ`Uo1%@v+x0NcjM=oA g`j*!Dxg%?1Lxj בy(yy%]Ćy O0's޷)u)(=JLt8Nz&= J.?jyꟋ]yz ~vg:G$A- 7Hƹ˕wlXH/ b0sHEp@%UeRAE%\퇷ۢn\~{ .)}8隹F׈,}t4\Qnc6aݒN9}sFPyx+;Orͼ!۰Х:wt ]Z}ݯgYjӞ>L47?G +HåydW;K?AdgWwQUYbZ#je?{wu&zWU *v@ bbvؓdLg;;$y3$/l0l&!$$ -u?$$!@|l:sTf(=qqnm2p Ӵt>ۓn ΨZ.k>q~5r5iɣI|u?)`xz@E|g/r@'qh>w~;~w̢0FH@ZlK9>{WwZ%t16eכ| ]#l'QZ@Nt|2*!:*(*IBֵˤ8^KUG0m899yMicڼ!RV J$e(  vՌ n]_gҩƎz%Ȋ?O)!\&AʩaeZ6~Im 6hÅ*ጟr'XH0 }sWr8~gf/'J+'y EjW8~&q]{aÌU@MbDNm|CgJT1'^?gzRTP|l,O_ 3)Ն3wtp~ D*8/pxǸ*h=T]1POF|X!conaӳ9۵ uq̞b7yNگ=xϰNɡ|h^EjqQqMQޑ8c7)3fU)'Wl2=vŌyOY>qs1p+VjU~#5Q>w/5LANҩDFGTgR޺7 Ajj*A*J .}')۳)~{% :qi(xP9gRy3;P0D?1zr!T9 "fZ{Ƴ}m4BimWMgt6)-FF&D6% IDAT޺j/|'^` zN?}쿺)y]gkjJ9e??JJJv.GdX@Gow2jpTk4۝n ,^g=CJMr]^'u*z<'D!=۷o=âm8/q&[AQ@1ha%Na)*IGOaRBLbB.?ZIܙ'{^E::z> dRBLbBN=Lp1 M?VSTo^x :Bfwh+=׋ץ6/h@[z9:Bfw`X*,&+.JópF5C!ebRYYbԩB4(K_Rgө4/0n`4l}R]O@15Rr^V;~.H !D3Bѻd0,ag2i84MEw8yXؔpԍN 400\` Ƭ;3AT!ILB%aPzNL#::B,v,N?+~a4_*zn75Z(--o!S!h&1Q!z E@*--H !D3B󔔔nE!B!Ā"I !B!pLk>r!n 9!Bl rϰ\W2Y\fRBLbB, ҰͮZUTUA 4OU?ACkx\zT{ԩB4(G"f,0[< ݪ6?PԆ[wu5<Ru*j/egQJT!ILB#a04MCT* f4US1iАodriqc*hKW'"]z5^KRBLbB. a6)"44"YQ;1`7 ױx5NԩB4(K$ɤa 2ḱ?c2kLLRBLbBb4 ͤ6蔆}L ND!]2d0K(v\T!ILB%Ia2P[hؙs/7扫:+';JtyqnrW|T6N )q0Uy\7uI?ú~r[-%,'wӟؖ23qj½Q76qL*"Ƨ0>!~;mK]zN]fnx3wWS]}ᯞ{į\¿XKd`mm^#ǧ?u[ks|_yN%f*m:esX?w C@q~vr2ʈ|D/XUĉ~ğB"_;[jiB`X!E,]ñ$l&>c'~iՊjs)rڨ0zkxfŔ~9&rkjr*żqgry: ,6Aڨe; i6coWz8?b &۹cN7yscsg)!_q7DjÌM8u,#bC1<%;PɨMbaɾmefELrV,9>Hw9+'̃H15@'![<6y%/%fRSt#q4G@ҩ>G2iWLȱOǬY;`.Y>2c{?IBtEeG?7G mkoٮ[QaBBP Fy e^С^#L 0{Jy`TbҏR!c7-]r7a 3S14Z͖N5|E2}=${9_ԑ@kêT+jA3i=˲`+{u3l$# }Rˌri1':}'b,]Wʙ 5L0rcmJ˸ ΜƭCŨNSSg ҢQDBڷi] NUz6UaHiJo¨{;F5%B̉ovygfĐKj&g]{ ;^R{r b:W^xժ(U: #2"-]n୫!IrSIyOƨ4tqs .8W>Ʈ埬܆?\/q&.ZArH>{O6Wλ 6 rpuF>X(m.3@tSksZmNո`QS7;萆8RWE՚pF?;1CT2sN(JNB.&U8%4E|eվpO!DWN]_j:ZJǂ{^xź5,p󧲩aʽD \Un\8_C0:Mp؂Bj,70͡Շx|}sؾiW%I IKul &bPr)>}v?Z!:VwvKˠʁa naRUwP6k>E8]‚#_6)c~uaѮ~:I~8IRv(~ XURH>+Qx řυ=I8;Y(/@SX6;f8*SӅ8Ғ^YIankm?~Gz(HBI{, ;^;(lXf<3l+| ɋY4{;VlVw\9zi,YEs`nnrSpVP_H~ ʜ7akWO|K>?WӱT0qB/Gk<*no2zuPTԦ ||QAɫ0jTBOd4|{R`ߤى5LǜuK:~u'~e1ھ=p ޫ}]LěY1kyAm6m[(ǧ;yp8pDE{1 GMFMtY)&FL55-[}U{{ $S}o0ܨeO DE@.ʧe!<†cXq,3Iq8ݸmI\iZ: 7ጊ%rMu.R!6!"&Xuû둄5r5iɣI|u-2QZ@Nt|s·Jb"N} =EaM'smC5(:WkD ~{Sr|ow ;,$ij㖄DU;0z$ )&qtrL"}sD0./&-S={t{WT?7 [i1NF%2? Sa.j>9LY://R1,y6-Z^vCbFoqTycKۋdBN}Ne b UTǰ2-o$綋 B^V[bN[Ȍg*#2ܑNYr8~gf/'J+'y Ejo>3>PgwϘ7TEedNO" o6.1{r$ڐw`Ou9tLJ*i$3#o~ĎO%dGYvm/Wu q`sN/aS #|qd`ďhNbDNm|CgJT1'^?gzRTP|ls>7Vnj 55 Om%a㾓 + |.3Y]55%߲:cɌuOY>qs1p+Vj'G$dF]_x߽\0i;T@Τެ;l^ykxnP|MP}|g]:KSirR0,'=6AS.9g9u^La1 O<%gQ^ɮW I̿{U[) hZ7*~ji=StsѣekM%zy>-RW&)X6q.O_<>Ewh#'x|A(9KXh5S-.J24 :G,G1?cs=A\c/x<>JBb]?Ƴ/P|rĝ5Zfu3Ԅ^o!++uRm߾s"HLB޳}{p`#ge q(&4RBLbBqt?ǫW*n*mDްOԩB4(GSe$m 0@SOtP/RBLbBmEzt& vkx:^o91RBLbB. QYYd%eBC0F5C!ebRYYbԩB4(K_Rgө4/0n`4l}R]O@15Rr^V;~.H !D3Bѻd0,ag2i84MEw8yXؔpԍN 400\` Ƭ;3AT!ILB%aPzNL#::B,v,N?+~a4_*zn75Z(--o!S!h&1Q!z E@*--H !D3B󔔔nE!B!Ā"I !B!pLk>r!n 9!Bl rϰ\W2Y\fRB10~%Vt ҰͮZUTUA Ȩ4OU?ACkx\zT{ԩB ID"f,0[< ݪ6?PԆ[u5<Ru*j/egQJT!@¿$ߊ"a04MCT* f4US1i(oDϾrqchLRq:ȭGu^ ǒԩB IA"`fA  fbH>5%t1܀+\< ԩB IA$ɤa 2ḱ?c2kLLRB10x/K.D4 ͤ6蔆}L Nb`w^[Md0,ɤ)`h͗2CUQ쬦ԩB - |+\&-dBm~SUACdRRBCJ(˪~qXXJマg zw^[Ma6TC3J`h <@:ϬIY9fR}v}+:v4 O"J F̈Dx4cx/K.]l=ch$ą`Isg>I gΊH]ZI9M~] Bď2ŕz1xa//?ٍiVD=_e>hؙs/7扫:+';FSY,ok7XcH^n2?Cp3Ƥa]y~u?wǓOlO4UO"̑j /&>!qywjH;5^^ <ŗ$#z[f/g|įjE}vP7|Ň?݄UaM'.\N_gR1>y/<Ѷ;hOvL?>3ې,Y̸욗2r9!X?{&yj)ǹC93cQ{lPb0bcOvb0f@qTQp2%T6V(c߶-\u6"-9&d?RBp ˦%eqQz>;ڶvǜysrCɝ;x.; .oO/pDe =xSYrۺ?ߊka0,-[vFEyXw;G`+xp-m|!ZbphҪz{ʡ$G)[,I Į@o$- fhH7}+qO|_lg(.*տO;s&%$7eo[c1;4w"UM*~]b=Y&<0pSLԘ h"+h7rHyM3)'˾fi IDAT~:x$ ICԔhLi/ '_') $ت9y/o39  3guz{ 5WBƟ:2k1n_=ϷLwzzQWN^nACnr'ϓz֬^Ln'P_ Sq\ЮL Qg}7 r*]HD om9l @K#p%DLSM>z_ ŏ^es;aL͉y^ KLcs-hsfk> mV >gQ; ڪK,N[=sn[[Lխ)֡,yrw9\n*~̚1 B~{81c[[Zh!D EM@.h {@jŊꋋHR̋b50䭡U6dafOi2̝JLQJt d,{K&,-ɤ4cr woa~TJdZ$C7Em$ڳeG?7G mk[^MyQ#<~2BXBkW6b\t>)keX_dzfr ͮ^p_̅LˈWا3%e\pg\c?0jkq6BŷHdq\Ui*rYnnZ Cb X} uj"Y5XH6dҩJϦ*l Cs3PT<,*['8#׺:5eJg[zcuWqvif~BI;$~<4C?*#/f#d *N}ʦ# G^_ljBXbMSt>>]ڝJdÂ^)nܹ6,ryoj'Ih.#EJS@UTIse@$N^KBBr 䞾)Ler 03r(ŧ8[?Hw&&޾sۏ3S]X/^OCMx*,v'l\Šאz`p|:.%ھ~E{Μ:?x~pIu:ImSgd {5/-!yN~{򆁯 AIAI/mEKw,pSy)r*4ӂl3/4dOCYLLGff{\iUåƟ:νChS\j(@=Wi,Y^K"90 ;nf) o^7܉ ,^=O\;->ߎm׌˷3;;Z̢l>θ-^i\hWYp&]"}DF͎swR湷QRI%/~ū#jى5d'Tp * ?2o{SûCo@ކ8Ů_&韱fe #^3gۺr|q#/K_UPV.WfCd^`hksK͠z%Ҷo൛J}pW3 ~^D Lxa=wp LvBQSM;/ܡ|.ڣg]zK9ޟ5{)ʻrmnyo*YqmDL55:ضꫨn-d]dĹߴK()pSqGGų\t cZh:B'dڠnTSm|ZQAw1ؙͩ 5xJ)؉R^UzMcQ vy\NIae-ۘQ£#ڜQoӆz5^Fy! #bZV=^_nqs;}E{NuXֲ3zoeI$hʞ42Q=4ƍ">3 ] M¸nHBVB` 9Sigp3=8SciJh#ÈI㈼~l|IJ)w5*I s]Ì nZ_gҩE bO=bqwJ׾I2x1r*cXG_}s_mFy>9LY://R1,y6-ZAT;6\9?U3s蓼.  RvۏR<=<^'p'̿sㆪ`qzWTOUeU5~8B;OrQ>C22fЧggsk=9?gڰ鬾L~N z(ƤNaP5逋Kra5DdoZA 4-ɧF-wmcamo_PQ$ǣY%)L}@&GO;sVq~yx͡DUr54z)e$3m_ǡ1H/cy*8[섈A]uA$FEUpbf0# %J,Ε sω%L{ʿ\uӖÜtP_o <ﳝ Q^NT"G2\z-16pQ*a}r!bl- > :4.imuO7Y:ŒIJWEy}'^ًc&$q39vi㳿ҼNIZB݄vp m Fup7?L z\Tr8]%'ft/gn*v|N3r:FQS~q:1&wS=.j+(rM[ΒQvczM-|P;w-pPtg`X/<ǟrB֧ZQnj)(w6C;EW2)HSWKe~E5:U8IҽY>-/qa>ˢG*em}:%vy fEI6}F(miz_k;|ua8o93G]jь3e6LkY-:# m-^ʜM|]ݡ^cCzv{N;^j|ưVGhѷ|b]?Ƴ/P|r+w Q\.N:RjB:SӶo~Uu55f?W}G7=Gt%dKIEST7 0Ťr@!u*茎Wx̦8z&wo`׋"VtYOyUt(өoEްOԩ:_% ]G׋#VtiA=Lm 0@SO[W(N*ؿ#ޫE%Dzx]:n⡪5nS!]%Vt QYYd%eBC0F5C!ebRYYԩB % |+I!Fee5 Cq9knΦSg5pi^ ahij(((F㟀bk"ȥTq9Xv*+;~BT!@¿$ߊ"a0 ==Iơi*Á&¦˰Xn$vha`Y9w.}ΎK !p^[Kd0,]ɓiDGGAŎܐHTUmYR|9MwԸk.ʣ̿Nb`x/K-2L`?#u*{!D_ȵB!B!YMZ!B!ĀcXqC!v۷o`~.B!="p),x3S!B[d0,Jj 6jUQUE7kЧF"JT4k֋e` ^OI !B(fVO+HEϡSVxEq:OT]:fڋmrqYT:B! a04MCT* f4US1i001Z+6=h~hRq:ȭGu^ ǒԩB! a6)"44"4Sv`7 ױx5ȁԩB!y&%ȄǮa2T]//n&♙х)=/owuZy1KM~C=GQ||TF;T[{c~o2&O6,Л7GO_ޡ E;~?lAGu;%h(3W,gq ņ«\8w7 PֽO swpГ<8)`gM׮sln)=G5CR<6WS/bv v\끊QI}ެ0 ^5ׯqa> Zch3Y$K l7o)MܵVe,2+ ;Llу >q:XRW>CW:]20@ e5Y01CBP%dMGɿH('VK}ҫ`tHې ,\W%8(xp-m|!Z ۫,M3*Sfb Y׼Bph0FdNdeBƲdN,&<|łE/Ц=5A<\o*ؙX??Siq *;U|'Ӳqäfmk 8pGf㎶^đoIeOK'CĻGc{,| _ll:I]9` Tȼ=AAƠ>}=_*_Șu5r|v?A W蛇s{ m{X\Ƣ>Bk !~N~^Kn &-̉-jx4Uh(D}5sp|\Իܷy/(=|~pq|Ι)50R͂gzڐwъ>.}\7P-<{WCNOU5?C9u@cjj31+OMS3h{ U& V+Ԕ3xtswؐwyod6c2J9uzcRyT$y7{cpw z`pT 838Cl|s+/zSNe>IROZ½$%<NJ3u{ve"jU })J5lK3Lm}")Ћd?;o-2$O/VE]>vN&j޷_.DXa;s`4eJV.~Fo֗!.G]L3[ IDATJ *+dg>ͭǕvُ@cU2 tqR$xf&|#nBHN{y6694ҟ{f1\~ξ'dARVfSJ ,fAM?e{N3dxDpו⟼|3,4V,;~/ZI;;j(D TN'_XjO|r¦1?+^o0(*(@Yo ?x~IM >\G2q/`W OLdl~(mĺO8qX'PplTo{wd2]aLÊ3xft^jL NB- _ YzXlƌtQIBdKojf1=;G[Ղ^,0k &&yqzvgk3d Sq5￑RRh.j'J/ݐꜩR^XT7^j͝ /_%o1&\~8 Xt7-CbԬ̙^Y݅-f,sg3}6"jSkCAj8r9,MMu ^LQ} (}/rǃqu&ƻ~{2z]=͊f?^s](XbJ`0.*UܟghU7?uY6ơӘG^So *tx\3ΦFzn:Ɛ{!6Բ}o_"St+佝g4$~9Eç&g: Zˑlfo\,}tu_bÑ8v*B=9(*1gqu d` ,j_X=m_qHLxNA}BH .VsؗV-?G [X_ݚ^w'g.+hTAjB$<Uʋ)uz` aCkA '.p3%s]M80a2fb[n<4KV"bWe!q"ޝl)GF/3cVg#ob@ b<3cX|Pmc{xwRK94'BwZ$^XjϿN$oF͛@ZΔ{ uJ6n@0dWQVNudolFWocYI2O>_IHO&Oha}Lt|EY|UNQ2;~c@02ǘN:%//ill?GA>%$'\el!4~*7s,_;';%k9<*/OQR $)(J;/:Ej5670c?uYnBpwO;l^H8alVI\T7zOMw![K*9s4;˜.;(? Ȫ@ #*H]v:{.i!r4f;כ9\r gUgrK(.0d|I @ߡ EʫFG%?-ʑ `&3?dֲT^AaݓȑnME}I5NTT=ީ2d®.ߞ;yvXml|ѬNf ÙN|2[ xߟedusӃ$o|%$4rn a4=s~z97dS [w4Db^ۊqH 4/e"f=Qa(e|}^$J8~+_,S`Q}d'1,ڀs8=`" /P%pxFLMs޺5J}Zd_ɲlfx0>Q|x<('ؐ2O|pOғ ݟS6>cZUcxxZo72σ3&b#+.޶&VĆv~gX!$;O* IQT v|Ac (=(!-0cii.8ֽrgcRtrʙt؋OsD.HbfX?yC;3/7$`fZ69S9KNiiH1:cuB[9(ǘ:~/eQ3#_';;Mxb lʽ,ǚuѤ=/G&v/8R͸k8a &c}Ii 1bFi946dRRX L߮tl`6>Udۧ1zHv}Bӈ?fI`h//l͟YR)oi/C5wR>H4_[5i ;N/|coΤgyu*ow2p9f5| ,=adbG.}Fs׸Xv60f/9;(qXj>>ښK2"L| ~X85kHF֍srdl @67s'dbۤS~c#KGs:țԔsPHKH}#Y+=IZH&5#&K HIz;`ū%F63n͛(?4J60`,3]ó ;yfώ&`?Vo <mY&td'{fg}#j%NcAwX})IXpe}&-Vl ($eb:ivrTgh9}] Z]6 [#ϸ bM> %!~F Iϒ_ĒGЂ7s:}Gs;h6_|jTϻA"fp(e7mՐ }eOP*P LW$eR8{Z wEƧem6nW xΞYy篫A $ے݄ˢe]+ʩнIk!xiox+!+:N ڞ]?Ƚ?DŶ{8pPyꋿEez|lS{9ƫl03e_Yb_zo+ثU|oߛ3ՙ̚ɕ;ukGsT6g+vO#߯X $t U:.ippf)2M%..US+ O.{/؇&wXcÔi,ণFv Y\$gπ;mJr{I1\AEGT\.jΤspv>](g_:ou8g&W f! p;G&9?jNs}^4rD1b<=m 4ZBI~[$]x"! 22z+[@eκNk l~EďeƜLpk;yoE=MXz@M_QB2KgE:UѴ@ĝM|,=PӚJ Uubr5b=^\XCVA7UTQi{0zbW:|2/6G ­χ::2YwT[KiƆR(.cٙd-:W`Cè8:]3wJ2IJ_n΢\9w< sVQ^++2Y#قiTW_ GIwDM>OyT$|l]OTuaZqJ}IWtzn뷧*O;;,Szu@-Z!05/-^3lV'mΖ'rlK-iE:& ˀ M$+׆@ʻo>ׅ4ǾLEZzzqrK&|'E /QCԻ謧Y)h,uzP`p jK[-,h9O7C|r }՛}IZO#yelk|~Oْ^Pϐґ42aF3 7sf]:ȁݒ8RlZ?*[E2G!(;|oÿDo"?{xms[c~DYl[9EQJ(8qM+)C^ťSFuso;(;;3'0 PP!W_I>D<.{qͿ4LQt8[ӽMǼ;);p,VK7cAwTc ,;B]ϪXMFiOQم?НWVPk9TEŖutZ_ ,!BL\d۵oGRIVv-u=?A5\ݓaCIqUPePktlf`| ȈѱTmj;WD8ZJΝYوNٞfwOSm=|.eJbHodPk "㬫B%`5/=o8%I#nB 2`d %8UVF%>+2~|rxw .KJj IR޵ (aRh\kCW[iȢBDŽk5󰇮_P"vgZ9'Vާ/>“(AK3֭2!N%{:rpXG÷ymIf/, Ыٻ~+ z?t-K,˃xf\cx̧W)*UѣzgOԗXRH)Әp v?Bil;x;.|_R2|$}dH46;|Y@w92iq28 Bc#瞖9\7eEK&t) j-*}Ӛ@uԸ5o|ubI^0c:RK4[FR9-[ Z6,k8* D9Y p"Z^UByJx&<4>6c!%_ʊ (3*-<  k%i:hlݒąPjׄ2?eGOn>WW[7 %a|j NÝG.Xߴ%㢺+YZ@2HYT{KFL&pmC?%Gr]\N7MJ_tzS)g^Ԫ7䄂Aijl.I2b b̘1xɸj)ò[fFzV2}|eթ/C4t2rLpv{_y9h=ʾU먮W1{b|t Losc6}ެÂcpWƼ?{[1Nӱ5t> [/ z=~- auRXbDŽ=4\4ԝ`tm5IDϿƶ _YےЏp/N]y!fQ+K^dΈ~(+.tVM7.2 s](ExzK?)j3yTH/1RB6Yڞy$C]9˼\/NMI!' ^1u 3Iݲ囮b iKG2)._?: "7QR04VZYF)%/ř6̿{ _̛mw^nd5uoȫH̹qm.JP[cǯJ,M"eܾ7{CmMTe[9BbMonmG:;w_#M:z3N~6NJYi!̚=PoW}9gOQu⃷;aw!Y.淑 NJь9~?OyeC!OsR^ѕW>;E`1NUQ[JyI_U 0=d´t: y#9R_OdO鳷Yy 8؍b&/zjw^a@str;7m͚B"b<g A8r c #k` |AFdt]&^H2AFE/ 7QS(nBt[2X'‚ ܼDckhb5#2v,zYk9[SANdp|,H ڿ SLJ ML4ah _3HMpR$sf0<A荤}W>tBA/B1TUEuh؜7# NSAuj<"OAAOaǨd00 iMK9 fjk<,y*  x&-DFaoOfFYǡR˃Eu?h Io/ `V x9$2lé  ưcNFFCĢ(2Zc#7$S,m  Z=ېsp:,^6=i TAAz$ o$I rٓt}imv:48)-ʳ<AAkd?PH@34HhEyFWbB{}@v%2y<ȃ'\|.s'3!7~FٻiK$߬qVr]bbS>^ήħ0"ڂ(_A<5SoN+ߒ%c1ul:9ʄƙ8K8c<_둂1e4h5s}./aȾ$&'r(eރH TU̽;0ɒ7S3v[ONPWw0d3?▚d2aٻ|3[nv2`4!XW_c6_qְmeUvN[U>}?s0[O0;Cw~5)v汳OzP}6SǿR7Sh0~0r?_Xq ζLjRVOtLKxԛq}# jጾ]7S]. ,bn\SwLɼ. z#|u郘$ʻ>d݋=Bb~AkX49k69g7XY,^[x5M"`TfD7pm1 [J#GpS,F|$FgkQMm+")2#aB]5AÙ{'>RV3h{ U& V sŻz.*cűwY%gJ`HIV5R^ؾSZ9sWٌz(u͞ŤX0&26^>dE4 N7朼~kCocKO' LflL `=Hɟq4sۏ i,_oIϼr1P<=j-^rǿb7Sh)0{IJ0}x6/+gbo?BcKvu{-|O1KKsnn9=B=dաSFŶPCdLfUt'P[[jŨY3;vj [X$frlSǑ $ DԦ<2[+ކpH1޼~. r(_.eHF;c~$y{}c~Aj K>qLg&4UZta 8i#cJu9dbG.}Fs׸Xv60f/9;(q ڂqtDs ,o5t]{WY|'sÉAj&c2!!;‘2L`X&ϝ̒%*osjv: u&/FZ:]FvZIҊF2yX4YHd$G:=/1!!F>{;`ū%F63n͛(Kd. 2cwxcώ&`?Vo “(Ğ;r=U791$LHѶtJ"gf^+"N :YIGfi`jN61nh@k#1Q\ x7㵢Qw9v Ǩ%F,<cU~{)ۊ_Lr*$|n.όYnO 2,SʩUo |' -եdXɊ:Տd골>6,D1fdMea-3^SbLDv*ˮϻ7 FVB?df"d$UHa引cL xu-Y:7f7*9fC?9v|ehIZ1(V^Bыy^$˺W3p܅ld#̼o8VMCy!)+wm醛7NJha Bzk=_JۈwXF} @L9Anlȑ# t:nM8d>{u 8؍bKL=jw^a@str;7m͚(pYyQ0CX8#!I dIF׀(d=SAv"& \_=dɝ^(ndYMirN2 DLA~Dt0MMlI3{SAv"& \_7Onz:4lN7":؜ SCUogG B;A/z:L3~ wΦ[%FL3u]&$T חxgX1jk뉌DJ3fCQѥNtuwKt0^v]lR[[zSAv"& \_1,Ő!(؈ Զ&c[,!fR;Rg+-rn]GwˆQ8~Fpp x-IY[_2>TLӴ?;NMPQQDD 1QaGMF B;Ayȑ#ŸAAA"fAAAn9 t:A[C@s  tf͇a<=sUkv&TA讞_f%lAL%0-3i*2X2YF%$MU熊jRde ZүlRq;tt]BU7T7 Bw2C,Qf Bb41hp(8d4ܾơ-{:Wk-IkYRvh2zS0tԥ'%y* tVf%l0i1 $@P0n~)p|>n[]&ɛY cT55';4., me38)1i.ؾz%y`tU_ }WIn)wvtEΉ겮9-V Bjd S~KZ‡HlJsmW4t#u7Э2 b6\ 2yիٹ ޡDNo#TL;︪Ϲ{EP QݨIԨILۓ}7$ۓlz51FwcRz½4c̜sgfyf ]v%RʑHmn4 w29SSi*4.ܞmc‚i^a㍏PCʴ0fbˡZ(fϙ}Jr;f/3ٛ &p28%b޴`R& nqZt5ZL5ai[3lnG]'u&O"3MuVF? 9|'I66bÙ h6|:o4@yy)wtujq}O4xoϾBtQnM:Y{d9kI?lZ)! ln7MFc|"O`Fǐa[\W&,̛s;9vNi [ѫpW ՉFPcG1{BVZyci]gxu*Q@Ŋۚ[ݞtn߆\EUCز>POc}yG^Eug`H-%y%_`p~e sXQGºu&I;- 8<߾?ϲҾl(?3a:?"%5TgFt2]?Kz#&~5CclZKb{yRB#ya*7E14 c{r5;HcBٕsʸv1ўԤAj'8ǔ=BџP:؞A—{,]dLFP߀E#8&UCdamZJ z}|a] R%[~ݪti i= (&lJO ;;ِ\ōnT+ϻdo/\ t*9V|ə:@bY32YqV@N'?u5? pi} wp|=8*M<Ė9Ԫ&;cjT@oMx;lxt ^$?Y$W,gȍ nŽ^˾Xpx.S~5f%=ff:RijYΔg tY, -Ά*51{_מn?MܱmpaCv^21|C plI؜} ;aa3lTzzᬣ Yv?c*f(ˮ_fyJZ:< .պ+ @2e`jn%1Iw`N?Ć}v̑SX*.q!KG9Sd;|0o8KJ& XՋgg ՔHr" bf`?䴢N/URZZݸN_َmqR<>8s9@L-nUJƙTN:Gves)h_wSituƞ{Lx`%;7";Prge/F=~X+6#D7Tݎ i|KIT ~s@ :]vy5 G3k,$݇E\5ɡ%0v1-!}z4w+$F#Xkl(5yM̽S9XPGDor'Q1 FcGxOnv V>Ð,f&c&NttC p'] oJ]M=bzb4R|Kq7 Sz ơґ?>ȵiܴG@g|[-_] )&QӇv7pӮwCtu kZS@vu8cV_h[e z|>Ï^Qqx7W/*# 0sXq${q nWy Δًx|3_n{]'s=[|^iݵS}+y)Ge`NMNsdF{o1;}g_NލVQe.Tgu^ݫWb|U50!FjT PIٴCW]` vJAYj<l^L~L\TEY#:4n ZJ ȷ ڟEBu'%ג@~J"'s1%cr;wxyv{g KQL˲g߷ G1x?:Ew 7G9p2^~ygeJަۭVO\VQP'lh'a5\P]->|:GHHjY<=!I͇89pդmWzƸ]Tԥ!J&L%5֘ p1Dw{]We5ek^/"]Sa+ҩэҙg'%1 дzpTrfg|$1~ KpVQ0/QU^Iy5I8u SѺܩ7Oo-Yu`y;t/Q+#"=cvJ _ ŕNgo";4i4a4"ǽ+Cc&v^Չ7 nk3Ò#Gb,+0fF-: IY9%9[Kht8]Cbܬx%Ā˧x:/Nաׁvej$a79Xl mN$zܿUqN@@VSI=yx܎s'jû5U<9u!J|}s7]$C \XNy ǸEʠI,#8F,'z jIvr& 81eHT>\Tbxo_WSJ;2jKF|C[y=)MZL ުΪ4P|[l+P 2F?c l q>RT ㉓yh]P_SEG5Ʌ7<Y^F9rO|[/ R+H`UL|Tih! "'1 RSC6g+BoopeWwWP !v@ʨI‰9"WiB'rxTۑ<?{! 4Нru 5|FaQt NeZ#t*i6man:jS{:P뎲0w3r/};ٴ3,pmHIF$ $FQެQU$#ik:EGmjOt?]J'3a{jO.f @ :,(b;DD AcR(4=株*€Z=oDRTӈۋԞ/^f(Y\POf p@UQU@t[$rԷ B;M;lFG՞/]+78NVM-q fMY B@ p[fzagXЏA5cբAjϱ][JXuk\?x "t*wUlw6[К]$Dk rFFUDU^4 Im? `pjJxXd'/q t*wo6Cл-p h42J}=Fh%}!-D/\6ДZaFQ8{6:;!]p )狧ބ^d%Ϧ^?&_U,QwF|*zW>Щ@ ܥ? A"l3,藔UCT "l@ 8.@ @ 4i@ @ vh-{ٴ#bb&$@ 'ĞaAE'c "t*@ YgXЯh:)R,$#ddYBRTp)ODj,5ONl NVUp:}J웍Щ@ 7ΰ_Agpxiz(r 7mm_eSQ@rlUЙdN6UfMQ{S@ Ao aAAѠxdth:dVJ_YnrzwTXQSEI{S@ Ao!aAAaju荆%-,lGASw[:NB@ B\$7hZ& Z]8tZZMo+ @ z6h44Z 4rөE)-Fs  @ z ZYnYDS@ Ao!I Zյ6 %4Hh縔Щ@ B$r=3)zQNFQ5R9Y+H vS@a?I;q)~8ypoᩆ+' 6 Dvl;'fzk$W,ڑwªάٶk8~6ɞx ,䥵~Bs7߻|ڎAw[0cᣳS]9]tuTyW ŷIw٘љF##2+lk=;˻Ud~;AE P.o}F5×y`ѠQ+Ny^mk9UU=#a^iu[!|35 /b3+r~2UEIeϱ2NՁlR}CYT]։<E ;9!A^RYts'泔)\>kA{9VǬ@q`B: {v' wJ?1C<#3zwKxqb5gfsadd&?)$PV L:͇ɬk ic0_ŝQ}ks Ҕ߲/c?# 66p)ifm=_3#/Z̠^+|WYsf^q/󾚖~_ʻ3v/zkNOBCJ봺N cfw^C#6rd㗼xu]Fzu%3!bZyHʥgQfZ]a-bLO S8UUTwLH@FMʜ)ש vNsn6v1a4VgIw.;1ud:xˌFf¼ 9NIkżih*7|JŋsLkȴvTZ )9XF0:y9{{BcFS֜+unITXd uRU>觞a1'7=)ZԯPC6~KD֍wY> ]ҩyiQ,2Գ>b ޯ>Nfԯ~ZϙOsP,¶r1r4)P9fx⩗Pl?1c-md6 8ߧ;HjpD@x4Sl|IsVy#c d O[UtlC|>8nBF#9k/}zֈwHsFl$TQ̄Gã|K7/ʟ|Hr%_%־'s2F#/tRU7ZٟYeO6[5k$V9\= P&q7+%ؠ֑ܹz ݼi$Yy?)%4.뺃$MaDn$㜽UI;ե^@21(yl}C6T{-Ŋ{̴ .;úi;Xyp)eO-b;#~ u{ Y16@4M@ulI( 9Lx=)Tmc3ą]_pRu~$^&:`<3Yr?Kz#&S<<[?֒;l(qWDu|Í9̉TJ(;" ,21r6rS9 |\CZ+:-G.Xh$:&]9iIMZMGj'8ǔ=BџP:؞A—{,]dLF0 ڧ%Z=(~峯U<2O3"1'sIy$ $b`ܱ i(|vK+y#y o?Q^[8Gs F.ZΊycRɝX/z c;n(G=Ț=s/یI e8m=ȣ,!sH_rU&`^{8jJI߼~f0cGٺ)\`]8?%*X&9Q;ig|"xzCe)!sY lhvb6Pb4d_ ?~Ӟs78n7ͤ͢K>Jwz\ߏO`W9LJ-NG{:D gFu\Cg@#%GyA8b}5pf'5zSNX|zAA|/'Hn]tW+(a¤Vƫ^VAwu|6_œ{y<%dٝ3bU*?ќ:_fyJZlyy(ބz NfrmsAdD-Mdi+Qt9g<AWGРlj@j5mRřw_^LB{q:tgHRKeJikP0^ W(P'h}%X "\D +O3c/W4Sɯ4>aH(a(kKjQP8frc|2;O_,}ԅdT j6+Xt@A&xD5ЉA)ؑ.W~H'qJz"vίRe=5`jug=;u?'0*4ʘ$'fcW%GF.71QJj$uRUa" IDAT2O?So i6IMeWG62DQm 搑{컼4#?#b,^}chWS[ZLQQ1 McZpO\t!c&0ۈ_xFwGoP?xx{gy*;J;6>z"K9v Z/ {zav}}tVAwѵaMCtdqT6#aSEՙ|Lޥ74ޒٌFZŰSH^ôI4Lzud;Mބx%9Xץ*A k˻Qxᇋ}3Ez@ˠ9Yw2I{iV8 gׇr.Ofh뷑ad_[%.pH"~*l'ct'yIiǍepV@ǰ1$r8XҍgԪ˷UG7UԢZtCza!kQ;<}|t&`ҳF(dï gr_a'p MdS2=]婝 b bDzq3@)ljE-gKbMV+iILP cmBHEhyN*C!hX_\η1LTL=p F(Tj%^%h7#1 [|vʼnPX˂Gb0q(M)V.{e -/V(H S_5` ~_qCΈHf;5)|Tq9VM |B* ΤpFd2h8sq Kh8;Eꤦdzx/)u@LvOhlyrm@WJz82Ij9/jVMU Bj?\OO*nYwh>N1xݗd4z#ms[:6pGrh ˆ\dOS]z\@R\8? ӾETdb?@ѼLAF)M5z\ZNP8/'.%\|ϥUst6ԫO!y}^ }~c} 7fz 4euNdm<1?91 =7)쵴 z9N' aL63]A̦Vnք5:!.QTjsk  `;'SX-l ҙڳ M`Էq~TK ڞcAZCs.u+<,\:ڽ5d2'=/2}T@rtQH9}YKF1T^9tƇfOu:q"! 22 N J$Z͑6XPuzEc`|Byss]$8V?Oպ_ށjTb{WY(/|[gykZUX,VTl}2qF<~y-C: \]fp굿QҕjJe]q7N'E.:q8ն[+ROgSwӣ2VMc֫K4Rr}6qߙ\굴 zUPZ-ҵ*+j[q;ZYDAA-{a5RA p3K;mIlZ~,FOdR4lq6\#|72ΐf %vB&ƒBF&{ 9d8,\Lv@¢}[D?KV7ºq_p;WpW7B-DIWgH*v֯JRLx%C_:P&xf oZށjYNeQ%=#W=#3#ŀ;#n?gQ)|SG8] a X64:x; )pHZOt'ٺ~;9*\uaw[uNj4ɻ@]Eaf?LLVBm'T[#vdjq1spdžl'!رAhƲk#uqU+ȻXŌü^F%M: B H͹DAEoI"?FnP"~eG-NgM "@QRLrQKrȮ19>nCH"4deWtJM>ڬf3œ)3Ro?6@an@Ԋ;kiVl2HK -WJC?0MSSZZkĸ*'d̞Q4$"t\.r|UГtmfX)!T`$+G dΎgH}:fX:p @#No<0aAIzg=B91~=DzWso3Va0jMcދ7C2Vi5M$Ae缱%6܍j?]Hϡ,xzZ}Hz]db53g2d1uQZJуja|d hP xl~'ܹ#_l?L/Ɉv@z.\eX2Γoyp6Ɗ2*ʠZ(+'lY6#Ol3xK=Ŀb2gy<.Qhr%Qk؛p7-,[9Q4>2j];,;m|YCGg)_4#e *j9_,4%L99h13|R8_bPX:Z& .9m|KΖ|ӤKE^KL_>_r܋pf٩).o _9۩mڷuW e9vUOY85>`'! "2XAe's~2KwҲA#Wxx)Kg04ȌʼuH8:7K6of%+fKi&7vgn;j{Ǘ3s}4rE aH5kU'3k6gHo saZN.Kv|y{+d4_j=wlXigWDmZsծY h$N;;3ZGegX.9pؖɺz {.Z;yu_6] ex+ C#I[Zu.0fQ{A>xV)P&pt4<ϯ﹒_!;{Z]_;CtͫV)|߱.N:{\8ݷE]w.d xEK^[ʅ䍼n/MOi.[poq{b΢2SÇ l:ofi3LbדtN=ͦM3%zyb~i|%N\d_?d1(\&5DWg]AB`y#VF#ɨڃ7UUH2VFMЩ@ tIsJ(l@1 $yCq‡Zq҄#,\p{G>^}MF+!Fedk2ҔS@ pɃ ,2/#üV2`;LFU @ЍgQ'6 [qH2(i :֓$}ۂS7!/ӉӪ`iwLCMӦt*`:@ kk XhPUN][JXukz[^AT @[e҂~Cuu-aaZ\nѨhPjRĢ !!$ N-V `0Q]]B@ B8Â~g1zt4R_ZIr qr9o.RӾˎ4V0ziΞM݁Щ@ ΰ_a9}:@|ԛ'IYn7Q+gEifQgk 8 t*@ 3,藔UCT @p3Z>@ @ VӤ@ @pۡXޖC ngӦa@ eӦĞaAEӔ8p-B@p&z } M ke0dd,KH N>BK+yhߩê>tzT(B$轚bƸv\{g7N}ލnuN6q  b 664Q P/ ^Е8I Lg;L9#nJ&T{`XVF#&fo|UW:F7^4V\١aXTNÈʤv) 7<%B( "g)5XȊAQ}=cH˦zChKհ]4 UUPU S5D bb#T| ݆h'VP,FLsW'ɣƆMjhYNaRAUd"T{ħn`P0p[ `4)  JW'K<AAĞG _+{(( ~6N? (=xA  "&<"Om r㱝LBBW@{SADLyD oa0 ȨwaH E  "&<"OmYGWtq#$IBW$$==y*p=SAm*Rhza*ѷMåral8n>M#YTLew/6ɱddǹRrÐx^h5;Lxn7>HX3si4˜-59^Sy$Asy|i5_~{*%+q&09?1a~Hu?(ng, [K_sJT^xb9cK;"# ru+|z'vZ9kְky7^G ɻ͐Ek}.;_.qW<Ѩz^=_Hz%l]ɭF$v<=V&&O/^Z$͚ʤ>]TspN8n֎yGh:3cbKN_gRn7[1Ʉjmu>?F6-'8s !iDV.s3랖Kl(r I38}"1sbw;kZNWQ yGq̍PMr5_F[H>h b!'i+D'$&]\mʗNQjצ*Eɺ=,B 9OY?iH7վY>}Ez:5ioP KeRoulctݣ~LY4) brb\0xL[)S=d8z^;湏:QO#. b/~e\p ~$XE;Y@Dtj|L|Q?ѱR8Rriϧ(ϒgwv^+2j:9ɗZ6[[+ьIO~**Ň,{ =,[*˨t~}D#^Nɂկm^0*~WZrv-`5g1q;pp}\"L * #8$̛˔ᤵX IDATX099~QedYi&081=Wn\5!q?.p]w;Fu:,ws+,cbp<} s{X>C'˧`5䉖5~w?}qI2` q8O}Ƕ|\ECykXz[eVSDɗ$>@lLFQl<a{QN!D }\Fʘp$eR_><~vLADj^*K-낇<}{)txc)Uf*/0IȲ7sC~RH/mNr.5.s䐧mC\BjA/>ɞMI3?~}KFl[H2rN5⃷>?*4z ;f @ g’ ,;-^GLďbDoYiy 9 q qFl:JQXga? meYgcj\ +>_m o7rΞLM2^槿{I>C˵,r,%md>rT˧X<}m %0/ٿ~%ҭOHy'֯sӪ(+ Џ@"OW-zh;}ڱVPBTJiT ,ڹNm\ɬYHx})tD-(_j32ہD[Y.lX r V 'IJ!IeLNf@u*/gDe_ /ݞ(5wLG{W$ѱs%jKxCŸjv?$3LM,B4 M a5Ҿ Kr!nbcsƌ`3iHaL4FQ@dVpaXF;)|A6вD;םW*C_I~[;JOuRQ54V_]ȌJ'ZeRȫ&et OQ6 &a!Lӧ6 'ԛwOu+ǮuNen혤!̚`ǧ(5YYixrƻ[2ny|@VCU ωVxSc:?ִ Z1b_twi ~07֒/Ys)8իxw Ͽ<:NQ|Wd90 s'n c8N\ҋX}έ} QGkNY1dE49(N?^,LrD t#1KPUOS|=OjvsݝFYNZh2RED;'$Ҙ1c%Ktܛ,CXn|2ndF'W(;B]].1Lde5?qO&TӶn]hюu*{໶n]әЫU9-:ސ$ 2$&]Q$ e7SAD;ֹDLyD o]}gM<5IZ1D B%ڱ'bb#T|(]L=:"bH2h vy*ݟh:=SAm=f = 7}6P՞rmD bb#T| FEE%& t+DÈ`%D bb#T|xgX6**^K53u:CQѥ :zß.+_@sHevJEEUk<AAĞG 61 ]IKdذ(VS .#I\oܺ qlZJD bb#T| ݊ĉTC ddoP$ dYnSNJ4MkYKva.%%]H T{`XJJJE0aD bb#T|4f   pOI   %uu:Amݺ  7ۺuxgX'u!B7#&5zEݼSA-b0,BASAb2,!i::I 'K:8kU]PU(6B׭b^y*K AF f wOF37m(r5G4F79e*cRq;u#N+*֝by*K AEAQd2FY1( P^o#eBgЯ߂:T Ep MPUUU0~16:`Xh4bp+(#&$NydY#8GIU5Ιmu(fD oV3L~VQ\:`4)  JW'GڭFQ7E RnGQ\?3 tT_$t_=.6)T| p r,Ah/ ]Yĝ [iQMcwY0)D!3d,)`0 7t t +t_=.6)T|(ŭ1G2f &$ШRufo}#OHhBy\*vvR…˄~qV7ێ1 (>3{}IwΌ=?Ε73Ed#S1xߵBL<1ȿx/&\ZčĄ!Օ{^ JK;T9^E&Oh%GyookA %!.cqRhza*ѷ='ral8t^2ar/?Ћ3fG֭%S&|C<7]ep\x3EehjdYîf#bl{q}ZL8/W|7<0 nʎˏ!= % stmlWryujtHb.`81F׫X1lOgh6MzWԇd53r};Kgis޶/޵ wz'ܛ:6&Y 8ǁR\'a EózϤ*Ҿ;ʎJ+1va >GG}#n/X-ȹY3Q 5OHR TWiq%d"&. &/BH=˜ ͍{$K8CO`u[۽)sbIT!bycn*A#>ʴsXn[=wi<2?C!LbCjUk D[)LÔWS̹+lU>ƨ/2bɺڎOxS/:L`CI#5=91 TUBT>yu {YrU?~i֪s9y+_n:E]_k7n\ C9¾?bɏCCC!vɣLm. >| Ѽxl+_LJo0hpqL k8@c a-]l}kˉ?i?YBHD$A$FWl,{W`ĕ}O?ۻOqW aKbIc=)?/R.^&z7dfc4aߐ4+D'$&پo5z}Z!_W ʝ7ֳ5/df^.ڗ6wLϨBӡ^CrJCtMİk`FMm (.biiͦ]OZbBJWf6lPB)A w_{1?ޖ}w"uWEo~`vv (fңo^VJ+C~TgȼLNH#N/HQF/~0:Fzmٓ}ƽ o{KOoݓO:4*)l ޏ,*nscIH}ҫ:b.C|Łp̾SxzN̬etkj}zZ*d[f!.oc2JrrAL貗r }^tL27Qx:N/9n%فEn׶`_Kazeu:c0~VWq+Ub7qO`Brq6.GYGv⧷esn-Jf3f7qqDHv1zZd 妧|~RE9oBB a$i+l@ztN-DEc+Z;w2gqb7l–0315v]Qy1tv_!b`[9O_m[ [}zm-v݂uLOQmjOv}ӻQ>{KO܋O:4N0]ċI?sߝ'JYto<`lGm7BĀ $h&$|_  GIGff6jmn \l;12&BAvUQ\} >fוl6Q]d⪡hfH!4iSzr ZJZF,'cT3- &eSf2P1n<`:G/f? dس͜qbTf]wy9-ĎN4t)$2i[NQT/o5bLtX&Ժj ')'ٖ&29թw :]~ r.y.h2sB.C\SrymnrD` VLKj`͵k*/^v 2i*śW-syX eϩpXmYzlլDɼ̝w69 Lϔ peG|]LcD|z|ЗgK "m&~ qq?z?mO.xwKmHC5̩OQi_f SYBUGo~bߤS|1 ~~~/c Nmy5jirkZv&$3 8*h9Jǃs сd?EH_X, 3@^vTfdw?KZAMxpq&[(>|!)^-RqWy͏XK"-1O|O|ZJaߟ6 < a:S:!^KӇF䅌gw.BܵggI/ˋN RWjuՖvŌzC{چyGz}'qD rmSHH}js1k9?#cM@# c̼g㊿"FO ;t||v-/woԣ䦞ؤ|LƧei9N0 vh="h V.Dzq3;ӛyRh,:e*%@!ufe:bWZxVB;[wRM_+:|kj[[X+~PS]Iޜ@6o\*VQt5\g/-IbLr':pP| & Ҭ'x9j;4屃44f$䖔*f?3t;0;rCxzDz 33.ť#)y.sjIP/l n0[LHxQv}C;>%ώ!efVSXwks)ʸRZs+& lTQ]xUIeB:iο% 㾔 lD%08^}/gLfMwbuj%[5VW?yRW:r"7'؛dT%{u-:!BIyMwg+~]DДc|S5A6n;Ky~j Ev1<[oXf,vbʦ~/Q U~F/'. H$lm߫3'g޿ \&\_7? &Tvb›ErG(:v<*g$,Aa.iu >W9z# wgl> mFveyyO bQDڳzU+ĝDTDyj3] QDHIi$uBPx0Z|}.laiS}R+$c{a>laD4JZ|] ˀZ2ZnZ'{Q&$ScAkg99IEnn;nCZKN+< )ObbW&KB|7`,9~!X"2SrϒYHX ]^]MmEJP< R@cMI'{2M{gZ/E$'70w!UL"#P af.elCm:V>;u'&=E].ƅrPdپ QPKܫe'؛~5=֩-ΣglZ2vmau/[@{6d %o nń-4Q#H }V@&GNщ YTn1p N JI"yP]F'TziL4 gv=D:r2J((r2l,cNS,blit3y?V)XP-gI38qU9?x-˞/0rrqJd\+Ze}C/'ƕ_BSǘ) kZ,Su5VIOC&%`))XLIPp_+w5cʓ7-5i|noE&\+PA.xʞBmrV2b2yqYxrH~fLCٕB3DQQ.%QwK_`'<4N*EQK-G{#B8a#W2&A2_?8>oyݺ^ʩ5v?IfU^al1PnYy21!O.7= m>ͥD%3w?WMF @YYF+c{b$e, sU8Yn> bI^GIA E'8e1xCzՎ6SʧG^k%{j_|QOO`Xc%0~tg 3Ak^Ζwkȝ2) 4!TqTAj(J8޸&{WI֝n懵JRS˙}r?JacaK'Rj+Jɿtΐ^z:9޳k'3mtVL3H;Ca8~nciL1#N/7~l` pRKaz%Npp$gUG"QAΕv5nLL_HìߙJH EGoY_Oo#TgK|Yx&33b$2r/gW)HFlHII!O][A~Ʒ|DL׹vd;ә5y1O[u.ɴ7>LHx0RU&e녇ۛ/镌Lr]pϷݜӍd,A<1! Y]d6\waW<3cuUϑ Fj6B?d} >3~D[#/6|RwvJX|ye8^;ǚlo+fy}Ü޶SH/b&<“O#LLmFY!0>&Rin2K#u^'R)88%ZAMj!=e9EhɄZId"5L({U<ࢬ*7d.Mھۅv DP| Firq[||So%zwFw2謓h 96v7P#߲ሙ |xd`{bs3]U>S7kxwOK;x5O7Icƌї,y!t&Vd* /lF'W(Wo߰tI=jwѻĀ2uc[ ڹ."mt46B [x3z""xM@2(ގܙ#iw=~Ϧ:$#Noۦ׈)T|3CɲyXX_X5]in <~ϥ:]#ʄZ+) oїV7"Ow;=X[;b}nu@Ejj@O߳) ϒz/{}ͽ^7E o95SnCUUTi{blNթpA=.6)T| pUTTb2 rPK-.1 mt(DÈ`zJlu&A**^K53u:CQѥ:zßq1]h? fՀC.㰫V**/A!-6SAmb0,]:ii 6Ejj 'il%zƣeBI],B}r:,~6ٳi \b<& t ʼnɊX9h,7t#z5tR%0ҮN tESA]b0,B*)) -DlyD ƌ#qAAA)b6iAAAcHLANw1,yS" /ٺuxgXAI]=R o&T|  مd,V,#S#d<ԧ_Yv躄}*wSA]b0, #F#&fo|U)_z,xSӨOZre*cRq;u#N+ڥD aAA( "g)5XȊAQъ$  U`+ FnπturSAmݿV  $PY;Xi`XA rLBBW@{.SAmwg0,0`\Cblű" `LOax=r@+IAAE%?nj%YB{v$T|ygXE XE3A2Mn+ `4Pd]|ff᎐$ ]P1eC Kmp l6lor؏^yHn-2w微b3IWsRGf-le<<3|y 源l)ړ$+W~˶QGTgb@WT_JƩC-9Y2ӁwY]-Rhza*ѷ]VM6s9YS؇ t>(?m&c 59(8ɮϏs'0 řV#R&|C<7]ep\~vWc"~?nxUda⼩MêUs5{"Y{"%e( qUsM|mca؊Xu[&UbCY[[mtȲ=~>ye=·Ó -Pvo$4zm']ρ3)2ϯ`tƦVNƚ5qkv?"7偞((Z_||vӖi| >GBs bFMz+T/OӶ'ܛZ #K 2wpsDpfV H`X& i%cgŠ_`^o:J@pMǬbבm;59}|B`AL_ʫn?L*_|"'~X{&W6碡9~ﲮ"-P{Z.Ae9M<I."(@ <$pXO~JzeV?wd`rj5 @uWX> Na+OYe2Y[drbOeOI pzF!A PK͔-gU͌I !^#K6O[I GFvoRҋS7܆=3^\rF |h#猣rT(v]}uk/so]/+~V?qM7<6W5'رSszH\3F7D(c;6< zبE<|CPՔ^użtvⶋЫ IϸTyRKN`d5Y~|FԪB7L`>G!23ʮaڏٓYWA `e<8k, jͻ쾬ʨ%Y2q:^@B2`L̀mqO\}nzv$4L1($@BBm3B*, y(29m`LsI1_K&=7n\˞EMN~q`8pR,ҹ'.3e3mz, 5E(46G ($jœy%"YCNP 0n򃉜BU? Ny_>k}A| #x|P|JڮV6Cm;*zK:tmG)r?Xtt1q.j?cjL5[r ƅ`tְyB:fOK&?yy'^163ڔx;wld?> +(+~.CN䶘hBX1xh#j7V8N|:$6 :( JPe3مP !6LpM uǬQ BylAsY[@47> ){YwB1 r5Ro`_WISwOz ;~G~ϐ"0jn ԲbM4Oޖ<csx= 6uJCg^Z0⡱ |čL& wֱbKmC!ư艶<RShϧ|ހ|4U١ɷvl _ʉ^_5SdF+nn$≼O襤\cH!v,;J?`AXc/n5;MdFJ+lY;H3qy5+3a7S-Rz'>Ly*\ן 7l4эILB@WcnOHv1bӝ]w anGʿᓩ-l?`ԣCw:qHAħ"&qh_.^ZjމCf\߈S$&-EվR<>A!*.,QC<0mI ǽbt\j}% >B x jD:IABG14nH^7&Lf蕿oʪZmwlĤ &l ,|g]pzVFX$OߚHÆy//`P*I2`bd3>z?m;Ji.͘rc/\ ?-?.w=ccȸ|'x5̚+w~s$Nɤ({Z''`<VC\2)FrVvw=M&l97ҝ|9%2mZSh.(9(2ZUe ;ZS#1Ps}g_;t րmJ#\ToQi`~MhE˘W'Egn (^nOڄ)/k$`hZVcԂ," A -b1B;u% Vs!pMJS.<E6=Z}=gU+[GkFR|jxV֮\梖ۺ V>w_~` N灟Jj$J}_)t EgyJX֣TFge}=M!D$t!>YW!) <|_nBH&6~YtHtK8GL}&<ľ%h$!?x}GG0{F4U./HAԯ>YY!{!K7ڒH !q[pPzXgYRo^!=M4BtH`%0s4r '_^Lex&7@|P2ΎĘq//zSDUy`"qL .?_ơ6dlh/8*6Ow27(K3o74Z׿>IEzאzi:t9*zvz^\}܂4Ψص~}aH(C‘VTMȵí6n$e_=pg_]?wa5W')Lf2dp08< [/-WmfaOO%xiP5ONo>'1<>|9!(coBWo`ۓ7^lĭ6Y'0bLv|6_UtA!i/xmZ#٫v3gIql|zm?3?ݑvke奯h amr͝2YS.vi\F IJ-N۴peh8ުDʽ5㳷ud蕜n O 7s}BXpc0x- Z3IN .!Ggn$'ꌭCr@b"|W<[ YX6odŁtm#nfgIY;:,w]KDHf|/?yP巯տ9R풍]|uOÒ \AxM m[]}GyL1;֔<|C09J0vosȻ=>#;#ꋬ?>V{n'}w+]2q'Ԕn=)h474Dm m*#әwvau-ށ׹θ^ Dd|m5륀LQÉi-݃.P:))$ Бq)=H3]"XAk.e1vm [;:9TĻb?CYjV_[rhC5Ccx;.%X7NW!ᖛx RG:Xtj'od[Ixj&#[s+6;MVlF@4-;USɤ qZHK6R>?銠Qz#~m@tqVѨ `ĬTArcvsg!d0,zM^u$h7HM7ai>Q}owkZ\Btlp:]Bń <tkSȤMgeu|w]׫\1b{}W7)]Sz[8ώ5kXJZphƒwz) fԍJ:5}>0kmk Ӿ=N]8ζt=rwB5@=G|39i8i|gKҾ%x ;V2E5f:?az(McqU IIPճ$Ė&?q5:}^kci<\KemSV\!Wyh c簶f 4D[кخKVlVpxk*9jao;/nkB'6 GZ U?V˖̻ZƄdkI涆.Uq(egQbVr\t#IBS&ÒČ9CiY6q&pwUP̒zmBVpcb x9}/ug0u!j>:ub:(:W NͱLi$2rklAv>ƴyd Pt0[Hxi mptS9/u Uz#wea :HAR*(fyn˕sGu c`粌cJ}fά$7^`ڨ1Ls /7}Dyp65]v| x xI|m?>9a/>'-ۦd`AAc%EAB&V Ԓm,[m[t=N>_O>Yʒ/7Ն<nN^Ə^g>-R1dEbOcMC Ioh9GmW8t>0'F.dݧ8P\AyQO{Z e3wѪ)_ʎ?54u75xU-$θYNwj)j0dh1.C zyq{ý/0nb_,00ß}zy+€ORõ']R`87:.m"8 U;L&Dv5#7S^@L Џ岣(vOJF׌MJR qttΦ&ZMIL׏}8<6IHp" -]|Ik>1d"}@\s, ]{Ҹb'*A!Dhv E%10ѽ')Q 6%+N+$~ӣN"9@K4T8ZoA!,& rEү?w9cD2[(^<^@o`ˊlAxSЊŎ)<~m(c%w;p?/QQq#?>y3">}uC~~ 7qS(1l|w )/mme2&5'OQ. {PKfR&̻{jYw15лخB<\;7ԴB}*͊YKbqW.8`^8vxY)M&26 $6.=4WWb/kn5*sGc,YΞ*ttproHyg%IDG䔭Ebmy6QJ+8xy[IF`V6߇X&=֘h"V Ho(i,i&P.jkjj`Vtٵ8 m !cF ƒ @6b2szj#fY8DGE9ދ;\@Dt< 4y#;([JN{e "4Bg]{:j5i}2 (?\;]BFvaJ[2ZN[A!uJ< :(G'73qDYZB^[׎E20fN{>xI ak!CJx)^7q}C/8g'OXuCU]NqXgC2$Yd{im>/'2hmL.њ( HHPMsM;ְxY.I#3C G-o4 LJT8uϾ/j+{Z9̙JBңN* ">Bqm >~&^ucϜcjN߾6 +ύgޢwʬ2Mpዼ2'l,S7C ӸI]>>xm5N0,YŏehmjgolPFwqL0Q=j%3f3x\'ޒpH6pg%6X'a?-Ϫ )ވ~+?Z%~{>.b{\?s6-ٻ;S݀Ѩ|2Cn̡INs"p*%_}E̻+6_qgWS\{+9F,I7z6.κЈBN-YUh30Qd/[q*3nbMm|ryɈ^^O>C 6c٭DDȓoồ^৯ Eh;3F!~:KCu%hO5fcWȘŴ sxR~BEѨڕCةaw7s+1WFCi ZXaS60 U\g$ .1?ZAQ۾X+丬D]}=Z}B/E9=u~./,n&4q/BPG _&rCY"(e,sy;C\<(=s W')33SOM!aYWojiV.>ֿ^7lV*eߟ7Xvj[%%#=TFP,ƮwT:DQQIO'TzK;<ςp21d1Hf&Ʃnݫz|≩|Q+!*, FAFdt]-ė(dS@ n2,JĠtf&<Ђn<3/9ŀ}ұ \ 4Q6]tP$8) Z{ܮB"OwuAAzUUQv+bQUգWJU<MTAAzfL3n Vt`LSSsOG<MtAAZd13m6[Q%â%@BB$̪[qTfMM-=ڞ!Tz7QAAt]SPdꘅ"n%9nX܂>z)<MTAAz #44 _q$e{>iZV2{6SADeXA+SA}LAAAA٤AAA`ot8A[=RS Л8- }ӳL\41D  Q le IAU5/Y/U?ϭU<AAz }hdYhfzx t]S@?0d,-*>mdP{SAA'ʰg(Xm2FY1( ௘ 'Try )ijg<AAz }hlp((#&ԥ ^dY#xwIU5^'  BOK+ }` ƾ`4+ #D  =>(( ?kQ_'$ y*  Q AA@WNtO$$tdIj[E  =Et iY>Od  |/%TܤhRόIC ( }h@utE53 _ Ix"O3Eqm1g ejX?Y[tȮԛ2.'!{z9A+ŗ֤MXLna;9<7Z&'20܊HY^6_ͧR]톡7Q]>/p|F1[2%{So7Or!Rht1ͫ2 o?5N-f*ny0~yLN{R[,9tj}3EFwy7Sd V=f3kw|cǪ89f:7<6`{@Vܝ4z{\<*Vڣ(;덤9lBoN˱7oae>GdOr0& 4F*c헬[GO)}{p4;棵AT㹇F`Wϲ c ~47 ^~j EVe"mך[kZBI>;{hK]E1hm >,Ø5[\Z.v {E"}j:;S1H$ 7 LiдiIm_ҕL&LZ-[>Z0$iŸ3bfX5;_~;Pwr8nx:D~,:AC? DŽ_d "\o*&`<.ڼ2FE6̋WeGZoxe7I&$F&?mX6]T!RRcX]|D[a)4S%Hn<2O.U%;%0g @&2#R(0/%Gj=kj"ȌnJ8U_hJ54??YQȍ=-9c [VRA0Cgc4ÌjR>LHu'O=o/efS:o r0s˔4Ce5EdEq܏ 2uxaS4m,;Qt :ޟ`I 0?3Ў}ş9\ έd &2ԎUrHw5;v cuy{YA{`3>Ʒ& "Ȃmn>36{@aC19aAvl&paφRڎ%;oIvpI!42!H%XUÔYoP$t$[&u˵ DqR__9״{[:x͊E1`=5X]Bd\ l>y[tfMÕO?\^dR\{?lQbON&xXdRޙW.Eu1h`LVUDYHQZЈ oQo;9rJMeڴB"osr.uԖbQ &X0ΧגiAhأ2X z+EeB$I(K3@QBo.` XHY}X4ֻD eO y)gTVCbhnm4w<-EOtcTUUSUӂ.\ICF?IDĐkΙdP]XAioN}h0 qʁĤecHP9$VD`|,H=>D'}Y Dr;BN|ɓ  $MKXGL!k r@ԍtBǹw`"NBdS k]W ǽbt\j}% >B x jD:IABG14Ḷ*Z%m:; Z "P8]mpcPZ)ڶMB22Hj[y(ǿɐ<<9V ȚIz@9kB- 2>U`IU ;ȃ$=)lֺNI TQAs?F@čKlltTJs9ƈ$3 ܀Ij Aڿ׿B>‘t*< v&++lڠ2Du<26{1K5c29 /cEc(V_OCXAo`۫Z]۩$κկ+e`H4o=4RHChLJ Dqr RMB_?rG} dzI?ƚk 2qýz_ô4;VڿwrX'<‡:*9B"4IC|򧿳^CR$Uy8B+fS<\ZrȜz|}7I#nX-%[ym {'I'9t)"pbZ x`I[kẍ́ť0i$n]7wPUO@7Y8 bVGNE&F&b+iI -H|]%,箧&o,TxXlL ԫ߾BjFC1ڀ{xr=:W_ćxFH($--8]k${ r;Q;8x02$Ed'r lCD<$!uy{ qbIJ-N! 9Q9="|s+.xg)!(q ]}{ _XGvyzm^9s \e.2;8u|@+8Zλ[l2O0OMgB8e8Xx/G p2D\n0[L'uW#U'B|X4Yz~#IBSjVeh6!av#ΧRU $#rGP U:/i7Q&ư$2b\5H0 Yx~'1!iQc"uCԋ߾B=kxgb#l_ġ`l"/[!!:zq6Pq$kְ> FucwZ`#5y 9`#s},#_sÜZH(g:!2l>~^/k|a(v.!@}{g;;;;yr>V zNܵ[0!ǁ {vj u|{&3' gu7183,_A 7TQ0RX b㈑W~qN꺎,w}pH Џ岣0ӃX}U&f$nT2>^]N"Ǔpm.T&2O wWk>DF :Cm]we@WQ} G%10EޣIxr(E Lk߾B+˥:AvY;ݸXY\Ƒ3+OKG(%5 amk&1$$tg]ӏK 3n|sn 3ZFK޳#eclxl'UApwǽ8\LKC&V Ԓm,[Fa ]>VQN38`8EP/V ۭlb]4=̄^5[MH?awMm)LÐdu[b'P/cGqI qKR i,o`-c '+ \.ZZFN䶄1#cvWj`Խ٤ QdL[QGGG$(C:]?xH2[(^<^@o`ˊlAx˺ЫN7m6e~p[ nc xѝ 0vdo@E>4j,cTfdHCh{l2B5d6Pvp=mKޝt]2b2hU'!1KV%%`D| ߝ|*?}P0(:Nٺ˄F pjiV2bL`رZe|&*o惯vSu' hTʡdTbw<(EA‡$]8IS6._LCk;L&\Pw~1svt(hw_or穟FCi ZXaS7qcihQ1E2`-|SEƧ7^W$ͷ0?k8\ٳf }iX-[ʙ}K {Sh9{8p>6t~筅,Ü$D Ph(=1 ߥ|9tDdj0ݻف7RSA) dAd>IAMKW&T`41$ & ]e$@&pꙗv_{P$TUFǃJ` Ů]y LT>h4b2, Tp[^[xxh˕FEqx<ޞ jy*7MQF,&#ň_/cEd={r/{$IXPQdŀn%00%11#GJ9SnUdɖ%Wٲ-ظW`0@JI%6l6͖'4H0`0F3nY%[VUm3ڀdKՕRL439s9G:`X N'#:*/V{a4L| AL0ԎܡD$Im CG!m.K!MyIjE̙~,I,d0,E ]ױ;5j*/h h{G7` dJ xMU!)BP/ aECC#ii)@1455IR4K+IQCTlNKMUt>i*IR$S](UN,_L4-L 2#,vEr%i@5TUEՔSyኘ dJ ہR;GxH`OhY hx$s54ME ʋh)B ^D$E./z$BBL0oH@!{iJem@ӆfLSID,Vڙ"].MQQK28!Җ\O."a)j6*/B,U aK2M%*.FNOFQcbkezGW"GoHCe'jeZN -w-ƶI#bd9+gedSs[:@IKlײoϥqgx(pY)$_{.5~5|s#߾_́*6g$zvm@|'<^0IGM?Z_PUYg@?k㺬ϲ}Ϯ,~aS~s3oe4 ӪexaO5ѽI)ЏmghqJCn?X40l '<_>o.}l\K 6q+Ϭ&=o\uƏsp~G/lĢwsI x]dY͢ $: )>'2&5_Owؼ(,&夳lIg_6I14SιJg$ICa/=:um(Jo4JTu2JK)7IOw]kr`Uf[Lnv:){6,`뻴,_M[mBAT yFnp[gω zEθ1$?B!Jly>'⼝tܕUT^u+8އl|7;[OĀ@ G6y"cpeNdÑ#x/B["tl5+(w9stGưO(u g߶[.sxgPHJcn2i&giGHi~iop2Ahڧ7tǼ nql9Hy{7 C 5qSI ޿H5<5Q9^@c5̌)gS(Á7wyJd[AI5+2s)IYd-%@dN]GFF '͝qvNS:ъ(ħW,O#^bMR5uM}N?29_m_;ʔ>}A&,T 750Yt/`9g//;?XGx}0n]}#N ~GQ}[YnzZx3_w),zzڿl,j3l]߭a%`s= yapc~n";}Xw`8v\@{-L%&e71l&P(,Dj88fS.aZs`k9sկԴ( 2ulA*JkPw\ggOa;d$]:Ez*]q8l,e6;˛7;"3gxҝQ(kc6v!w/r767V=.xQÉCgiHeFL|F/͉K'azih<eOô:6_h2 3ZX+#zt*!|m;An\b#92E LUgxwDWOsjly{5)3syw#BFM_{7@Q-B1 (= K%MoTq[2(Ævk1=4dp)xX\gws`$3Z5[?;{:• 3PI %o"^8qwLDsos+f[q!A=B̓X,${,u 2-sgaa=e7NG?&oo1U7eӼyȋ]Ƚ_^Vka t?L : _?qxLx41[.HcblޟQbw{KfcǂiOT^lh57/?{(;c-ܻl9`y9i#}jO鏻2aJ0!ʶ_ևakMC9BC!cB٤--~е^UT9MZͅqqʀFҨd+,uĆ~GB’7QΰU_AFƘ-#tr/f[Q98 LF́m҄'\Yj>om+˿HqmD*˩ۈOp@_G9Og̜= ߉c6Q>JtNN8GY(I }~ٕxF U^ɣ:W۸,FZTzJ>/Z70FIJu5Ԅ\& s>ٶz4c}"Ige Il,ޔɡaLK~'Y >n\"B?z^CKٖkMcD4>g5}67)/D80oÂWiBK!{ ֲ& =dgGo t]`w/[ˑfLGSTT7esʏP-pqkk=_Zx7vsO_”:u^MQpg}q,n#Mea_2 Jnio,q IjdWY2͢w9/2/qPqR&MH@i(`vۙͥGN%I#*II7xI_Ϊ72槺`>ֶg  PG ~(o,"ގ]@KAj:ʒ[yhI Nm-/PToŽ rya 檹k.5Dsu9_y&5_jteRa-'NB+6fNemsY<}NRG(cDۄ^?]KxڲX̖҉ɜ%lDҴO"~>|,YKK x=WvWxe!Kf,%67S9 Y7Leլ"a7B"^4̖zRPLގwɼZ>@{0&DBp1ˮ\y_x]ڽW̩Gf¤ fSpxg=3oJB/e/vjډ??3~Ԋ)\eԋF^yOʔ\t-'FP>I(#rssuy MlbZ^~O 4nh=#";dDQTTӹdJWڦM sRWSo9 tIzWBt]v1fLeegl+I6mzV64FFr)poBSPeE^˲PДL304$)TŒUXuGIRa҃S<)G9PnWG3 _P&T2n q2H#!BE0 EŔNIF"LJgY<*0ۮmi*IR$X>(, R@8*X`PFdϰ5 @--I #`bC3ri*IR$=ÃeT{dB{ (*iZޖ~,Iv2FCC##F$[4m]o6XuB&g2M%I_e F`hZ{Wњap8촶z1 {Jҕ$a)j4441QvZ&v j` ۺxLEXm >nw᳍ $EBC}+: mG>4Zu;N“47䎒t KQò, 2e`z8B [G#P0"'ˢ#5, ]59~<P̤|9dJ MdX#[hpb3h' ^e/BQO Q\|EN(I`X*@Dbb166U4ҭ~(Yi?hle55u=@$IW[8E Y-k/w,!:! z^"%B2RMM :$]M5ŸfC4UT1o_^I\)I$I$I$ )H$I$I$Ir4uyH$IR۴YrrDL'bpЄխ]rբv`ZsX4*ٓ$Bb`,0M3ҧ1$8_3,E_BN8ܝLSI6?iqNƍH!Scoh1AUAEEE gA;uT6( &)ʥ0mdRR!D;u^X󩬬 b2JxREKA+(@*m5b>Â@Ao{Ѐ:M$E!`gR bhԱc1 P59 D*&zs-c+ -NMbKAEA,CvJILFLL 61"nk%7B F@  554<ƶȞ %a)躎]U;Lҹ N؎v}$|je:Rp4~N FLSI.AvjZuߣ5ۊ0ږ:~N]QUUq8b$&LIY0a$6b! 4,j/jNbcc81cL6GNRPUUUp<:CGQVFAiemGaovi /HBi41 5p(i*I'V1p9i ~kBFXu?R !4f`lFd0,Eǐ:l MyIZZ[2d0,E ]ױ;աcs#}J=D[`G :Їd$TMX F8|~@[oǧ/6 hjj&nX'aSw(E˲p]8Njep.,IKKp`Yր,d0,E MS9] k!h"(Tj0U`K0:?nuVj B!`0P j_ ˣךY6\ ?01{AB_00ߊ*w)E'!=!ˆ>^6I9$ KQCTT`S@` I$E0[4m9fa`(6fY9VkBl!2B`ի+AR4 ˲6QO@%f,/eSOVp7μK—u^VK) l$d3{XBQXJ |׷2RL}-oQs2w%7<}+-,O>>"{Ӣ&2r*{pbҤ4BiziW7-Ƭ27Acc[$ :IT5< cۘ3, { ╹wdQ>EPd#x4[0lKg8 >fM,YM\B#td&_3׌%I8mؾ}LZThzb l6lf56lXS[QZ@!eZno#o[loJdܹ>z%pǺQ8f.Ɂ{:!f" 1.0~I$2sXQpA~ zB>N;od|HٮU {xeظw^9LOaL׍7NNd11˳CǿL VJ& ek+v8U/=/rWXTɁ?_.-J^1hz ]hEd1)'mgK:j#əCɓ_J Ug<['rguQ^F޶yFr_1;@qIV|"ԜL>XK]mnZ7 +号q`&^npg0Ks(|Yt (/`aJi6 O.Al"񚀠qd}cIo{7P :M J[͙7UX?|kclO}>¢VV亀 g [ 3Y:7U?|T҃lsuwo$gKUghkO!V@.ýʿV={c~cPC5e.vҎ)g+4vp^n@p@Qz`Eޗ Kú>zEθ1$?B!JlyŸ/\Nh+"1tw3UC٤ZpXջV3[NJ^M f" g9).-W60K(hJװAU;(ӿ=[Md-3DgnNs`Ue0|5)tܕUT^u+8އl|7;[OĀ@ G6y"cpeNdÑ#5 D(/ڜDR*u1L3i?Kc82F _VU!TWO֙fEe2gX4߃512wF pduR43W*MC0IR \n\5֯.Y쒧VrI5xOg7}GXlz5h8ʉrg`3Βw>yٺ/Cg+_׼t-/ke0Y˕2Zi8vPiB%sLzWeuF,bg` gg`X?Vb٩>w O%8 Q;Uf.cQZ%;|VӼӽsSwZ;WǐW0&WޢXӠ՟ʯ>l{{/&E+-]>!襩c\6ft<=!ϚŸ *m IDATc)ä~$m(j/1rfƔ]^{}<3<'o6M*=^5@9WbrƤ,Ԓi 2###QRANc8;)pUhEP3ghQ128Ppt2w9kӈXb≋&,.7pR-r?sIi'zN+aC.IRo obaj| >|{,}{WS*`Tc2 4; &TX F΂ٸLfz,Vo!P7yq|+ߐ$ -St3c¯PY!|-H)Hu_XOWSI/%/j8q, lȞɡSxLo|@9/ |j5p1Xcsm$v73ovg;LEHgζ(_ww{?ZwkyM_ۋJmW_4JIX*͍^,Ns{5y>cq埤1iuJ;ImԿjᯮcduI8𕓷9sIP|}h^<_$zsN 3JYyl%/)~u2c0W릖O3zlLW<O;|_Z0xb ~f*Dkk3L+,4bh ڑkqğ} f2`u/< ͘SHR$)$>y2ZBmW2ZOmM&.bY9yڥ Z-JҬgU_oWXuS6M<͛Xaхe,?˫l;{;F0d%ŋݩu ;;A șGypWedq/"nApl>,읿g'ͽ~,N W=Cv _]쥬Ċk2{q2 1a]<;X'39rY8t†+bw{Kfcǂi|n~7CTIӗq}E ]OJB 3ZouA[ ?5FAfW,M/6$] Tuf-i7~Ew|( _5qO] ;1XK]NJ9sC|(БCNb Ч.eˀMi N$ua5I%S$jSFqc˒Wδhm˦οį$OϷP~v3%^BY}(|G>ökcu"7tea@#᧸r*HLp \{mZX22IW9ZXW-38}{ۤ4!!. 6zd9|^VR/ Ѐ8[N(k2{O{QN.Y30 ߉MwUs*:۸,FQWqQwXT1*GёBsơy9)+O6ph!l`Tō%.1i^4$; F i^c6L|S{9`ǒr]_w|1NJ9N~BɻONrW v I.(2Y_%.`9=kmtIiw|t?^Kd#8ߞK˿޺×kT=?9\ǁ0w =V}9LO=M&$wJ߂aӈ-͑Sߡ ᭭٤?U_Nqs>ٶz4cxQSEI.Bͩ: rf\_Ǜjz;MCJ [gFe džnTvgnQH'eX[hPjF}2P ư&>w^MXwsE|9$IyiיzCS4(v,ק)Ͽ){eH$~]%\0F#N0ʶx4]L J2#G8w|ߛu|3з*`˪fRC4W"̺S0o< Ν=q]o𒾜UKodOu6}zpa`sPQzi!D^ cIt%В[^8-OQWv><‹hxpM=^%Aw&xrҋqjcjbGa3[~oH'&ssW [|ߠ@Ka[ޕ WT0weOp$e:zF<6֬58^;c3]M")ͮP ԅQ|x|p[/rgu cGSu LX΅_}H]ɘy}U~*ŋG;MJ&3\0,IbЬ,;Si^>޳v?p}m.^:SVd4k9 h9|i"2K͵֭;149iyI^?-\dܸLOynEtE B4Dt:ҕiӳaOrc\+Q/ z>lwpb6j3=փOq |чq' '}f뻾 ?_ BZXwkz,)>g6tL{<Ǔ=Fn^9~ !u EF'T.\^6]׸Kaaq? QM䞟@`7Ǜ5&B7ʿ1 GyW}4=> -SYxWgqMxޖ;‘R![<#q}0#[κ Ǐ߄iFr~ G6f`ޣD=7n4|rաGt 2F (**\u2M+Mo= +H0qaTT.৥fmA˰aq8mh@X"PGuS lIN#,?5} 9OJ ?; 6P]WQzum^Ezz~f&G2]w̨Qc8s+5Q*X~jJʩkJu6:-Vȇ^||B ~,E4,i(eEKe1*?aBEQW=ߠs^+ ,5∗N1(H|%PK#e}eL$ESLE@ (+i/ܠ Pߊ1)E-ame,k`"gdMVxsT1xn[U(`v_i(i*I0P4Lֶ^ /V,UD "FUUd]UU,Y(\)r5 @-- #`bC3ri*I@B ݨe}wxk*D00*Ӵ¯ ,.eC8\I  KQ#q-c B5Z%4AmuM*2dJR !hM~( B!˲:~}i6;SGNB2ӈAY6\*ZZz["{ DFHFiu-%K[Xmm}WW2_@X`74~ӧ."|!TP4wNPcl!LWx#kΡCu]R j>H\`IIde!&ƍ tqB(R ӧR_"a)*ɠci*I#` N]$!xNFï(Šx#@aY`Z/`ZOk hjԅ2 uu9"{NѦlI"rss)I$I$I$ )A$I$I$Ir4uyH$IR۴H$I$I|gXyQK%I$Iԅ %i Ϧ(p)(vEÒ3RHD("ǰ b[X0B$I$IBÒ4麎]U;Lҹέ2: &[#>7] &P %ihm%(CǛ 0 ]Ò$I$ yri%I4MT4][I}!45ҧ#I$Iq-IU τ$I}! TUO$I$I2JTT9U.@`!{%I$Iäˤ7vf y!{ͬ3_Q4.KHR@4MJ$I$ѥ'w2LNntt }_)\8Q$9Slw eL&#=m7*j٢>B``XK$I$=ֲoϥqgx D!;xp߼^OD̛I}Gq B* Db\p8Nl8ɛ$7&Nߔ8͉Mn`c^ TZնyPATI y VgϜwΙx'zďC[69$ϲ0>?(:nƟwqwɜx5ʩk8\ `,H/%'wr}FY87s L1^"JE3x\eeRy|/Iu |l&M/VX'~xfOŐhl:Ja:pܹ7nXa!}>?i:x!^b.R&㎧?s^+!\{sͫ&L$}|>>t7*MM$BqAb7w sla̝Mv+h 6LK*%ds7ݼF<|[/V;gMwhEx郓DlQD'2dl6K?+XuX22bymJ1+MiL]S{u 7PɌ<ٓh(Tt3w7+7ס1k0}fI:z;{(A5ٴ#*4zA]^y08oAF}1&oO]˫ 蛻;yvFZO'{B/wHO-b|C+97tW$ͼxҖs:{\"?7 $;Gcz< .u,.͢^HԱAjLn6>q6 cLO؆M_]p.;>I̢q]2kؕ;w&0[g˨TL޲ҤayxHf&\B!7+]n'VVTirt;&=Y.r_b=6{Fph=J;O&~~2FppG.Z6:8c ,|{Wʶ*L PECA֮M]@3`< ,d~_X~rgo}7aaд +H8ut>:E9tlw<pWGZd N$v@\q>58;:>:eK+oHk^ʓ@Tm%`eTMfY>ENڑFSG}XٖFg 9lCo@]u{TbdB!]a0v;0߶S&1i^ɋ++AKS!BD%Z{3Pu>nfU<r3%C1U1 d23֓_CEEYä 9{iY^pK#e=:\_MEEM@8o*7ۄe!9څ`\I'qfi2{,a8̞9W7>'?yvvE"70rt'`߶r~rXZ!&MGl,Tz87{3qK0,B!npW (Nֆ0kOD2MLK}E9WB},ڸ|!E$l]jv5yZw{qr/0dTb*iN,X |kKpY*e<7sFzz o)`Yh՛di54Ѐ O۔M (lI̺Ϗe{ԜL}=ciT忐7h$&gqcLZo.o=r)K;&N^jQqxgp-uI颛#=C%#'<B!L IDAT7+Δ5ذ;\F}""8xJ/Y}D9櫼O1%,{8n3^cx+IMTjSxgJ*aÜ(o۱V# ~K݇GZap::xXe78B^ud#] VoK$pth_bj#1^aw,:.lX6՛/06r @ꎃ/#ħ!z6U$&{l(%p-?W;{x;Ο܉ߗбcLwz[@NᩋXbng_Q=dW rJ#kHW`Fն}2st83.F(}VSv:¤QP ۟!oW#6ٵ[fq.ñndO Z/~!o?*[f!V׸ڲwj;dzx (W"C&!)\ʎr "M2@;R% $:z Sh;oϣ=ND]}(ege%I<ͮAj` ?bȧڗGs[^Qw3W--7yB!]y0p8Қ%w.EPqQD)[`(͸q3@,ռ1>>MMo|f-yO˼9F|&k$>$H;yer-Ky(X3kl`=98zf.xmf(4#Dc}5%ՁoYś9̞q\H"Mj9iC|זn=kPaIŖwx>s#HE6^y tlC)%ӧs&v^6|Pڹet#@3 w۰B T-Y{,QQ络c{>5y Nlf|k7e&Ml͍|vέL}:uE.u<x/})cO5?c؊ )[>RLζͬ_;HFP.#BqS]w=Ws~i&;ly fQAw;~~+>*o{&lyq1azW0 9[oMB!uJR;=--c/X`)ʦ+ H^'2nlΖ7˲Еi\tB!D"D4LÙ;[^tMNDŽ0%K_1laYzWï'a!Blrۃt6@{Y`.v6@+ sK!+_!Sa`M~VE4ijJ[XͿ[<P(_@YepF0`妦B! I0,uʲ,cԨ躆Ѐ36h]L5QPN5n9MPIJty&B!H0,u- gAIH'ao jZw%,̐h4[ )(/B!nH0, +B!]Heggx9!B!=&-B!DZdfNv!]!B\$3,B!Ǒ`X!B!D#dNCG !B!:Ht%iL~<9,߳|,pds.6B!. k)}iǡQz(;ֽϺqC;BB4ZacE xʶ7XgW &B!.@Ca45b46c2?6{pW3N=~=~:גF|R<eςEY~"~魣OIFsE!BqSigI?+Q1Ywd ̟H-QB#͒ch'PϮ4̯|br/Xw;itO?핼_?őy3 \W7Q+h#\g j=?W8j]b\EOIITǦݵdLȨ+yCȼ)އX'z{X78Z:sYz vnXϜ${5t8FDHG`=Ws4Nyj6Isɗ(]!BR2 غPqqiNF4R;;}p6jFj;0Ϡp{ "4TSVVN:B_.U' ?8"~Nއߍ0`½lOS`Ik1g:%2$kRq>IΜO~Q{%O󯟚͘>1#'ґcrqN>[o p_ A :T<5߯+L°E̶{,ˏgמ ?ňȽeEK~A)Ae b%hVD+&¢%>qo?850vlRbb@NΧ :ƃ2O?opMwO!šB_D:0aJLB|T.3B!Y Zo+cTvUwM@G;8H\ ꭱ Jd@ 韁1̃HٛaC 7 `ה)Vj |9h3)$3]d_NvN#NgzFv7Z<(7(u&SkDuYMމjT㚳1Сvc)A 46ݯx4B4le[3c Fptu {r;ƥ[WX5Guiv$|x#Paͣw<_ԝ[x,nĪǫw+B!i [XA8&X_Mɉ#X Gj`lj7Kٷ&3b4W[p7#oGpG{8T^+T̎61g5!*lKWъ`4zJk l p[w?W7˭aj#gѲ:9&DžۥjphJYj`nȦZE]H{_P|BŐi=7~߼QpB!BL hx`eyQNPDft&3VKʴ ),eM8{?Oi*]ۨp0^Ap7dQlLd-{.V/[L1aq;*l~ɸx{v|z#^:>YRLa1$z3''sts%al\GN`o^cWg̝;}q5^NʻR-uT޿m/RP:,^+Du|^ .|[Y??ķR6~?: |ˣ׌XHwel>%Vc)9bJ0] "{d lմV*B!g`Xvo祵u>2u N@G(<1t-qsDZ`;6ܩؔhsaP=|+jiGT4*+yὓO*Gؾ~a71sD68,`#vPb0жڡ0>cӧ5_dkYLho~},&ί_e-+pO{C\̈1"H!B\U3&vg1qX[YS9{BT@0g}= j|LF 8ܭɸu gֲysXt߭%/A}fC5l\z%mRmWEBÁmYC-~* eT>t7Ɇp/OGXu=S3Tv-y(4ZlѰu#sƟn@x&VwC1seRk ֋g{#pRqS <H!B\Ϻv-aأ$e[.&TetnFc=p*q :^YY ?G9> |yy0(M̔,fcN lY"`23t^y@LL58~(Sm&'뫩K텒ALN|*ّOAA>;Y$&NDTbNqA֬>ӟ!5___U̝™=1 yzwwYUF_װ ޹ {򺝃-CGdRFsFŒ%K%+,B!ҥa۰<ͅ3h<} gw,p:!X¬=փp63i|,Q?N@Um>Y$?\ɫJ%pc|Ζ(4"}ΪπNy-)4{ k.;Ԓz\Gg1}XŃڿM8`߲MTEœI2_X4i!@X!B\U]@ӔB9#6:99P 2P($\=}<).!r%2d¥(7yx"WTa!UF(}Sޟ϶=5<2Na;1}+tI&0x?*?C|@>[vV;Xʁ uTx .ٮjҁ[ɩĜۆŲ,f ࣿmHM6Yvu+iSX$ks4_{8 XB!h ; fR#exCT\Q mR ĻmXJxٖy! ,;f9 XOy&UM{zhg哿! ׮35~.K09Eny=9i~`0z e>7&B7gx&s#//`?7QɅVt]G1V='<7D\?u<}}wg"]}q=~F32}Ù\;M`2?3Q,"ƏDOeYX=` IDATB!)Tvvu]tw;udidԸ; &AR`VĖZ,"99K9󯅦iB|J QFaa)&(!B Xѣy5]0":L+jz*ѰZ<1۷㊪h7hhR I$444I !B$ sD≎vp8,> 0fVVux%!Bѳl !B!Q$"B!DZdfNvww+ivw3D!} {snB!S2gƌIJJJY4-@k^xʼ³_[CR^^ѽ 7 {#}O!I0lѢy$''Dtt4WNu]@ӾPJaF+ Bx5LqݓYB!ȑCfȐ5PUUCCC#0L,)CRѤe^6<11 63~5`qswy !B\9 R eYr-~a-8[T[[##iiil ({OB!ĕeYxVJ^\+ײ7b]B!:mY*o)Lաx9W/`b$gX&̸[ǧ㼉5eG`M=Sk~_7SQҢp&6`$Yn \,9kbk)ʝ3y33HB! _&~jLƨ-'>>g7PAc1Eq|zOzo<1c8a% l'sB!H0|-;6-=;11I[wX0D2O+ XZτ{ظ~/e0OJǦ7Y*B!Jk-im<ly 2ݿ?#hD҇Oa}0 e5w6G,&4]7z ~<=fXub҆3֥;gђ7#- ξ:3<2Y> [;^9!昴C e2~xR2/`uk˟ *~!㌔od!BkF.l WwgBzEjԩ _L奆 N~=~?aZB4d0ol7 79QXX[*"[>!yp-nBjUרb[j3Cêf ;jZDj*(w;WEZlNƔB!5%5\Y<7.h8ʻ~əLs'/uԐy<)E\Tמ Xy:' dڶ;ù0 9Da9v >s_ځ Wʖ9fn\e4RSÇNMYa}=kЈiią+9q  u%i>>dZJ%AB!Wׂ1_oW+QT3||b ܷD'`2m, 1IB92%Ξ}!j 2!8Xnr9uX#P]G:^ׄ3ѢP`ECnB!5$5as03ijv1ӫwFZb%;QUnjra 6bVӢ?F Y3Faۿp^=DܱݜbƸh"Ӕ,»,Yyn"cNFbgy[XMt8Ʋ`A:( ?H6K`$l 8d`B!D`Zԝ.ޖȘ_fx"`UГϟ~ ,P6< ) x-\5a}/Cݿ< ѳ6 ʦ5Ca$>pĻmxqr3_eVru>}>A1܀?˞R?UGײg{9ybRB'ZW-B!Dw`4{< u m="I "pl;{j,bem/2ozϮ1ĭ\6\dϛ+@KC]o(YO/"p[B/rׄ&0F:_:V>?sܧ=_lz/>EwbW2}ԙ/sB!ׂy?yujc %ځPā5{Sv Qwk]xTHh;o[WS㭠 b3<3j,ӳٲ?/ngĨJ\3xlH9 M)hO~Ķf;i1VqA#HI "My])ѺT}DE0qLh& !B\3]FNv`9Ux2?Nlu{msgXw0?m FE$ZɤŇxW6<{I/0,nZt>t(|p(ᄉO'wgW\M}Ψy-*;2yt 2e҂B!ĵ))}F523@uu p4cg7Q=XF~?Cʀ[ |Ko$bȬм2@w؇A#3e$&;[Zf \xow}$Rmn[2^jkhhzÄ5(KoB5v;Vs1,KfGu}߳>sXZ̛`3g@ׯ$XV'{bPpD444CAgҼ$5t揈PRXBU]DŽ1.3J߻nB!S*;;̜~ɛ>v7}ĉS444DRqeǦ+LP}c-*X]lBY! X㥢.|VՎt'G xCؼI\b :|xgw7A!ש?Lڲ,Ri\F+W~Q3XGEI:-&{2V$t|QJ[!.c,? nC}c}"T[EQmUj<{B!#EP|" (մ4M0 4MV"}HB! 0"躆5?-T.;bEڹ#}kHB!?L4-,B4,騖qMӱtlS#7{WNB!`jqq:(eYr]~a-I!6(Ng~= mI߻|B!LR>| ]F $ cfEy\̶uq:p:;A^)*.Hޕ'Bqz|0 PXx~p!xq<͙3ȅd,B4B>_^99PJ wy !B\9 4>p :hJA8" hH5hƱ|u?^@uO.%I<{B!]CfJix>mKːL3ɻl\I߻rB!:pnB!BqH@!B!Dc̜WA\Bq%gf 'B仯w2gF˜1#IIIB3i鰚&qkze)+8t(@!|]%'M|7޼$A-Z4pвx|ˢ a4  Jzz^wYӽ→Ew_wƛ7#͐!ékF #aXVBy,QJ53R躆x\D3lrr2fH %B\仯{wKHMWKQQ)`H/A.2-mZZ[;d{%{G*vwU ~Uˊk׵kYOŶeu!$$CڤL2ɴ{LB ;! pޯW^03??& z>|ɗl)Y",!Uc8拂j~xώ6ΚK}n3k7WsZRÖ[x\NBT9_8E[V;[&ljX脤C߲N} MS9\Vf5Pu`7] R 1>Psxy 7a>Lykc]PT^EŁ38{Bf ARM5O=1.Ui,w&Br,_gm6?cfPѤ#"iϸK !JֵnRA7ؙQI5l8 5p֥\8Hp=WO+~Am @!Ѵ>EB6}>nGi Cx4q1[9kHh}Jn~%R rC M]Ps]*esow}Џa`l7y94bD̂nevP-Pʿ|F]Tƞv9W?^B+V:! ꗻ)2*Z/Iٛ_CqbkyɗTδy@u擗r\*H;-ufez+ ~|qd?͞Vu~l~g1@վ l@ЗPk0U<|"Z@vI6ZklԈiR:r7i&4Q tI.o#KAf7聆f h)ZzL؝6+sS<\l!Rqg$B 2X?iYO'}C%37(`+E??jL΋0F7Dvv.)rw  è4l$XC /]9)2ﮣ4ANz_BHAw tRi=2LD@ l^'@ґ6uDըSULx`LUd8UiŴYK_nvm%"pCh@ pO.-E|nɀd$*Rǖ+rtBҔ12BvQ ˷?fw?aL B+Z!p2ȌY5> fRmWi`]{%2T\awTdƌֳ褺8$f6i.k7 -CVS')-kP=~h6w԰Wo&N h;[6JrԴaHbssBh@ pC dX2&6@xL:TA}f;RbBWmIBcmc/cG!5zA2ק_5: Jpz+V8#4{ ]ثv]rQ9;(rd8p4UPnSWpWrPЀB{غ  yLvS"f y'G5۷aI}tl@ANMଳJh9⅜9*/iuIS o M~huv<k5S'>&(JVw hDLO6T;2vf_-_XSagT',&]##ZGkNB&ca';lܵ}y80P'8@-gHbv:C]>ҴW׺[f5P۾'1Y/B9wik`RTU4"GuJt%ϥ~C! wrr4[7CMn iB@TtmwsJVdBт!, ÊTFϠCfUn9g u*ȑXmn3S15־ށ*08qH2H;%TFimy[4͵kԺKacw 9L?Vc/}:#td#[9˿? ۩6hiՔܲSR[Yh; MTgB ]&v9Z)Ў L(|$a܈4ƒPKF* H6C 6 g&3UR ȑ?A٢B5%M̘7[nœDHԛ( FZJK wzF+EK?Q4k{&3 B uoOO>Ăf{@p2hn\c`u72mwic$k)g IDAT_3$'a!"\35FӚǀH9%ѧQ:@yb,4Q x!`ZRZ)1>pncGI3/Wы|}i3?iqUPGLd?Q(mW#o9OJohw[ Q$vJڒFБ:7L2:Jia·koe,rJS'V,J53N%-o ' ,l;n7oe Qrٱ{r7|1i)3/Ss$rI&~4ל:-@׺DzR?gB+ 3|O>[o_H2eH 9Kʿ_JMtn{13!e Yo$">SqR[:g_8a$]d',eX0I z4b: xZ؛ R8uR< ,)L MdiDE%x70 cH:CDK' u[>2'u*8IƓA"7l& z?߲VSG“_X:}H ɣ/w M>]@j?4euޏ 466p8PU $QD` 6I*8mV, fjjl#$<$NBRUNv:f{bZ*,CHTl4QaFv͍uTVYİLDGȠ0Rܹ  (3QF}u',,dJJ{C2'ѮRJUQ)t$&[a&+ :e#!! :IUpؚiNIEƒNAՂp%d4Q@׾cuNN&1DBR\hMr<5ii3_vjKljyimb񆪪H(ȲOMcRPjLƤmRrMQVFCPCSRQDNEXLXڑ$H7SSON 9O^uHeY&mԦy*jJ꫽(O ),,&%e99{%,,#[6D ȲLmm%55&V{ I{wl'M.BO\{STU!66aCnaų#ݠO> !Z3PSS+N E }}mb2|<&|YcIEVqU + } }}'\ˤ-@ @ ~@ @ N:+ѽm@ @ =ÎZqgX @ 'dX"E1ȉ$ .A푢:&MDzFG N̼m|gR!;8^t1I#";lñ@p2q:=F?G%KIٓ{ӬhCnG4qh~0=,|ɌR^/d̰x@ m׿dv,tD.{3?1z/)%X*o~i+e(q+\ñM~~~ř߽˩/GBq=VGOJH Kkk?|W "jX g ~^`]s~Z''?0br-%+`E)jS5͎6@ $RHCwQD۱>AT~>q6v"5]'D+OOҾ}=eU %t$t#f[qJˀEK|J ;H)#r"i^4ӱɺ^4@'R!u9<_ ׻JO!4B#ф5w3ϿLўWzr 1/eD Ah:F~QF-lT<52sgoc뜇>k~toW(UbiY{/q(Nή&ЧsV??U`CU72DqVP7Q el}* bZv_';!4c S %*ɀ8$CK_qm >c"m&*F2su|ﭭnZ B?@v/6{qdl*Oϩ+/dרx 1ՃaOm F,zs̿ Aʛ4w .ft^$~3IDo)Zg' Gn,ꃗػ: M@ e| K s)XW=ɶH "87z*q 0| 4.zjK0KV0*#UoάH?AT? ;0Y_W rۑ_0@a$0~~9/<ξbO,ysT4ֺWٿ%{5G׵tlqc:*^q8ʴ.5?)S&\6Yj?wwcTl"񏰚%,dIJ{k]%me &j &-T9ʓ8a]'niǝ:1?Zxn^D DZ7?wBmn©|>701u7 d~Pp''Ee{Iu}`89ۖ0ݯ64s#o؟{'z@ z GEcꝙ4(EնT2G?$a.Lò6ﺛ3zS 2}Fot]1 h#o&Q=䯩t".vwR2ӷ>ifGq}vҪ}$SQ(n6O!ma* ož;N4 ^?dw GN|[9uճ\97@őʼs̄$#݋L퉘Adoޏ]Ǚ2KѧLUPzqλvBJH!,Lao/tCg8<ٛښ8jk;zb)]L- 0nMԪiĎLlJwPh^~ S_aieCn=UsXc{on_<4ǽt )91>Z#AP)pofQiIYszДw{oȩ#e4"%D+ZԶ1hn#y!<.g>zWQB 6o ?M }Gj6r+39-ϳaM3oHÉ0VRf`˯[>5NNnN!sfآ9DĢQBuY2I)Èt*ONn=]%7񫝖cUߢ}g?wym[jlTÑ3%>y\bSdI*2TR|WC1!OK'T/ߛvZޣ55ŽiP:Gkbd6-?˳aޚ{Z2u`LC/RzH=TΩ O۳k B ӄ1R].ޢd؎b9$!rhA ,z|\U Iy!;GۄDEB 'CO Qi$R>ˮUvԽ۾jYja ϵXs%1ag[JJ[<͖4#9UAU@{~ѕ4Օ. _?]+y.:A?H‘N1hg1N̯}jD,Y&zX2/c~f-NuڽRN^0PƖQ"iZ?9^qyC@U'v~أ]GS}B Ang6/oao^UAsMs;5cf-ǣjE;A2 @q@@ mzJDcaSi0)4&,[?gݿcD.'C.dА-]ejogQ. '%@xXA:٣5N;9೯`` ~)N4{˺ 4A+[*=HĜs8w8~ CI<~v!18s][wp=Vks39೮``J2S[DS0cm'_GK==«EAÊ0(vD)))}a60hLC^%NC1#?k6Pb&\w?-R^:s.:|<)g]A/hT^HW2\MٮJ#(f/ZoJkJ+lC)$ZF\z;n#_eCY(Е@ U H_Qa` =;du291d-uv"=LK[qRa.bugb3cxa2ԼO2mKw-i )vyGshQ.~Y2ܟ6R+t?#^~|MUNN9c)?xJgoxkk^b9@{Ws8g1C'`y.**Poި%O#.N;X#OO`I^yKK,bqm5yg=jUD|%+qD ~3~׽Ѣ?λG 0^u/@ 4.+9ɸ7\ [hFS5bhF";4~z%kT6HaŲeyXc+VHC3/-eTro,^zuKr-LX ׬['% ;2?ZW%*liYwC.Z΄eFb*^̠@w`Or\{I:L&Ž]~A5w28)GQ&%L^kW5?d#ofeaH&J[wT&kag ]|?cIAU=D{~@\Ǟe$%"#w[ښT<(ejCFP&Ue(w=9tmCo~L3~i_cj!# ۜdKFr|3ۃݵIj){HwՊv㢛ZG#R9ҏ}uO7k'@U "M2E]m; ]7Ρf2rkJF {N(D[@ LZЃ"텝 i@ Ģ,*N3M|װ@ @ {͈;[dԅ\yw)苮#}nRz'{|ENe=E%KI?{$}~gJ_%ObCÎi6G1yxWh"g${bRFE{;=瓑=>Bȸ~Zb6lz~2Y2@Kw}^񠅞5y]%Ikݣ;eino7u D$@,yn1 2ر.w6l>WP,XKT4%~i+%el=h9u1Pc{=}ɧbG#D$@d8zq7h1 Ji'J!Eqo!HDOq߅i &{; dϬ&b9 Mt+8_ٺSOmHyA\ksR.AdT(}ox9_%Шڤ;Mm/=ƋrR~j} ?GjlϮō.vѕV7ד@ 8& KirK0fo.ˆ ƞȡξq0xt{q &j &-T9ʓ8a]'nmSu;QAd٤"&*@aȟT@aH{ߡ}jD61,+dξ!Z|rg4Fo S쫈 [2?Gdjd孓M/X߼}-QO &~5 *HQD]Dݤ5--D>q,AV#Hm #n9@髫j3A31{HϺ@Ŷ+rY"xBF,KؽыG[ | &\c_g1ns@4O!d=CIDATZ\W+G{Y/ TTՇ5ݝLLBGq`9.G(4Z-Mi@¢% _qG}=I bmw'LjohvKYӿjcwOl4[ QKV0*#UoάH?AT?r/hIӛ?e-n'%p?-m/~*Ys[J?&m)EJqԿ{?r]cgL[#f [bTY>eR:GӾ;vkt]3b4qD7Q;>3)@y8rW`ypD$85uN$EU|D1@Lrmy'[ۧQqlLVGSE 'zJl>ֵ6TE{0e䠲恳_\Dg& !?=?Rf1**mT浜c&̗0&i^wCQ-mC],)WNM-Qj{ꫯCm6UQjh/hWYޅ~ i SixW(46A.堒IMe?y& #TgQ;@y|Iތ[x׶+mFkLޮ_x(K~7lluç[6AĠe>ԅiXVFֿ]X3:ڦA!C[EK^I[{-o%#:FynR-Z䮿8@ 4F6~k%3˙" TOJN'L_I VJFDp%DYFMf'TL󉙒F{j.)2u $Qk*)~;KC1!OK'TsCB y]|H*J\(P9iuWlgI_Q7T世SI^g~j7SF6/>doՖ`4AHAp &u7H!sfآ9DĢQBuY{>a˧: mMjQjvcH~tRa씎sPFoitz&5C// ⟽8TFsK}֮]h_o>؎n7)O[ j(mu0Hc%[=6u\qwͤ[v궭c׹͚SxSkT5YCȖٰWCS}{~>}J5a Ip+yT$; HHA$ `:č-58&]EҴ~rL#| =d\$R>SqV;z ,z|\U Iy!;[>ZOyZ?j=UmC}p. k: T!-o~v *+@JW\6u ~-kpf{wolSW91ۖQ7oMƏ^c$sNT*2 >hu*]h_@oݲ.-;DFi ')N{/9{1}k9F.*}VM!<穵kw) C-=RRh;?CٵzOrG[xPf*%:@k1u@'E4X6Q1 DOJj bǣrT?`Y~3bkvP]ZEs.y/]>Jg,~t&u٥h&=O nӶH4X!*'y/E9PJZ_@⥌5p( chmM|\ȔkeP5t4a!ͼO2mKw-i ).Qs8g1C'`y.**Po8%O#.N;"OO`I^yV]u)J&]c)U@xdeÅh/ I2 y8 :슆|Y7o?XĶWy=Gм/˘~RD>-RXxݙX()qwE\r;k쥭Y4&g)y6Rκ=_ #vZT6RLQJ9U]:*ݟ2zKÛ0qIq5!Ph(|lW~`母+qC]h^_R5(i1w)/T 9p9ȋ/yNSOt!'q<&1y߻QZM⿮eą[Y9=K]vcOGb̪e[f/Zi Kz1I}!!ɹMJO'j9CDSv&f8Cd-a%71廉R#l rPp?)ȶvmRv1dd k]m|Dw9{>u~#3 Y\D ;X7so}ZڂY!„%Py**<(+)v00l`$L_GW%xϒ9HnyQ?8hߧ.8\ړjI[Lu5?d#ofeaH&J:>\(bIA82)ye2mXOiǣMj=+_YȖ2^GyVQcV*{5/?κrr&,3SbU&Áhf;wPzNڸy'Mm?ەWԯO TCuM{}ECT6HaŲem+׿~SAX;j8@{<{.!/eߑׅl.5Pi7^.zOrDZA`LkڇXpq& #ג7h ~o"5zk=9z/$DJoCeM 㖇]l%8 b-;D8a.cǚi"|/[, $.ؗ+ hdD2Oz,~]2v~˞ާއW-:ǻ@ q,Ra Aj!kvm5u6 IDATxy|ϙB "*jmkZ[O7]}jZTwQA@AAdCٗϜl$7gs,9gf<埮^P(8AFM4M4M4cvum?IJ:syɖebIiiiv(R:ضC}}/bX<,ZJaad4SR*@:kiii'CÇ?Vňa7fOA<<4M4M4MN4qp,rs5Fsʤ*SɮiiiIJL,ʵ9lG"Riii^d;~weD_siiiֽD2E4'H~n딎eAK*J5MӴxkhR ~QI)Nv}N&I" Xt[h8#ill0]5ETUUuTsp8 4NJirɨ!6`}UKWtx Reiv)7X ÄzL$VEӦ14HՋ1'pRDE*.q1$ؗ~I) . KtzK߅L]EݚelMo]4M{JR440nxƏRq2=fib6nf[ rus:1zPSG(džL< aZ$ ުo'7'xRJ1G!趀ivphkMQ[Dp[ME[KGѸev&=;G46o~ Ggsg}ۏɵi:Tˡ1=8Aחqȕ3iX 4RB}c+ QZIX86P]ߵ iazj\~mJRwÍQj_3ups1RM߭`s]9W|\/`_O󦨯)壿mVfkNI`my|7p׏XfgTstm$Iѿϼ6)^/MӴFEQQhcݳŶm .dTEv"''t]YYy.CL9;ǞyCt W:9C5)H|bs"x|& a&Z\~].?^zvұR$Z\n;k>T Ua}l|8 o-/?Ÿɐ$QkL7 ;x/Ӑt[Z:xݘюevNn[R%7CL`6WWvS:kxtc||{`崪1ns22Ek|D2U}[A颏&3< RUKM]hُ4M;U JKKIl҂!IJ^}6’%8mϩ>d2ѾŇ V9xo^ƭYZhF)B?B44# RO]kf'dwZ IF[Ix)| ?cM T?.I9/L:TWRQ"Ѫ9ݼᑺ?<+Is]O88ߺ178Fx/ow;@v1J(Dgpތ,Jגg) H[YSm[Ģ]9Y+W`s#Ğ_?߻m$5`Eu|1Ӛ۸%Xv 5IBygJෛb`[4J!J@gP^566q^MD[A:\6~,w^ׇ`8m3g \<|0y̅ޢk:F^e~@%o!Tpc"❗$s2<4ڟV2C.3\ = tH0q9E*3WG^ 8bwPN WV}"—=|j& ͘mlzO~/r (:sy/[mVeTL%@bf|, H&LE#ꖊHOⒹC1YWGݑWw7TvJ{˵}JqdEvϳ%6 >qc݀n$N̶)l0 D!E5 B<iکeYy>-kPW߀eYv bz%΄\=mt~k3;?4XַH,d=iv;Z6rx۸d .,]/;C`֯U\~GLû/H;v{3{W2v%|MaTxjZbng霈8Dm0WwU}^&\wUQ?n>[s tc%OrZ8'e0̭/3#k=$+$q[Nka咕|`Y oNvR^jpZ>/'ikSŻט_n[L 6[́C"I1{<~%ígpƧkZ*/A~Ua#_c Su&Z4Tr[:tA O}hۯTWo{a=rxd{>pq"%ԉlo q /4+iQ'i{?=~i&pܻk)kI|̱,w))0k㏋kF2kXg0#TUFU\LyMkNVeڴeKK[!8*O]±EdgC]] 8A+şx?mZRGZ3}o]%\`"#{P+X$:4M;%Ń{ e9d߾)ڷś={v{jwdܷK ! ZVn5:A4MӴ iڀ1vGek9͝X8 30=,k}z\ye\|CHppË #478iFGleQ>vQHo*y>CoSnN032c<(çɈNG |gBk꜃r8C \Xw5~imfqqyOv=4MN Ҷ:Ȧl%8,d>,º@S歝,}aU]7/^ĥ #l|5+( 12KI&eS*勱uݛ< XAgc`Ȥ*2@ٝ㙜#Pj^X}^X}<>IbR2u._n> mKT+^ήSE>Vnab XYaͬ4~&p H5W6,VOmlUM4m߳N j E7Y55҅(wl9XV+ۯk-]5 00 )j噗v6s'04dhe5mx'OE ;:j .env~lSWCLhB Ϙ˵c|H6z}c9M4mQ4Dx9e,s;?CQ(>Z>KQW ؋ Bژ3E "T5~VTD@{GU&Lug-΄b,w V$J c(Z"݌{Yz-`ʷ~n_% oxqa,yM{pL?,*Zźݙn# {giQ4]J`ӻhɇ6@EyrenNњ ]8yMz^u1,*P6:_yg{k W(@((Zc ,#/dG\_h9TV}PwOm'ta54A EFZ3_Yv\m%V<271r>!F[Rvlߖnfgk9M4 iڻֱf6vSKV%\:@[C #M0 8~ x 0ųonU8re;Br g^y!"/yqPOim<=ϻW߻Ǻt[g\OVro06-5t0{\:U?jE$ZEK<=rG޽}8z&iؿGڲI>2b,nz_ye\}^)km*","?|go?rigivrI|@>زEq]GxQ?IQTsf loY!?T涺~Ʌ\?1  /vQ{\<}/P_&#;>D/3QBvR%Z^X&,^iioA4M;MȦfj(5]NٔՇٓGǠ| v҂#0ct28OMa EӖU;2,(?E$6f6G9 ZJ , 8mP.\&nqK-o ANPd6v7ki{ȡmcNmU*L!Cr^!?tA yriq iiBE+Y#Աncq' x:Z0%C>Vg$!k3 IDAT/q3|lCh;}lF3FHJG1=P}۫Iu>i|eԽm 6UVTcD]I>A&ңFp.9_Huk>VO!O(^yoKWqxA'-?Ʊ0W=r#Κύx-͂K Pу[14MӴDMӴFfF|e[ǕkfK:Κֲa<L\0뙽,Xl5W>.?E8U宥<']L5A>gL6ċV8lYΠf4:غĘbgOf\n>;.A0+*0E.ĒGv/TMQyrRT6nnkIc+(vYRR(!0^(P C @TFmc((0Vaʬˆ' I)78AEn{iM $H!aia PX6B S[GL a),c-NMIIN B)0M+Ա G"m`Yz֭~TQCGg$%蝌*2r@E鍱z7+ P`ؤd9݌(Hq$Υ0/R?~Sa(LCG31q$aHau(,BmC3?1C]tѹfSj _ +w,6=iUP¡ eݺhO ^IIBlۦ"yJdcxE`{ =BR:+dy$"3 F``Y&ύ&.l0=gw j$L.t'>sefi  N ^ȤAY`]0j$3Z8H̩$tPz.;`f\SlF'>|h;Q奌1 -[):NzP?^s~4aغm3zĈc~WF(#''mE4Ƕm(ڧj}!2mz䵮FA^^#F{ ÁMɡ$E;Id &]䔍bD,5jc 7>qptROtDuQ*pt!#⽯OF e̘ yxN;p~?p&3ztxNQj-duz"u;*(orrm*LTnZ6鬶$NV GR띺RJv[6 TP'bb;)>e]}\&'p˔R=o:qS!VT lP1h!-av(tBU pg0Û硊*I8*9ԉb˿()( {3JȌH5j߫((($r3t p@Afv\npaI.C$ D:iqoO]f?4aǸiT:1L$:7NmBMǡ#8j0 T lnVfl&K`N#Жt gN=6<7n2LLHnOptR7۩-Ytp҉!1'40Mİkt]k(jD 9|G'^wm,;s h"yH])L,e9tLLvd{fnL$"kiXDǴҶQ^WSt㘩}ݖR]N@[;J)X %QE2y'ϑmvTq,ۓZ"ib\) ,KN^:}pz]30M);!%51n=}we!JOm<4f@|E]n2 "x IGJYm]2KH7)!#&*q6cZ) m;:1<RRv߽*'&w6ڭԮy3WݯI tTS eCS(llK SO4%)5ֶI\.I*Df_w]$*B%yO91/(&~٤eɮQ'N$&Lum(O<:F$eڠGLN_wCF2XmP).ā8iߞp=S7aߢ; e{H' ܃Rvӟ:1&Q5 ޱ[ri<5I$Ґ!3T8] rs  {|}e& H#i [F{Ns޹YLQU~khd2g?],gY&+ Y8 H fTyޫOr~0C/S?gh^pTJ( )7Lvm:m/e4frYbP{yy/9qBx W3~/to'ҷ_7n=+ё8? ?>4Fl;[?ՄFuLTY!ރXNv {9IL&1>:y7OsD19xeuiw9n0kbw' rF %|c#gwT$a)z,Z6oٵW] F!XU_ʦv܂zGãMP!aӸe:=Ls Sth&~ds?P%Ul ,MBJes:Ϯ[mFJp͜7*{(goY}{mu ,%ftπ| 0z_(W r+<kles/ פ,qXdc#i[RQ!&++|<ʇ!]9ܾk\w|ɲ%l:%%~ y\r.dXv!ƟyKO{ [EgY79ƶZ%Jr¬3t-pP/hyrˀcij TWc/řc_ 8yL;Bv./Eǹ;y?cB W? 2WŇ++$r:v1m1{q11JHw)]Rw{5g1#ȁHm=};՝ޒ$ޠ jv(~;٦McIQȫ܉au$&f@I7~7itVcU2m "%l>t|9=m,b?&m?bu܃n˩-<^fg\5=JiAy`ٻG2*o`IMŝU]׷qõy/=QeFx$~BL)((ÆO3[i覝WHur߭[18F.y Ssh9u/ЪehZC R1vsOFt<D>?0|vWzY@xKsŜJ-RU=ٹzo+>䁽SC]fYޮ+ 51h55_1`:1Ŵ9,sgPwPuPxX2MIV*A='p໙jA!~g,nԄYЖ fF}fԤ騠1F}f rJR`|"6*OH6έMi1f.͞-gCZċ?X>(xaș `XT8T͈wf#|Ҩ;⼛p>6-WOCtj$Tߋ@fڰFt)r/a\eDG>eT nKHNׁa#O;31O#L6 C2}偳E^8W Cڻw7 @g1`$PRkwsPCٶT#=;"/V pZaz?c,x̻՛ְ|G&ᶆqd*z+'@jIf,ŴQHUl]UgFOìE Tƃ;Yj;>I0֬Wf->7lS&h9ȶײr!"qa{cԼ0?ـjyƕKwdg/?K喽$"ü)*$y`:9 /;￀@$ /ޖ(5Z27!&EWW4Mhjf(wr+#tXt7i#/cUd=y`:9,Xt9AdKזFdǿoG W\_%;7 ܤ<A.uș 8 .YWd߽J;9ӸgN:唎*+~.1{>Gwnp9]Y#?eu(ͬ 3[y G%V$%8EޏYۯ$3B3;=:R͓0ݠ21W2 ?跖u "Ajvf0rE'o:z `$rĢY( ү?_:G]6?=2hF5 5DeèsP&b!vJ5/}?f u=ǐsPA^Z}Uy͆AC}ړph̬0#>: %3S !Tq6>u4Iw`~t_> DXچs}e"6(qFm:rg0~|CMW!(/1uAIzFB<5.tSQCA-5!×u~0_7g71i$*MuT ;S%i*"*'.dbvǴԬa̸hC˪H çNbSWCwyw_N1]B;x%|Oȸ˚>rG0x|8g㬪ۧwf2CEb好Rɋ1Ř^ t' tO]d"k7 죸aLr%B@/;G^m&(I]Gb|__>WQ(Vb3F1w2ZNxQ8z͵r([8}֗Hr\Nf^Wf͞N..z<sst}|W_٩;l3b؅1G=ټm1}]8  ,tqg=*my̜@-xǣœcPٙm{D@o#ʡf!mUYרzL 0BM3"Yr 4 P Ѐ cĝ%;{nxHs$#[ޕt\vj>X̗ 鳐矇4W֦k~m*nҏ(]ȑ 03>Dv E* !njӡ9rq|տ2ߡ"pېc/B:jD("ĮK%gr"oyqTdw#L"AX ʻMa/H%e PTՈ4||w~hCG["g@mw j{A1Qjš":ލQcbLHi*Ahm{v’ɻo&qd#'O/Oy.1.[7p7)˸דJq^Fr`cpQ`\~x*Pg)8Mc3U͇X{8l$Sn&dgȚO= ؏w8 e}5虹qQ_b*Z)yBjW,nl#t3BQQe}hGpn\55B}fݽ(j6W fRt}L8'0oz,IMybu/^Ds'ڲӴT^>nb83wFIWxb^ y-%2 yv>9¶u(~ cJz: T6C;P=+*!A|?eBOJVzn;$KcfrmlS$L$eiQ[څ׬ZTݧ` qBfI| rߔ8_P}$ǟa?rc(;6B$@B;(o @jX~-RC.>ׂjW#gTdlPJYN3O8#& e ʭ^LEA|ڡ|ĿAH;h/ndac$|֭K_%Z s23] ֑mPSaLP>J8B$+( id]-NRY,9w8)ð]W0L6x y5;L!Qx*$pͿ8GǛbY7V"ъ87-֑p\~i7D٘x87x&'Y39 C44耆~,QxRRE71rjA-{X܋:f0HN'bVݍ()2*UɰB%!!=@m f37:?ڰ)@ocy)؇ݿ8­Jo r%Hh31AO> DĮ KC6hڂ(hFOxd^8c`YHW bkiv;)KTIRQppXӚ;0n9u@K<:>Ciyd=|(giPI33 6i'Ls]=5Nw _M=5a/e:féХ_ikV:_ gXӈşycE:p, /?Du2iv6 #A`1fY[/, )c&rg6_8^OZp_\WI,K0ZױT'hɴ!wB-1:vJDwXϵ*c4c+HpMS@6_O/Xҳ z |ēܼrRO$'wS+bĥ$sqL{хE7gƥQ@Cmm^6xi42rq1,Z vr2/\9 S}sbג_@ՑRJ5m 7Cvn/1N, xp:Η 4MQ.=+.ųb#y\o<#7ywN [pL'/li5}H0mgZ!>U0 |M[ U/ I!I ,? lF B Kedx%djw:a+_XjD>0bf e U E"2B͌|& ||z݆K*[1@_h"݈-[M!hicBع$0=W"!6¼ q24ޏ#.A&OF^j~:Xw|!X =P({UC$ H  m˻t"H|-j&Mˁms<οP MV %@'j -gU g^8θG\я!Z6LŶl \ b6H|BP#]KJJQQ15g:ʪF\ uj|rߞø3{31T6@IWP4b"Ud핤xF& >&^Ůb ,S~v$Z-:uq*'p'- F`eK$x91U…6I  Uxved~hTZhfE9X %0:MȖ <9[qƞe=#g_ ޵C_{_LNs$p؅uF.7LZ;t$ WM "Fwx.8S/z0Z]'I.A[,$ H.Jz*/?a.n?JL Ŵ+ҏEF4,0Jg?vy1'똥|vJ$\efxk@Uueu|R.K u"7z[|?S:pM}wvc؉MJ'ӿ'W6ۄ:6i% ҠiNBYA'npb+mmNf!D|澂ĿMu)x 98/ j^ӏ+ga ݘWeJhY潈K`@m>;Ah^8Mƭ⠁HM! ֶ/kC}9e "0q>8]@Q@u@賂(QHk(=Q;E'݈( 9cĸOC6˾FeUQt8!~DN@Gl՛nEKїQႌgJ/=6ooDL\C7@la0ur=eV? Aߋ)=țAymH @2D6pLkX2{ΎZ|҂3.l3:{"1iTtwg4 _ccُsn%'M!s!fDZ&e}>F=]>:wn ;{:Ahg]?{ٷ ZurW.WPw8p;i=/"z%OQIR/2=넍̼d$߼7WPbkiJb XUC#:ޟݞā>UT9c{}Ed3sȹ4aLP <~7qҦ z=ށ-leᴃ{n*76rB6ݟ^'O.g݈D~25:O]C[?&= L]g%)ٲR/漛9+Aμ4/4h/mr l'۩q6J</წظ5}z˧ +^az LK6\^R;/Jj,`AJwLpaqq5b6p&&7EHw+>eWA[y7}~B `B2>T&IDS@,}ty/`%-3ĚWoD\9?@iҀ7Q>מ^/E+3@Hو @p]IJ(@?ؾ^Ě7|Äat_Vu*F9`1b;aW#˾KCy@{ħ0epݎ( #?f!]m@bŻ.E`rPKAC(/wNvv ӑ. r鯐K;&8A@~g؀xr}IWkK!#.G]#ajڨna_aId¢إ]p;/eEC2soFIcʲex;m[BٺD9'-4U`).w}Ϭ# ԼlwkΆ-).b@3?}l>s2^ft?W^Oe@8J .@}uPz]uJ1>NAR7;)Z6}]&~|%@Qx"I¦Dնy6nxΛR¢boWuYm$-Nީf:(z3m7vJ%zЀ%o(νk'աf=\ u|9M[( VQ^mvFVWu(o i,W/@ўw׿ײMPU*q417} Z>|݆xz5;Q'lH#X#0tQyr"(=4a"uGc@0Y"#v3e#2-݀|ǶbDS xϨeADܱ1\ؿeND[(O(,_ 3CT4w;C!실NhB7$F8:A|46 zclZgj.NW|U]ɾc.6VyIiDr02.9RW(k\{RFak&,d wc5+~őF8E-6 e̽~"wc:r>p3$:bI8?>}g y՛3*'&&^y9>`QN8J \Un]bFo/2G6Xus|ei iJ{@;G9nOn@,$de2ʅٌU.RAֵp$ŝ^̘1C?sxU/*E𽳇XSVGԠc>ď?noU\aF-U !X=ЊH eqA~!ރ^i` o!ˣBB:x_3,1`4}@qu$^/O˯[Y*4C׹> ]C a;f@e@$HN1PK͂EBP,0*HBFS;(ɩ`Lm;NUQ,YX%sY›l\-n)KUU1XB LFh?^~#Ə!I&Br.p7=pB͇([q@Űw   \UCV_NLL{M0BʓP.)9$)g߁JCRIwb` xj)+o&cɎH5BҨHPzY ↍%7Ղ080 2E_*sS5i(Focex|( X&N]NJoP-1m [A|q|w7vߍNHC10BPナ(*d8 N ڏ -ڏ1Y-z-{ϳꊻN/}!Fl(Bb&<a@ЍvB2lCE; [J'(N#D @մgSV߆޼6;RۺuG~ˇ!&lw쨁'J^M`k/1MýՊN~ێmEU`=ȼU4 EQ0` fJw$!/G- Q]%{l'4שvdT{S)%B(,P;'eIa[mP恲ُ`/{˛O䁏냏({ v !b+Pbè}4 2 zzU#l "|v=XzO* euh[PHbsԂOHCb1hk== T֕i46j*"Q׼Oqtf=D*B *RlVYī> IDATNFϿFmui=֪2mUU,ŠU4E1-'͊x*~MԪ|EX0)6%bQI۴)@ado*@6MA\+◇V%[a l6v%=c ^Q1JH ,RvPY>to~z baCZOB ET!tBWA!$Z{= 6 [e%eԲxRúomK'vp8[,(zFlihF8 l3CY SS#+@T4Mj(ףa=E&Ü;>/m?\ȰDEECCG F*,@r@W%ң< ; ŪB !B?ZKnЊA'woB䑛ժ`FcF ӉҪF ؁X$i\\D\3>p3NbOF C&`5 J,a5|>`0P EQ(#Rt!0T]QUjnT(Czۊa#&&ņ*ntHQE F'4 . [F") ݕ.TP 6BDό!Q0t0P#ˁ%ɂAlP" R{.@1Bu!|e>K ޟ\.+996II:U(vL?JHٺ]F]BYԏ>o*Q'ɌqN MЌ2܌itD3 PZ2U jDeqf%Z'=%?y1?](QD%J(QDreff2D%J(QD%J 5S](QdV=k%J(QD4g4d(QD%J(QD1*QD%J(QDF9Y((jS](Q 55٨[?<%J(QtuTƏ{6r2ocӜسsphrm5 DԜYI+:_YA~,J/ byjJ8 ~o_S:t5 09MQF0?3*}:q r}(KF"$3UC@h9iJ%O1vYo>H  p$1kxΙ'.H顣|1 G[8rTIsO]!Pv-FRr9?Du^՝j0鴴 |9Lr dWXkG #λB]C #祪= XVp0~d$(WiF=XD9#H[vN%.;U'TsT pF>.|) }V^iq d5Tn5?7؈]sՔٷE s>io~ ȣi'7I$,z=e[(ZDB,g'[NFW&vV+?v6K{Z~S/rS?ɮ[}y떇iԈc c CU|.mB Yw`Hm8# {ki:]9cIc!d!ƟЏpλ)>uD%?%of5ϊExqoOH658nBw7^IL"aTrs`ݎ_hў5i6NN\R Rs4bܧ9$v՘8F#R'#}og++t]ixqrhJ#ɡEQ5񌈍gDn.ovq/b >ttd+( uLIM8dYf摜K|l?Ըu8~{ϲ>@LUA4bL˽d ¤Pマ˥ʿZFW~RUe}CIKҰf")s"5[dPY%mkIK$JMŦYA,Zv:r:zyJ=A??Msde u|o>FigT\1}O~;N;?sppODJ_spLqjk&,.y9vtToA *T#"77LRo mrܘPq 5O| |9L \KZd xQcgx.v\)̘>1 1ç|F BG9H˸&5M$Fm ; iiXrIAOrhu݌"ӎ۞GKq͵m 5U/QY ~9_|LH,}͟c`J!NZ\=pW[+S-n-5`:Ra˧K?mm8r˷0$4)&uBc?oei7H`/Z9e_6dX0[g^ Z m Xn2'΁]A@`9C2:"kuS_H{Coî +8'NDd︁ ɧRƁhFͫo/Idv=Y㌇PYoߦ_ Dl.7]OĤ:[{˛>:Mu$i7D>!@W !WqDTjI`4QS6u/Wُ6!bbͶWѴs:-izk;I_cع6[r ((zaKe{S&edő`Q<9X&-tAh'_aER`,LDŏna_cښށʦyl|?{/HB h]}O`1X?71kfxJWR7@֍բkpׂa bQUd$ߏ=>ɪyn<+ f%qH6^ / -CHo# ĈNa(N90O2$5>xR°fQCf:?tYӆbuh(t& E;n4}e>;dANbFi^bZWXedI@KMs-c?tlCӿ;/B6K|,h"hA3U%gcQ uMH (XZHŀ4F^@D9Lx7|$;Յ-w>R4{1W &Łbq`>oYs>6 nijCLq>q 5!1mj*x_~@`sc.L1۞pu]Ǔ `Zl3$iO!~%d5WFMhvٓr/mO淚)eè%SpP4 %&gd.>ٍ.m ISc"o0cن|?n >9wpv$ 2w(x}X" \yޞM̐2+e,:`ϳE"Dsč 6Eq3&aiV!iF 9q [|w={Z fÒ9;δ;}!3҂(dǛA}=C:/ƐISX69+s'8tC]T)w(W8cXxOv )wOKރ"}GX͔4.jkdӖ|t~3cJ>Hμyd ICmgu x֜ (<^ + Gp2HDf^&6Oj-LX096r`U?u'&Zev Ԏ~`OPsu:Jl2$SjIH6VUVؒJˈ 0i-U]*Wlbl06C HB?ro½o M(0` Xnb˽Vewd!Z͒x٣3;sC>0`֠Xv¦76tuj/?W+,ƴfD⎱Ţ ̑ 'ŌP6{7͏)9A6a %Ü~N7pMGo ;F3wF@ؗ%tg"[ 0w:!,6 I?MK{2'eta #?T^83o3y9kqR ![4gVQ?8e6!}k[TkU 1O+ǵ{D3k2ΏV5jOoh93Ž_GѺlqӵ>d#()uj;E:_'1Ƅ`p$'_{6T^.+?H)}DeTNHh[P zq-A@r:6*H޶E\c"3)0hXJ>p 8?]=v}]=aK"vXԼo˜ӱŻa9/Im?gmVXs\DNcSI<:MɚIu>l`;8v'y"a X);+MSsP7 w%b 4Fx~\ b}}C&%~K@lsoŤHbB5>pd_P&t26.[1q|:NȈ('nX8wysiV-1 L~zvta<ˢ8+Yϊ\8g;ʙ49 w}l(w;pU/$8 װFe9ĪiFhNA[ۈwT0Fݥ^; WT0ܿ/GY9JTup?3Nm7:^2ïb}$v)޴oEzb's|jl`yؖ͂36b(G|80BLd޼aas28!Xl|뗯_}ĺͲr 6$OjM_`['||X wf%tlϿ`ź,>v=-3Uu-'Kvs°3aR* +PwfP B[mJr̲r |G6Xwo %nmʃk4~0=g=Zb 0+>νwr:qmgSSg6'6C֑}TX .P" l8y{Qv3n\#pM:.Gx=VyOƹc 7Jqdijj0-0|@3&k>jЂlЕpf3d'? OcSoKl>ر,L+յ ߳0bFXN6>#䧜jw6~{\7Hokїͩ_/kHFH-Z+DŽHx==z⸵rQ^0T{փϟDīHp-0!~/0)XYKxs9<{{zVX5VwKsV+}~ 5>!5"`STuƻ{ϋb6Ĵl\I0ORH].DggY5NSu Whiiql17cUf:2FL8 بs?drΣETE0&Ԗ܂*Nl5{doUԢA:{\`4oOat䫮2㘳`y,4jm jVSJ=;fT."?TGO߈哽ETXNB#H= ks{q|񫚢%oS1^\6\Ӿ7fQ 5dBiϙ&CFV $yZEla/ܜ$f@zڰ?'gC917 A1ԫ̏(7>&f܆EO:Z~zS-KޠG q&T{LXxkyww5$u q A R;ZN[#q16'k_S̮gR- 2C^:3>fvuU6֗7#ۘ9e:npQ7b<^o0?b9$>gA;u=n:FE oVf1GSN/8͐?erc™_Źw9e0BL0`QcGpgN،ykụMTu4_~7'^I3p &_ʔe $XGg#s71^JglYq;#翞ƼN\O8#rP,ÈZR0 _zeY>jVAdlG۩Z7PPrT<2pGc,E κDDf CƸ;09i7ԴktLwGfpȎ'\ObyVCrmJYh bUb-OW'iØ>>Ȥ14nxˀӍԳ{QGm q/Wwю+(f4q⇎`fẽoĵ: l1C=:ִ: K&>E؝?eҝ-J}Ehk{lS:*'hcD}Ϸ>*ȡ7t9IgZj4p:X~Garuj9JdS_!,9`2)&j!Ϫ?EͪfgjORt5lm:oWn߽gbqq.+r8.;zδ*?7$$z LGm XӁ?.&~#Dg~wSrr^N}Fu C1k3F2Ik W3۹ pbO%t[oi@L{߷mzflc#t[I[`k s1s( &lP$&Vc:!'>]HQt9ض܆}}oQl7%ǚf#˰jٷ$Wvf+NjG/QRJ=&;^(V?ơ }ݬ}STRb7DZR3l__|o/$!S#UrOw.E'osS? ysfz)>3)w%~pBñ;-̪2jO| M0z:Aч'Ztv6ĸA#j{C'>:_qqϽE4_9}AfQ:o[}mݺV-""""""@ JEDDDDDD H#G_WX'%j\*I.hWbyuD.J>[7^|-V%,a:w`2-$k2ɦgJ &E'%A6b<=So^DDD+VdljjLc9r`Ulf╜5쫡69=Po6VÕʕ,`BBXoLh;-" '70oE^bUȃĹ|TW4 0xPDDDzW {8 ,yw)N%^ǝoXqtNyiNenv`vREZur$0"l\zA ~%>TpQ$q1N Kkrwn';$@u̪/` FY-6s4v"W~nI<Ķ<#H6 HqgYUEmUҧ¬Ew1ɸ[Q|1\We2`LMA1ֿ+}`YbF0Y(_"""r1s3ps6kxk02y V1Y;N2.›߻1y<ϭ3Ӹj .%"҇ 8?v1bf@XeʉŖ8G~>hƿre!G>0ͷ&u1@ 4R(""""""DiQDDDDDD%""""""H JEDDDDDD H#GObsrgG@X3f1a+n(** $88˽@XϱՋygo<(#cT\?WƨRDDDDDу`r9e`uu>N<С#{'V99$c"f1YDiUɁ5KXyN$s42OJplNy{c뻭 ??-Gzh'F)6cXOV3x\?ȥIt oi6xF/&""" dذ60 ,fL݋54#EpGb-\/6z!4:mdgذ6nM@Sy5ò?f`Z j{wr?4epo 9뺈1p0j,}lyr9l(K{x5CBuznZKe:Ŵ V+o}GGHSRR?Muu,YKUŽϐe%fٌv;޽x7x{s DDDBi`o2wp,B&28%0_ Ҝ}1'Y77~YyP8Fb #44iNe""``̂'NYWX*"D_e1vmˮ#O5N~DDD.VyjM< {5pY^79*ķ^/כrA~hR[h@M ? "''! :iə[X$<-\TTH?`ȵ;~~,O}PNH'UeuX* #8 Ѐk U}u+VD5\wFF9xTe1`CҜ?6QNԄah #\V ;ȴ@oLDDD.Qumި.CfU=5AN {6L-Ri⮪z]I|+Ʉ={gTf<ʣT}}DóI2z14q_&ug˲?c M`qԞxQD.Y>~,˲\4]C.Fcq+foEcSwDDD.U7y"CFf]Y>vPG!N}FfZXFP*#Y "iP*TZ}V^b(l@I p fj?л-n=2QDa"r3`pV!we0?>SO]XEfR֑+Y7knfMh̶k)74O=~bedmڍk}v3ˊ" m[䕙c\ 48vc"""?IllܜME^xi5ҋc)~y[gbsqG)]JEDDDDvq}] lyc =G>0ӱޤY EDDDDDP("""""" QDDDDDD)A@ 4R(""""""Di e̪%sR'}9VQy^  Y@IIn;)qϔx%"҇D{6c& LGHVJ("""Ste%"}po nZa{H96WD@y]O {W Y IDATljJر,L9g/~ [uD ys>CkI8(hE0fL'x+,}cn"UKz/_JmmM/lG \,*N0ןVT[+n|3 oXJI$gn!cb(_.%""""P(" IIfD'u #\V ;ȴ@o""""DC>~,˲\4]C.F${5X{eglDDDDE !;f=gc5[,SE#,y2oDDDD`Ub݊8Q@i#0~,2Q0sټU6fW3MLySB0o6VÕʕ,`BB#֛ tW {8 ,yw)N%܈d͏0>4;>*Kﬡg+xG3":/-g/=4HAB#A*JEHh`Φia+Dƨ(l к/0zZEDDDDy)))nZdd7Yedmڍk}ğiz*s9\FʵwF̲b*;=" t#w e ~_uyM/+#1 ~o5zuĶY|?H \ַ~رJ~YxTʪG'i{,(BNSD`RZFD Xo3""""""eUpYQ0wL#,TS@N'13PFp#mw1>,*l`zZEDDDDD:T?VͶ:01w07@L;:;8JXR("""""A4;>*Kﬡh&#f$+%)c7p7gMc lz4-0l\EˉZEeUXs*#kﺍ;`V ;>Ce03g32S޽x1mX+5~4eNb2y׹2Q"EF(c1VEk62HG0fL'x+,}cn"US]ۨlZxq:!""""IݼksvTa}RDz@$zג$$2!f%u$3H i u¯X󟟥j."""rQw\G왻)_\rBĆ}8frc #\V ;ȴ@=("""Ol,#~o?v/73^;yYY;^o "+G?xeYUVUa.}!Zt#_R8"3[ʏ8X3jx>QDDDD zr>1=Yj<}WiTi燳01ima[q&"""r.&Fw( nsmOMB _4KkZeˆWCDDDDDD{PBmF6N *& *˨DDDDDD@D<%T7%>JK 4P!"""""rQ~h2tD_+)2EDDDDD. =2Sa@}/ŏ燳ڎ:b'0 &%"wL&wZſᓒ vS)7/""" JEL$ĻČd""""=EWV"wL&wZ9/Ԃ("֓КUŽϐe%fٌ>xs4-WVVv^EDDD."JE$,x|o"rMg5c-xަ˗R[[ӫ """rP("v'uO{(&ERѢ~Z, C ȅ$V] XV ;H\^i""""jA>dKڟ6x>,\1#~,R`2YKDC~&7 mXeך\TDDDDDD%""""""H JEDDDDDD H#%""""""(AFEê%sR'}9A/E'{)7 l\3w.o6VÕʕ,`BB9cI-""""""$:M[D ,_Ѕ>}k(43o2A} >"wX/S("""""Q~Iwco2r( h'`#t`:1_bbe_ 2FEa d$fXoSSyHf)aDٰڏ6]YHӇoLDDDTGyI9^"VLЫj`D '=vâ& =7Ԃ("'K!2Jԙ})C|X[{V[H'8,˪ sw a֢gÃ՘5z5 0ޚCyD7JI$gn!c) b~U1D";I1uڴ7I}_?kìpaX5NvH""LDDDD:B t=1d E_NzA#H_!~vc#ꎱ8X3"EوtD";vo!9Y|J18'`ޢNXDDDDqSԏ;h "?_G=8;HbsJ'J ֝wo#  -|X~67Q)i x߰YDֺ(""""I~g7I%no \DE,[1 ! /וp2q$YH_USDDDD: UorlB^QQNaa~r]]m "}) m;!!EDDsbUlf╜:ӃWCems{F6eJEk|9!Ql,,ۥBD{!3o2Q͈z뼴#MLGHVJ("""#t ԸdQOpd,!9mzyj%"55H~UAjZwpo 9oxSGEaBNb_0 ~_Z0sbgMVi6.?= {3\ t@<#.)eH7J7ˊ"]3[䕙X%X YAPhΜOiee%MEE\nLDDD.EUU_ip2i.;]Q4$1]~{ E V^Hy0 ngPGI #ka<-NpD^!Vƺ< !bO*j%?yS sT]n}' `ggQ_pˉ`G Uy8(_G+O*uU?pow\=*f'?>1^|Fnys͇zR`?ާק9yd}n﹍}rY>@{v=PkωWq-su]?oag}zm`<'ϜuivMuO$B1vyCs2Iuf9ApYţqƆhVs]Wzcmllx̿9Alŗa6G6:M[ȔzFm~>;.DlYhppgV!#Z8tG.a?+oJ$qSxfUhخUl=Ć7jyp=mv͊w4*.?D!Di[My6c C<7:ZuM=ME6vۏʤؚqil$94>cr̅ۡxzƾbk.ʾ lNFRYSM3{Mƪzczm/rF7'PVr-(RHk4QQ1ޘ# 6.`dbh؏D1ACi6KR? ^Kre?I ^o'gg[CtvDWf !6L!2feG3G52O0 W!ĈתkB 1wr`pT8.ɕIFtg :̌{z`<} k:w=I:հﵟa¨>Y:7Rxq~'4M`{8xgL]mxTrB qTcߙC+ngLsfil 찠ܒL]Ъk£izz}6 Fp :3i+q>"zf{kcPf>C^xyN;¡Vr;Ok[sIrev[R$2ݵg.hاCҨ8͙;ݶXϨ]*Qox XS_2-5 GUPgP=NXi2NPFvY-76Ѹ5^JիK~}\ A( bڗd'dlܰEҞ=hnv]v\ .C2z- L18 Y- bc6zYbD1%\2<7e3 Far5][^%!3$AB e-a$&6԰@=-A{P]y=' l|Y%*1[E>_~g\<_ IDATNR o̦ؗxi"[<7neǡQ`?N3Ӝ{c̅Wުؚ˃%߾ 99we& vgJj3m/S^&;G?ՇbH`k %(>%xkQGs-E' MO|F]<2 AmC{gj'sMDm1G87t!\2hNaJ]W3fq7}Jjԫ6w<н$6u.w]#ҽRsemd"$ M_u`~dݗLWҔM%6mK^ʆ !`QqV)[>.lG!iKx|E&Զ ߰&/* =.cL]ruF$WtDWꕼ2Wo -4Yro%$7N:g7eBnu8bem0_dUߏ<֧0?+ `IEǛȯYNnTu A6HD!U+GF3~@Ep_ez}`e*KHsN -Rs0G44ԁ\fڡx\3M "iҜ؏d_iԺd:/6ؚˊuL[x˘;Yc>6`d|z\lW9Mv*2K}e]CҘͤ 5$BhZ[I9ܾD_{ ) {,ie 9;\?&N^W&a ,ŭmqp6?p2bYO@"{ʈ*0^dWǫ=/ױ=O2$9g7TI >LjlvV\3ZNm |F/Dk_ M6l4zz/k$fLb. I>{w/HfRf16=%ABw=o7Q;T5JEdCШZ0ybj/yp250F2s!xqsTA&[&c9<AQ/ ED\"2fIC19'9 U!O%AB1x4nL% :2ܡYL`8ATkt/bDRglmoHep4^W~+j1yk^^ǹPJ&k}G(-é麋k$AB lNGbo1SݐђPa[NZnHBGZV ]_cy2=] xfFDmY~),åUYSIG98 ¡ɧA&BⳘt3bM*-.rOѹ$&]結_}(nIo/i|}i,089g(oTL$sb N諦ĥLYz }}" 1hɞm SR/.0?pmMðB!Ęė`I^S x8k !5 NMaS)H$6xR7ٓ 6BDb8X~kC^~B!33wLL4%9ƃ SGV !FW`-/P&#U{B!){ $>'vSU7E^i>jo @1Iawf-[DzR(>jp)BqgQYYCS{S,x}w: ܎Wz1ZLM qq Ymzm#[`;Q{;.9KYXzNO#lcB!yv }|πѠq .)XرspDsZojaڮnjB!6Qf~DH⦱&B!CWƱ=y}s1p%>g>KboLBiXޟ\~cB!Ө{BI8n! :r7̦ sVEJ5T1´6={ VQ)/-bgXBuh8![?Ua!qZM}F-չ ]B!&vN9}JJ(B;bb҇6+SI ܘiBIJNRڿ)k2!/rx=1I-&+!p:ikijߡ (tƇOk^S6@v`Ϊ JJ{l7%4`~odwQdf B!@<s:I9)Eqw M{wW^3 B!(6Q->?SJUi~}I}/PIX0-(@G1> ŭ>Cs_ˌ {*90$4(Ԁ$Bܛ댙)"ڋEz{v$]R]; !B!'4})+yMZ/RXӭh:Wb2Ni~糃i{W7}J̷VSYZh.`;٦ #>9tR%A[Iiv^{cW D=mZL=}8&gn!@q*̉<e !BE1 (Xm|*(@uq>Y!hK,>D~r ݗDu3IIud-k9svYS DLK$ABβ!ˆ;Q?>>;i@<13}oobw,'!B㭷^m4y'_{bWf%8-!خj[]T9} ݗ]xb$(6YLKk} ):#5t3I(%Sџ}\JzevI&8ZB!FnUXoyuu Xʺ%0$Yd̺Jʊ)*:!xhfD=$ABGBTX=?(-yڧ#׀ÏuB!le޼EW@htbvnn"m!X/h kFM}Y|e`r 2@2IL'yQݴM>g٬KB! j[ utށ1. jP&|c9xQi*8Da@=.*ϟOQ4F*_d҂(^-!6 ħ3I޼M\/B1x)366܌o7bd/qm;ܠ.h<} Ff^EW^c",6ﯟe}F-չw'BAmmm_izEl0/v@`ZhsDPUQUWɩ5,6T/B[=߻gIL˥A44㘽/t['u=DW,e9+$ABbgྲHxUk[ΞwS:tk^JupbOULQ|%]Z[:_!by}Q9{FjX.xex_6F.^IQ a )G0ڶi%{x3& C^=`FJϜ{C7fx}AtS|$d>E?,MS־ ;>%^g㆝dEs`0 82!B -ŚK{اVaxGrӻA??]Oc;$XZ#2"-46 2Pe*|#CVjYN䛙Tr?=`{Vf"vߗTXn{7lp5n!B:b{o.O.?(:hk13"KuCfxH9_@k[e\ji*6M$S„8kf?)kUAmC{PDʓǹd&BfB!*m5TUc5v/7ZI }#-~gbrs8Y3J(ר(#nدj (lb`#+\B! @ePMr%.DB}p^E1-e_ Mٕefj;T\_5wV,IFVDp"rb&N(%L=桪<)8WNuz2Ĝw۲Y>{`u !b D40Wo- ^;0-rY0O0_I$Bne*+'bLZ2z)9dqt&‡; !b?eZk8][љHHM&-m aÁ;fSBI̊NJvw/oiKos|c$BA\KщZNPB14V7޶5 w55Lg&Q2Qq[i˜$aUU&GKnK!k N].Mrx܃ZP坤CLnӴӟWD!IIqPQ ]6Ϛƒ%5~{3.y;`!BBq1 },seuuGD@Cc !M)Ԝ-y<3ɚ0Q_5%Z2[_<4Z+V\>􎋄kyxI9oy DB!Ġۃl>a\6Q->?SJUi~}Iˀc|[}(ܿQuI #uLK'[_t،YwYL q+)lyeBIVolgDc2vxB!O&nu_e3)dgA64w5FVCՀ4To%9يF1œ{&P$@S#Bm6[yVYJ nuQ3t_jG#Nsm'ܟ?%ABɊsBE6|tVm5C!B`VEh47U{A @%ӏ8x&dc҈0u;iH(_{5GVBBpoZsaKU 1D!B08qm_c |F/Dk_ M6l4˺\N\'9P~7g}uT{NPΌe0&]V; !BK Hzn3>;ւCdhE龬 Ml~d lͭkO6Rw}lo>|P1,ԉd$b3j(ͥ$cB1x)366܌o7bd}=E0{*근¯f)1Zʺ%{d b7C!b0 8ATM4{-&u.S0[좥wTF|t~22`6;ѧ}Qss3dgPnaNH걼31TC tSQ;!v#|fa ,PB!n!H||Pmsa[Dttp""Yrp2:x+8{a)& ZjZ?ۂ*ܺpR<=Y?ZB`+ 7_t\ݮ`0 jB!cŀD%Y辰VDf0[1FA!D_hmĭ~/ю=_{ gUTL;| rWDS־ ;>%^g㆝ˁ3gλoڵ]!Bh-8b>p;!j))m@ b2!Dݼy?kVl!LȊ(̈́O(@K@Y%W IDAT*1[HNa{ !Btc b%sv6{Z;@9X5c~S=nAaw"{~Tә)Փ=-g) &*LvPb"4ȀQy8,, B!5B`y{ Ogc17;Ɔ{qC$<5XͤԪmV!9eFT@e#$B\sww.U`rdrr|NbW}2;B!&q>"ŕ?mCF57HS<LKۼSbt)]L98oy(=ɔW: ڛbE$B!|u3>Th&Vy|ՙBР`IE;FiA@As\RF-@MT_fS9"]Ie%IYŞi1l @PSVOGSv;L>WFlPG!wKwul-iw%b>wq9FR&EӇ}Q#.FD?v7_!hs$q4s6w-{7W /o t])Q[Bm;Q'ϲ.~0{*B!Chhk׮u*)٬^dǶ_R*GQiyOeDD?i wb0&~c13ybN<=7g%0YT!N@ttl~/_IusIѠ|F/Dk_ M6l4FIFԛTD3YU@Tu϶YDnB`+ɼ<;Xe7).>G[[.B!76L6t:r?ɰ*(D҃ws,0 G#4(Je#$B?)(6 xtb1)TՉ]*1eK sQu6nI{TvkU{좹uura0=i!Bv [@H_If^EW^c",|S! ?>56Ch:3R))NrVlJ¬YVKOev7lp&B;b%sdvS wH8zaC1 =Gv  `ғ):pqlTٽTu;k1d@Qۨ_m-TUVsYv{1o2l?o;_K`#nisuPAgbv.Z!bTs 16&;HB˜Fj}װEI 64UNQxFic*B**ʧt/ wsP!y T7r)J1b<40 v_[3/}1Tz.'0:32gj,q!DЫjx|QL]>iqVLjؔ#m} }0-"ŀݬ@sDEQsbUM[_^Qt2](_>PpB VN"֢B]m 7C%?<<~/8g{=Zk4˖e$#p*2עbHKLaJ`1P׆Հle8޻PBbfqFW;bjRoEKY5نNQi:wxxyK5M~E?I·|xyOtFSp*Lo]U_$b1&ISxhrx4@ t; $,EeApf T?١{lET0 Ɉ(Z5c%|ʢ$jX,b߹)S)~iJv#Ee**:hfMDAI~I.Efʳz\^ngu= t89q\8e Lg|2xSCII B!}hn+v j v|i{y1 @Q^Z-|xvvF a!440өGQ|^Ŕʔ YZWvN|sD0 hFɑRNΏa1Oi_v4:,&&9J>҆ᑛv>j ZCږ *8[uujܳB?. cA Cy)miߝA.D=:B!Qi94SG-F*Mx\FEPI=S+Fp8'=YJ &̢G ,j{[ XOsU4^sZ1Drt˯ ԣNMBXpxxe?'Ԕ|X.D#f0f_"v|rE}d!6((=}r~?#4ٌhp>9B!}|kbjT[m=-^]H}i6fD,&<w-P$o-aUGks .{޸D^CHU'A ^N}F_h @_?/&x{?y4@@Dx#9%{pz.9 4SYQ͹9V~R35SΓđf~s喑7__?Þ>V\@nUf]B!fy{MYB}# FlI4qYq LSE,6YzyoQ~}@ލ'9vϻh ^m,J[v>g#0.@CDj,rML> |q)G4(ԟd+,ւؿsmjDm7>%[YŒ2\Q?~X-j+GNaUi}{;pi.}Uǎ\'L})=]!sHbPeegr9`4\Nq/m}0{*kn*TZȮs.<6_L2iwOnkQFpT eUշmueRj:~5QQ߁64G[b9*>~Sr#dO ?ٻ{:[إWbDAF.7#J[(})anC!46lX+d]uYz2O&⯟Lf wmo3_|'BsXTVlHPC a U{e J!Zg_ub+IZlC*U]Z .Ċ= {=w~ȑ}B1Y\~-/d]tw]{W77ҩ9x|F9J['-aɤV|xv *AXQԡIxLĨ?VPX[/r,S$3jQJ*ٗT+oqepT2Nj,GQq[ G1bm|xmHfSB$ `6aѬN~ ;٨!q}iBZ1$%Ujٷ⌨ZR>t;|RݼL`F~r edCjj;X~/=GuP"TVTqPMc.zW r(:nK3bn]!.mgٿ敕LVB!D >UL#]N;jkMZ1;w1 Ыr' %v7̊R>jA_!8`ʔ9}H'DVwUt天e9II ֹkvҢC >w%72<󶍯,O lo(}f Ǹ֭kb>ШxKqRs+ܜסh !B!?Ei|Nf`|pbhL#h2H(B!"ueXTV3 <(*Gm"Lzh# B!b@0%ڰ$򫎱f8:MD!B!D:QE`(X ln0iD:_$UX־C- v'u!X_!B hxa(PuhNH{6d/<MS)-W_21uB! ds;Chhlaʔ }R,eOd$Px!ƺ>;Gg3`06B!Bę-^[(tz6aNLȄV:be/3;ǁemUVJmV,k-B BCG^u=9g-LD!D$0a o2^x}5K#[ӾWfHJ(B vI&wj{Qf&v9!DXp#MAQxRB!#UUe^" }32Kn2@*/u ̞;q/gyDp}/B1I('>D=LŮWxy'R n&.\4w0NY+$B'\ȶWW* ÙruylX:̹q^B!}H˾a 8FNg{+_6tKe޴2$B~GqMdYZk.! !bŢTUU7nc<=WSǵ&飤FC]$B!B];m/ڎu탶Y IDATWG$AB!BRS|kĖm/J(6*USwvB!BczztK)(1J8Ķ]AXF'2(B!jof\{gi.UJ+?$AB!BNR:X0Ϙ[( x &LnzӦu|5g7v!BJ& !ǡw筲| I=iF@Q3 NOB!D P!DͅloW%'dže+9菁cI˜R!B5 !5}>`~녮I\xR$BqQ!B!:K+fIa1MCq2u@x9P,CyBBD!B>vmTD"^ S6 Y &{ud+l~-dRu{ +>|[ed!B1Ya!ęQ,86r:MAQQf/*1i|"* 2ݲDBk.qZucmA^hp#G56de崾cǿa5!\r˗4VSϞ){T;}hhH?v !*a~$ UD=LŮWxy'R[V>h{e}DD!,UJ,83#! fσqLXsuXB  :lvƮ:i|kZ`)xW`%q A hT]]*DD!,q1~-@xqr,[:>qUVָy(DD!D 9|@c39f"vCezlDڷ<-+*y ֲmW%'%<ܔ(m' !gZvW\i*BV-M呴b>1J1B^}rQ#6- Dw"\%+wO9S~:6.`Ye$#f|~y/bqn*+,LVۂk!.X¤"g8ky6ϫ7k >srW3+: Ռ{t>iޟCT1>Z[K'`Yc97+:$u/4$wxJ'3+:lA; 4V>'~;O( [vgd}mE$󨷐]u6ld#) ̡x:Od?$֡Ƙ`kw :>\PթN)@IԒ.vn~6S5vg-ȓYy99Jl9Fj)35ƓYlj3c i_3`wŶ:;l!'2Zp2[+_O3rU"í ux̑^S5msY\iJM%|P@oiiWI(Wj):~1Z^vXs2r>ƝvtS32ĸ#]iQ/<(?g*:;$wɱUˍU\&upɣEl 8NfE$Ҩ FEoO6த u,}8Vi hzzbvviz!oKVggr\qv}I( m>Otc DVb(l 8nz1;NCo$S#4\wmun82m<[PC [v3}!ձw}[怃jZp+6->z*8/.7Hj51>MeQR9u>jDq~\APS [Fji/h[ˠq#:p < Ǔm\( Vjߖ+ד2v1ZSRRbeY~**ʓQ`P&`NbĴ؎&:Q#Rn>of]N$?KqX몛+ɲ)ڋQo;ȱy[ʚxYԢ1P1Am-j*6ޮqTnL2#a L䭚vm5{6Iƀa'U掉SUDMܙT[sDf.9ku:;y )iT'׫5>GV`GA¥Zn4wj-B'F@㹺9/'Tb/Vf,J`-D1)e$mu-oP5q5ܝTε U",L7'1[[t84W:^-Nkia:~@uL!!CyEL*`8 hVt(d{N'ٔ$d)=ya+Wj))5_N>AMeg]K [tH̍ῼEE(gxr9aV3liiŦ3 -vÓoH2F}ޗTJQdޯbGÌuITNlW5y0Ǽ-?Yѹ1[<Ϳj6D-TL|Ek,JVY& )*QAaP&Ƕ}Fq;0յ:A4+:ì\_u UmoqcbAʢ6/ \ijaZQA[_][eZl$}!B6;$c5n:ˡx<8E3-mzZRCa)eT31FayUۋPocG]^sǼE8s _σ)6mիꘁu>' { [x4Ԑ?/.ȝIe,pWsoK[.4 ^m7wZnk񻌡N~~^Cj)$: AވYI2 OIHQQb**/u ̞;q/iyD' ;;nT0%r dXLXWg 1Ұ8[XV9m5K=$#_buZ֬xCȱRc:\(bGtz~'[Vci ?( eۂ|=(ѩVT%p_R) +ppoR^se|7?[+&+ D-LSYxȋ*fh~_WDByyB,r_r)kk:%A8xq,R15ߕ}wu䩬cTDM͟ߡH2#>ڢ5|#LSd9~T"ONQBaDXW:U<^ع6ztJ^Amq*g\_%ZV뷪0)[d{5Re"iH3Wo*7+FQ ^=RgL}wf?-t1[qIqb8 VEkNEL<^cXWG+,mQ`]UL!If¥Lsc|]w/[E/ٷ~@Ģ~g'{KjQ-M~;ϗ%wƫYљ 94},C!u>+tiWW:mm(Lɬ<^MK›_+YZBJ{vքuwWo1o4Z-p _|a+M=ma;a3y 9dvv_35`?FXWx&7k:}K~мgkLIXWN[>(xX6^yfa^S Ŧf9|Ni~r4?K?x&{DJک߅]NZ00WNlOUG#r(b)7SKաuPOe6tmu5QFIu΄5!Ā㶠!w|F# mPܾ4 ᴢhrƁ +|B=s֕^IEԕLF>nF!r}ok:kODUz!c5A+/%Big U޳*|γ~٤*O2OQ!DhZQq$\Xx^!N&B!BH(B!$B!B!IB!B4EjB!t?VĚ=(61bAGD+ks$X0LM3wX_B!Bt Ϩ˹{zʳ?R6IdR W|@a~DD!B!,ł'k(iVNIkr'9]/-OdB! ضm`40arT'jU7N%52ϸ$B!Bs^0dǎ-ͯvGVIB!${Iq A hT]]*E#B!èClUI M4eTnY"#B!B~- NwUU8/Y;@} oŷ0ʌk?: ՚_^Y! b`X*@%y6+UD!Pqq!hlc̨su IDAT^@yrͽS\_XdžիP5̸NfKMӾWfE! Ȝ9 EYc>EE>|tE8Hw?akX4Jd|R!B ތ;'ɶσw)i^Ϩݳ4z v9䁛.%imZ!ZW}ح+ĥM`~9׿B o~]YYdHBCϲ\} 8ȂE#1YtZDkHia+Oh%1[æ\ŕ3s+-7cͯhCBCT7.e;|*՛nj:S]])!b ۆz" .@V'jj"} 9?wgML#=Ȅ#! NLN-u崭O}Mjz#P!Bߏ@t{<ƺZ"9^L1uP/ڋR/:?mt|Nri~ ٲecBpuqx=D(tsP! q0ɟQuⰫONj$1)!BF<6,[A tKX8~ !!B$h\G6Iw@%;̶r8UUZ!zĵ'ume@sBs5×09{'i?= bc䌙$molHDA.B܀(8X҆uB!Ġ:(IdJ2:AGFeC7KcuEqF\ !٧:@O^kcy>@[?췌`[gMaƵWQxfj/olôW;$AB/a‘'CO'c:S?Cg)sWQQ<}9'׿m:AOzϟƤI:Aw^`8o۶Mر^סc ߚz1y*;eAVwB 8zzt=D(tbQ1;d*AB <<6,[A tKX8^~!B1I(p$]<8B]*' B.INNa3kKFNW_qN1bFiG32Bth$998ggu ׽G:=ztzEjB!B !B!h$ B!B@D!B!$AB!B*Bsn]!!B~JFB!B2(9'}B!WD!B! $AB!BH(ŞLNF.+B+y8)ITT ,da?ˇ/B#+X HRiVG{l %-wŃ;J2*ħ?>:Cg!DQLVz hU}T}FKI(P,L0Cvg/8]OҘ2i6鲡D|cl, Xb`͕.bFV %HINVmXgUm$j3W:Q2{wY_qt}=C%㼅46$8 U PZv]6p)knpR@oʮPLx\BG(vD5o6SK4>#On*eTqe昱zIsQ٪]"'oo=Ƒ?3Fy;8Nh?ު- ~gԩC]ƂFop wun- 42գD-o,9=ϭo⦡m5"[Gg_^`Q%}M:*S,Gb6I'#\G2sy潝T-x=o(ơ:&pݔmX0dVFwXJrX;S~BI4Io67.f0K]gԕdfج;4Myq1wgx׿_bCŔӯq* pvӵvM"xAbKT|ʿ?/ 8IO5^%Ws$BH+ 1ޡ s=>aetj8;;KpdOҡL&/⃏6SUQLWp]׳\q0q#fvg˾'h(z]me!0ԝ冄-SqpްlFu.Ӹnb*ftwrABj0slwuH5̚0vN̄ˋ(ƒ8pG XryL0)h wpD$Sj8>H(>24&;PpXtN˹uh2,FZ fVFRrgrȡ KM%nèS[}o`S 83zTƧ$(85H> 9}|ύL28.L)ie8ӆ:P Y_7|NɢaV9kÖƖbus&Qu v[\ƇMW-`-kN޵84Nq`Zk*\ur46ưt/@\]isx\IE#P]kXjEK*gu0', 9MH$!ΊI-b05e <ZV^2ob fMgE=W bæZ5V"quQJ-FNWԙYyuʏn⃣o4"cdz 7Qi7QZnvt1GsLJc3A4HMm9YSl~;[!vW>nJ{;?l8&=敿e[\Qn͙^gz.`02 U|ћ|XIOj>d,#L{^rFCUqVv\>n;'<' 9ɎS0$Br QFT(d BuZ̼Wg4q"W}rCdS!Pә4܃ cZEr5Qi$XM jo 3R.1LA`v[B:xyHi2`0NMjuO|/5%bs>{"ۤy=!8p߉bJ#;+g}.z+l+<%9UH6Y)vq^f7ĤkqiW|xoSTW8n[x7JZJ|.s'bE|y03ġ̚}=JSI3AEU8C~WY<-S(ٹեt\Q.TtI]3Nqڷ1\lV/?HE)vNuu ]\7Mɳڍ7`t.iv+&Հ ))ƜhgyG ˨ kc`&7##]9:`پ>uv;k4h5ͳ!T6lgL"Ր8kgya_mߎ҅v@m_[ NJ8RڰؖbM!á23|9TB 1NV1:HtX1&\Ly+_չG/ֵN( !D?XRHw4NUeeYU5>Q#/ddLd-ì޸b5DK5#̘1QA}15YSrTZs#Ud.s=VǺh©D 5ƮwQ?>6%f 0/ NMm~޶Mz%i$v&&61`l -hhsZf$}^^yΜyfsy60(I:T )&wnt4o[3tζfoT?~Մ3- Mи5/r\IY,K6@v3Mv a_maXl@zt]Y6Jdru]l*K)ɟY/P>l%DxY|j ݵB=tL!ݒJظh:ΰ^BPg0'Utu|nL a75U>?2uev7N\67w 2]ٚj{ރU˩v)TiUh@'+Q[ =(^/Gxsae4ꎼȿy5y٤,/[ȎxL枠:ȱ_ laGF27ǹ̎ƉΑpA:8=b./]TG(G= 'Zpج3.BkL\jwg=ש\u&E]Bt $6a6)(њCi*VP>x5 -eY!3;, x8"ӕannvˏF[g:iXhcuox'Isž`0U!J_ԡ33]fȽrӥqF7a4D3<|'8R} {;萦HIrЉQڽ %琬b*ǿɀΥj&w>u~#QӀn_#F?3|79jYƒƩn"T)rmYЉxB'ڥJjf}8Ď6(ߣ)&ZVLYS3vDW(x;ƴL2  `RT_D_}RɝIQN5{7gT>F)#6yt810:ӟ0G`eteb@w8LJ,Gtי(KrR+F;)v+.nQn2)h8;W;wW 6t77=;dSEFYsXND: L3o;skGxXѴWbNF"| cwTkKGХW1h8R;o^FRja _utw;FSKxsa==mDtTi%dq9s=Mǀu~(-1w 餙Ub?z/VJ r8ۦ*(Rg3;GЈn=~.Urw޼/)ڪbp0!@koUݲ#QWRf;E]6au^WЩRz R/u1X;VH*5F^mzuskjebcb-zZ#UXC;\s_L᾵I[n~ԅlTLT랰lڴ$ 5S]7 &sd jʮv}if毳p.\ҷX!1+FϔQyրbZnn@Ә~/خ`^h#,(b̾/7t3Kc!{)./S=\S^ w..e }tI>:łYwUʙmݓ:k>Fy_%v>ܳ=혦WYJvy'NtY}os5]t'7Uu rt%eE؋7xn!"'x%<š.v`ʻ/vOR3ozPX۳uV>< ;x( IDATsܖnw f\B ٰ[9:6qcԝNOn(LjkFgc*"QїˍƋbp nʊlu Y9Tòg`7X=?g@k_GN812qק+)KLfIO+`vj=KGl(ϝ|F[ի<ß,G{ hM2^o_3*dG>x̷%3gz]DwVKuw&t ,:32IV@!9-r*G=~ürd9`0Nc특 і+(+h˼I&2 WpOHC:K͔9̹{04:jdI%ܳ+ <s>Pu p*v^NFՠ& 5s)>xpN]NvW@f{nwOKoqQQ727J łGN|uQlx /Z6.ˌTPPlOh {:Џ)ڲd k|,_˩a?/+\0>s'fWywnI3.)^D.VSٵU=TuqhUm\u$F"v Jᩧt{|!&b2tSS,*㺂9,IGyh1_ GXPH*'xX(ڲu|϶zj/* nFhȹ}h^37a_g='1qy3qxsz/{[>À\S}xz#'䒛U\La:x&Կure\"I rŮ3}XўW~(^2;E[6G\kGk=*t%+inp-P};)x<_<s3p%s'>aeev{i9Ԏ5sR[8VY٨c^X\N{Ko>dO^7b4pYF!!pX!9xp.2]\ R>7o)Ơ]`端qįQO51_,R*_dy qgfhjl3cMɍgV:MZ&mki;+߷IHOs!&snD!9;W)̅WIm[z`Rv!B!S q9H B!&(iAB!BH ל-k#B!H B!Bn !B!$@B!BCD!B!B!B!zH(B!Q!B!DYQ!B!wUwm¯زf ORBolb)dYc1-$@B!Bp-'?WSe5)<+ziŔ&)]xʞᙲ4*~ͳ/EޓSFH3IS!B!b/dޜ (vJ vH%P@Dk e QQHcT6i#ś !)7(!buEQHNN{p6;8=-r#p, hH'EPM%馱CC FN|$@B\SV HDgE!D]y, 7?8J{9^7OX9s"He8Q$a%(+٘)b ˛!bhjjpR\<37NzMKyd t W:qz/\i$ZO7 EBrOOt6&-j )Ē-_gCqf~=u# uogl;3-#={h&=̊b9EB!&@Q:WC=v,/%>&{*jхђگ=yn~oϰД !B!tFT<7#\9f A$UvMÛN"2׫LRr(*a,ȑ?'TB!)I5gs0GAf ߠh耮ERU$"C":':#B!bv`d2Qd {0mID S)(%5Վ!i3>W('"IPA!zߩm׾IZ8ϖ3h$bs鶞YL-DѓX0/pio6p([hKt$!`&BXy;_+,kWe'+F)xepQ5Y=̬1h&: B!WM !B!&,p>q(c_H!B1a76ۍMQFjA·B8wSB!B k?s3Sʒq4 u75wJ5NX{7\]/B!֩ʼn5#6vSU]ˢ۲pJվWxe)" !B!&?pm~MŖ570?Z.ٱT2o!m8P,x?r0JZ<&@4~/¿Lem|b=T~=4Xl(Yh (_!Bcµp37$so^Oդ(.?ܑ?V]xʞᙲ4*~ͳ/EޓSFH"71$T,K) WZ6-U(ͯ N;ZB!8Q̛ӻe'KE;qzG'ZKX HoDeӝZOˉo]g|Dߡ!F.Gy㍗u],!&łk Lt^BqMkmmg?a߶ÑC}v7 V 89 Y}z滌h$84vhhӘzdzz!gPbAA!7?ڷ xb !0vԴ~{ttm{t tF Wv=ɤ&-vQSleb,/fK؎Z}(iMVDq̾fL%B1T)ۛЃ7ml=i81uIdԹUsX+tV%hM{fjPɼK|ly%B1 !Ȅt-*W')i̻i:m.g| X_pGB!"5+!D(\fb0DZ頨(q΢B!ĵDZSxBny> mm s=]_Μ6.G!BtQ1q)N7,҃!ǐʢ̚~w] j|xmۍbB!$@BL|׼|i")-;p }DO'/i`'j~=x\!bRQ+awDe{$Y9 !oDˆJ2ݩhJ~|L]R.7dB!X @Uį^=uVZ^/_|Y" !̎q/m뷨bS0/Xǡ_- SgO1 tދq]ǒ1[X=>Q!B\?&41^VM5p{ ]"X0P|eIElxbz[r* !r{r'kLtVBnY[wAaa2QmssR'?mJtVnQfVt:OtV]kk*ŬٸF=T~=4Xl(4&r7OCr,1Oq9mZӦc`ժ[͕ dW_Ӭ_9YSln ŔaRt-ٸZ}̴ !&\ 7{I28OxlYM &\kٴT7bElێ)K<[=9 )ťB '((135b$I$:+BDHW(t1Wh 4uD7.q$땠 7$B,v<:XpMANqQ4{ǨlFL3PPSC~5sG~!2Pq 4Ց*'Y"&LNAx+Fdf1\079qI +dϞ7/ ' IDATGǰ]H(qъۑNr𤋮tޡoc'/tb;'-4bYє4%% qkh$%%-SYyd7qŌ΂EBQ "<^9~z[f)+j b$33/|$:b mS62<1n~Vm_E9  ]G@K؈Ӡ"1G 2i #H!B)$~=,ۛЃɊRqz/\i$ZO-d=b ms*`1dv4vubtӠeH<%4!#5j(pY !ӄb5Mgyu9=('WRR2, _~N` o!UbVnuv{ EL,N@ĸ*90w)}rMAq c>l\ְ7@-f(6D8{tKE-*-X#̷fqiÏ^ ZĪk{f))-$@Bqo R~xgO.B[bd},PdV5:d*XD ,w%:;Qj-ΆBŖ :ahD9D\ZE]X?Lu_+N5f.']qZ<#@!'fR65/6d8aP6c6b)D]Ȍu ܓbzUtN͎s‚G9)njcklÏi XnQLPnbɖUop b^̚n}}wX *7|Oߐ=az-y&u`kt$\Y̑ܗbkIPW *NC _mL22D ,u;9W@ur"!%l$('^H(-:V/(ж1ENU2w-nI+U^_cH8~LJײiBo~op|| >ν^xu?[VX_pGļX}:W &­Lq5'+x"D21+ Z]0Ki%g޴\MVDRZOp }DO'/i`5"91^`r?t=Nw!a teүoZ(DD -Dgc4L*$*FrMqJo+gCRW&$F}lM*0{>9dWf=jjiTl-r]D S7-o$_=Fs{@pcrɲM9%G}!ӂ鼧Lq>M1`drM1֌$M4]aäJa 8eW'BKr}Bitj Oz҂(F+?a|6ly%8gv|{ xh[Eezmx@nnnb6?" '=u,uL?Pw˖q~M[`rti R[Ǟ9 ;N ,ALVͱ*93h(zɆA].d3^hq) Xs0-uʐ#7yKpvڼh6VGC=d7m#^Jb妛 6`rfrLcJ2P|eIy~[r*לh3m\=@ttD 4$.78hʄ Rᇅ5<~l4A)@CDٟTOmp`63 y#o)g'wvs7ףu3#~WI;?$*+Z_EEDsp/+{ Lk|aK~&u)e M1'wf r[:xp8 P wĀGXgZm̷M>50)t\"",M皘f|SE=nO3{u$/M5S W|8`\]Ot>ĔT`3B|opirf O-)eaVI^ %tK!BNVBK:RqGI1gf[:kfPWƵU'V|;W06{X`ǝ!= !:y fEcбƸݫ!T- Sb pkJP8#r4O(_KӢV\fE#ӧb"-a6&5 Y1HP\pR A3S`.c>+wٹqչ鴄|1"TPƔC ?fE=2EyL6_B!b!dj$V:y:ѻjpggmj7;ݼNh_̎qw_ ˴1mu5Df,YG ~ b\݅b x5 kfz1Ls؄;b4IoƒNoqu\>;vrc'1Ş2-CBXms&8t7.MЁhNۓ;9e'wm9qqA]w2;;SbeSfsx|'590Zb8xpO!ז:qCqyV?l۶Lvg Q0GVXEg1̓Šp֭x+8۳h|K)ҕq)㙻;ҩj4V=OϫaVt;pRwc>$eP{IfCJ{cerk*ffC bz_kHyeD|L(B1IJuä S q"TXG_/¬</f,fEwj Q5iUnB]L 3PXe _`& aAX0/̨%ld8pN5RVx,LA7MT3\p|&$5^}W| 5̎ Z mwh$j*)N7ڈi&┢bMNe"gN>BLEU~Kwq .Y} 1cL^kb9;BG@n ~vy6Kw+ 9{t߿ƺ+>r=6ͤ^s1-Հ2ܳ&Jd`@c(\ηZH߽@yS䚚^h7 )m>ѩALV96eݸhA4+:n-Ѐ Kmicy|VWw b"YR>L =s2(( ?,+{wP.Y2ѩj )VcE[˺^!r ϊ, Zb:h9D0R#-ţ~gۨSdKر6HBIʑ*PZmݶ`nKv)mv~(Wi҆@ $!}HuKs;zzH3|}|>~ ͸u3@GVb)8a ! n4evA}tS  arbXpTaadcoƮ C>-cIhkRYbjR&NF HT^S}ڕEtYN,&eC4Ӳ":2*L–la$yB *Mƽu.oa<)J"\h43 ej=1S*5 4=_ƗQհ1Ӵ{-h1T GLXl(DlJ/Í.OAb"b2>.޳fyEAk,I$rTrb0A^wx[>6<;Q[Vhn pm P6ݔ"b_i)Y3h6c3,Qb (4Db. *`.ױqf3Sn9ueZM1+L*C"BLP$ZQ$%Doj:k$SZMI|$ 4 ^UK~)W`U#YxGz͞o{G8$0,ƹ]!~p 3Jvlљw炚'\PNyݥecxalJQN 811Y P2ZF;T,xMMd,Pٶ1;Ey6oczqӋGTύ0×W5 N.ZnzUB+XbS}+Ld8Ym `*7bF?JIo-5 s#0x;l:&b 48\{Y (Pc0|T0 6ʆ+1w1QkM}{Ηf\˿O%%ӺVF%(= /]<=nDE}9@&-@ZD d8zve>b0M<7r4pHiٞB Hipҩ=9񹄹Kh_0.|Cy":]h@ IDATn1F#]E O>O/y |%>&!dž]PΣ@VEJ"Rԓ& ÑJ1Yph Ͱ{S4w93\er ZWTkq:])ʩJi11&NOit/[1{rlޙ 'gc.pc ?MD4b2N]bj%Ee #s S{zu-R=P,JuJv.J pLmS4"Sqϻ)]Nz܇{z3&|{6zmA?F%>"IS#d Yq-W4hmxoq pWOv5Q3>W1^ךIAoH?t G|b~BO#Hd+qنEXX +!N}ňt@p(b*+C /ogFPC0<~p`;КA0؃C%/'`NtG "GU7'p5b^E }%/ކEC(n[u'_D{Hd8M;}+(q$f*E ` Yu̞Fʟ qUb XI,{pPFzZ}ej^ <F6;L}4C3KȸO4Fr8T/D5BJ8ir8jbSLKo-IF-9ŦH+nY\h碄G`Pb/L b7`9RTf1Y˼l ;*Lৃ5Xc ?ppsIp0jƷyٲ!OCՓ 4QCoPeIa;g>4v"Ionop2 wk}1_u܈Us"8rCx-_2s*٭/Q 9PD";ҍ}U)3%MmGc3MS bQ 'L$8iEMY/M[ g F8 5Je=ʍY]EZ*`یp f]q6؆j(a9uئ*X^d)*c!  1{SϟZ=x'J(Si1rkTg`}7X˘Kd71,|S7P  ^EN&//sI 4w3<jE ֲe8ӣN&,&pC"Yp_qÏ;N4(naOؚSy_ԟU&Wk)'xjԉG<߄X}.@v_9F?7:'^ٌ;^ n:/xͲ |b1?==Ѕ>u//C7~S_Q qeF_~+@M2#ze.=58*j@BT;ͰWK@;[J1 N!qX հs!{78D%JbQCZM {hšcxb2 6;݊$nj4U{-0+G1`kC~q" G1泰?RG l2̊,i81wR,b<Qrd,Q@OvAFaݛpή]4[Ibw[^LQ"-Xa}kxfoT]:!eufA& z>@ꦇ_NP Z3 blb+im)+je(}5GВeBY>CR-fxu(<)q*zrKbtiL"9+I;3b%2J>9N|YdjZ1 sk?*Cՠ ߯ϝs;ល+<Ybgdಎ $hq{ j@X48ljRD <;@/Y)|͐=_|n[iAFY+OZΕH1H$ ;?ms*P[f`=س 1wF7.r4HI@$(> D/xbmƀyA ~J 3Pkg@qz}8_ĉQ *3.]be 7KIq9Ϸ pj=O+9dUD_JkSZUiha >8Qe$+lÍ.O1*fm 3+,ޯRi@ЋsՓ`2ATM(gn)h9+֑+nUzі#x=T;^FP0[:[Aelc GLY*T롟csZɦ|\(}<3W|EмZGf; CD0N XfHcQΞ { «AX":s(E&2Ёg؁gvhc1}o>l҇y)o]=7mϩt<|!򚄃7%_^ ΤG+/"T W5>;I^(á" J9-=+&~Kƌފ&s +ʖNؚ"yNMgfE[,vs+,lA4̭X!dVrWk3|}fP& qRimi4OU ")78fBd曢)-|JjLQ%Vٚ1⻥%!~zGpU"sؚB! mp"hÊ&V,sQ]a cS>tlt!J!#j u|q:e1 %,7SYXf cs8s 8NoBM؂)Rb6.FD/Ǣ[cn9iʛo/;k; zj߇uka-,u1̋7X[qU8=-RXD X$PuRk>l˱e9/%cb'q\FK.ğS&^UCkpA-?E[曢e8tX_1AYy-#0~/:OA]P9AOw3#Kr(B! N(a5at$)..!5#^xA _9*ue 2t$㪚I` 4:"b-tj ʹ2]SFsهr(|!D2{cy U cXXcƌ 3 |9oD!8e 61?B1ٽv vy/b7*L~'f E0؝ZHÅ<REOP~4w:=6owBQtq !]?徳+jol[bvOM9:Կ/0*!T 㸯^^k9 7d B\bFxTL ~bB5.c 1{2h/Sδ0< [?,w[&;Xv♤@JwCH*`caϥwJLx F>h7&"%e%f21|mp]}nՅCԾTɇc{0ZɉG1׻"Zlk휣)05֠^b)1ޜ(}ROx{24J4ARh4us jsU=A+Et\+)CH`6ҞQ|cLP*,0FvAvW܀y28FC1 7<9IYT ٝ ~?.ڂ]4,zyu:yld4hцZz^ѳFp}:S K('*ŠF Q#goFK9>Q3xm1#nhʏ*`)Z=o.(ɹMdg(b7&Ry+fC/RoPiF>jJB0)(RiXne%89 j`- Vy0jƗ_s)Ti5x 4h~dz mq#UsFI xgrWN]KS 'I뜣ft.YIiÁ1#.+cP`^5 f`LfhEG_8QD +ֺ.F-_F\NK1_wJzDݓbA{osbhp4 4*xqD-(V%J1Cfr q-BҟMEv*Z()~zei7Ep>"P g8h悋 Ka(Ɵ\{;)L[eh%d,6EpO_aheөe)7Wx7{ W3x66!`ZE= I&gO7J%J CWɓE 5Pԕi-V[CxL`%5`6x?Ṿ,73ʶ#LaO+hxѽjNqhEŨDq`sILELfrk(J_]4yx:e1P/l`ŞH= sx=ޘJVD20p3ZţX~ >CQP9X.JxN BW3)_)T0P d\8|y4J(1ٳ(Q4;Nj»J?z؁'G*Bd~9Tgw+ny ce9P/Vci摧ԛ3z*dIyV-KrA~ l b'֋Rl#% )0+-)-q Xd`g^p9 l,kMۃDВ'c2-hnz_D*1P^ j^ 8g$kI2J2|7p22> ~*ZQCh{q8܍1gt7.m?k96~M b x#.ʭXn# x_ێΨЀg׌?ZۦRDAZay`8|~qt Dj8zF~4X@cFƃa #$*܊O>=8@e7㘆 [*nY5 69N&A7^3oYLSQ.`gd>DRs$cBeyʼn0{h4{ewey joƶӚVD:0YeBtp!ڎZ7fJ &؛>sFA ㎻s7ĊŠO݃;!pAW(a실~]q-çL"x?GN& bUB*'N&$ϳ(z`Ҳ1me>s .=vnW̎)s8g%!(f ۂ801)3PF%]qdiBUMqh*s ʍY`j.&.^$5]KHp$}*u~M9VL1g[8%a.ϖ]G\,[ ֖h舤m)eK(R^{O} iG6%s9A-8:rj35>T$eѠܣhdZ`u[|y <קxÏ}<V1cJbS$CP2sXuR]7\ey&^-!gd8(raACz&XBF)6 k(]-8U&ZuыROY"J*3DO> i~(90oŢ\v9S85fXH Č('L͠-aTҹE1u6R02ZT홲QW;5,:5XR"KHAoҥܧhc% *K?\X=&/`>K5Q2FINUSբa4|Ӊ^?Hbyr+Гoōb cInC›Ѩ54UZۦRXDlY5Kg<NE풥pĞEJ d\}V9JAxQdqYp%rD`p㽛4dt -rYE%T5 *K!Q>Dzi ˓ XlE3`_=RWPP~*ZQhej Zz:+33WkTTT_(%G?ys"iwC@$i c!;$HfFcc>3DӌX,7= 3ZLO1]ω艃7D^ʆ+1w1QkM)/O\WJWS|h12/Kok^Ӛ _K]9\(E;@J ~>,|h)q2PRFC<]-b9D IDATC6,0F'Z;$W Vf*h`BJ9Ӵb18XRqOkbs'px#f EՍGD=%cVcr ;հr9k;{.J$jWpS:z:}7x+dx\4"zstBTzsy \ޕ3Q!:ϱXi յ1PhMܹIe3[6ѕgϟ6m)"Eѓ_D9` W9xV5Ά+8J-Vm$p<ӃQ#ˬZql1a <{b.Z@H TVøLQ Vdx,68Wp˃DhSI6&zit2]!k_W5*6JBHO罤Vid @gKꭉ%$]%,<.QGØ<,mCP0WyF\C}3Q˓_+[f<9Y_P4.zܼ@ %ѐDƳ tN% єM%TdH0ӓSc4I/Z^0~V;%EEH&J0נ[c7NxF&(4jdD [=48 wrHزw9i\1 OH`'݋%ˇw,Q#ad׋x͂s> spouBpxvϘ^`lxYVUjޟ`1BlC8fL.xAb㊬KqkejQu83 !bGFO^{L5袅 =x >!&bSNL9H1 QTK-`LԷhTiۑ*L4\83ͮ:p3Th]XXzFCS>|K&%JZ ,ZW{ pl01RhX(L%+6z9iU壓|j4&B,!!81At -AnYJ<<+aH^l~sQs d@o?j/ijzOjcY2J,5G4oEri"׻s^]!gJsDIZM1 *Xv Xd>AVB)' g  S ;`>Mrb\[F?|b$ b&Աe jy={<٫X/@lHA 4l{Rt&WlޘH}K]m/'߉{Ϻ x梖6*=5[e81_GL ,zb8 J4:-Xx)/#qM?Ɵ~6^]K/Rk.CM֋L3%0߷&>k; dW ힶ`qgjaτbS$ W1+-[c fX$l5ϖh:v΅Otެ3@ Ewڧ&XbA`6Q=, )=st- ia^ohU4T12)Of";%(0\tWDޮ܆Ɖ>2=w[~<IHt ̏3%2 ZǠBX]{HNm I8ϳi-\C9ѳi;<~FbAKl -$PcRKF)5sG;bzP5Q^;xM.p$4 44ipp<*G2&(Ȏq?Vp@T&ڀ߉'TX4Ҟƹu^q<1|E/&ڀK{n cO+fIJ-adLՑ&={3Ƭ|Bn'q!/y p);1{M$X=DG`(R K(r]{#F[ApSb${/x~$/]4 NF HT^S}23Ot8n8xV _#WMN3U8{*bnt[ܟfg(T@q*C%K$p&e¬D^Or GQU߳Y~D͸f c_?k<5 # g--ójx3>9Pު~Qx P/E42ن3 Sf\8ojܷ^n'&/1:GRʃ" dW `Řa8&C:wVN X_0'Fb'8$JUYBR-d Z%) AĻwg`}DhKy%{VY4.܌;|/%+Or8\wO{*^S;|CעS:luMkA2oM݊?oT'Ea Y3 =fC5 )P;#L^%J0k]ˤ1t@hFPbVd.Ch7BȓsQ +>ul5BB;:HpʼnҬ? JCeH!W -83[[U#"(3VqC6tEJYK ŸMU4Bѵx}BhcOX:{_,\o ⮞zMg> æld(,2ESp3x{g}7G~~ijX5l=6 Dgcw6IO̽7 l}eO5ҫRzրɇm+k3pOX[ I1m}=ȓt0e85FsظfhE zğg_,d.ΨQR~F'>KSl/O3yJJ;bu欋Ng[UMymtuYLFbqñobH~!olυ٢ʾ}cpyW>ÅVP{1Qݸ R K(߂}F &;@۱^ Qak6[^QP(6ވ]/7JrX[8xS+Fp0j̔-Y \CfOTc/R]e.k`l%I7 6 \NٱlZ)U.Ir@֒0g=wbWVMoكUN&;W _?9t2 5&RXhLYizs8؇{*^QxFQKY26 4g@⥺pM?MtL/kiGh"3~<1秺\17-dz䰫jjIo,Z*&  xb;^n΀cLdI]qv);c,xzJiPdͷ,`"$xu; h<Ɂ3wlR0Z2˶_ u܉g&YHiZ](^s o}Q+f+l .;}|Op AI.k;0ߙr gyG\!.@/ށ}2P@a?!f1νb,t)g==]?.zP ^} W"~o8cn$EvWwܩ  l+)*E+ޫxEqVVpbY'&/^{,c8M/Roy)U9؇3|+UD;B L;z'rKGc_g*㵦BT:mpۑb5EItA <0X;x>~7R`JKX| e*$$`ln6^4ʮ/!tFJ)e`躔L 'RI|Dg 8ا^˸Nio6}j2صs.,\.x**^fގU[Y{_6U>7 U3MwoO^7N&l gLx)2[ih_ B)e^̌.ι1OYC},]2/Ǔ~wƢWbeg6˥j40sJ`(ge`¿ *CDB.n`)@,DE@BӃxs'hK砥e ɢpX8fE}Y/Y%W߅eR'xO?oߌZgg' a4oϐQ<~L pxD/љk@I}5|_RJƂ"T͒A1 's2f@9- l.;q[F)ݸ7RDIQeM1>ݥoձzN++wq~xqC`$Ww#ï|s:Xo ꙣk1׿g=҃Lᇁ䄂3ƾO zNc rEd3L1D*kx lvZ*F$[1݇D f`--)HxkT3GbO+y}6Orx89xeT⏓i_p3ߌ0ȾSNc=zІV`_W@7yTѢ (Q"?z/J!}vN<>~3f4#k,ɻ- RYHKކ&7M{&m½! KCaƖ[%k_gFsxZfHɿ9g49~>Y{9n0(?WfpҰu+KNczO?K-"R~woNo븏^LL|Kg︝o-}>?jK{#[kRL06y87>>U\\d6Ā&I2Jxu&m[=w1}K㴔` pEOċ;TU=OJOAcKӠSSgb>T-eS}vR&7MBetKSJR9W3Le/_K?޷>*+Ζ kze?Kn:lIa9?kCQ#Vw1?_A'w&]{e|'21Ra܀^$//-Wst/um37ZkGmsxC,M?ҩDdpk IDATTq轕j{&!Rj: iwN|>8GVZvSn )TY?}o1C|vίrvrcX 52,4lx1:whŲ@rYIٛ<.*/+\tMo"}yN%$G@=H&Mml{q^5v O5`=OzȱNI,;V⪾m8j$ F?f-u:ّ7S&ڀ=# ²3>*l.em!W;ӗ^4|ExLVfM,CTtGbe[=9S-.Y퓆̦Ӯ.݂FDVhw&Ě髸H+_♆,W) uFl9lY`Pj_VfS6r&EeO}'ť;|?!zyKiw/M۾f%W ~JT^kL?9[+aThzmxB}o8{ǥf,e@ޕk+܂hTm55Ks:RLOgw/je:}ihH Vso>Z}uPj#6ލ9* <=;FKjdTS3mzW9^/]:L9Īʎ{sQY3M'tRHcmQG퐥'1Pt9Ӡeh:Nt Ci֋{s:RY˚gT:O 1Rh$:R>?ُ T3R>Mt9~be:f%1ϖ0x  UӘs)n-}l͒3E8WS)@Tt)i.ΚIu  O0a_Xakn%LfzKNIהzj!FD{p m N%"+DW@L@m\=.G)nڳzAzPZx~CYY9ŝRFL/rY w`Y{j/b뵣=CƓ5-\D˔Qmz""@GQ5Yպ_peN~^ ,NxT%7'b:Nv6]^Ҏkzv@&꣟ !TҷS**H~|zjYg,_MWIa<'DO30}V.ƘM`}FKoȱ}-Ńv-*k6∬`su)†@kRK}o Tu.+r M'8')ToN\ڔ_D{f_Nƀ+wjf4QUx5xOy9sU%4֪ZRո8UFQF.\2%lLe5]C]lm:<}pmQ庰YWg[+8dC2TAH::QDV~;K+{o㴳-8>𩆤6NDiCDpJ5c-3 YˤedɰE\yScOa'0Rb}zcjϸʳK0fjYg4趟yhw~d++3o#IYqC3_: +@xqt#l,%QgVs%2՞Hه4N96חrJτ bm`=LFGHpԲMNLm;of;O~9tD3ơCh;މO*gky%<"@y"Qv|:?" oO8qIVttZ0"Z nlQbO M[ h9b{۔;T;Tͱ}43_=Wid֔'jM3lsӾ7X9vINitÓ~?ͣ['AG49T):ʖLL-/J>dVMMzC+=G{w- Nń+0 EԿv|UJ01Rt c$ : D_vu7-3:Dmkw#hQfO-XΎ$K6s6/5:Pk]^Gz_ˆr_% ?%lO %b _YFTȬ'+_N+>\Lp"5FHIZ+vqm]}a߳bWF6jWגzLѬEjGVb,&re3Q̫|7ɭBۚO$D(Cp):p6-HN6- `|nj!nNmTYfRqyme{xt?佊y4IF$u_xTx듡#{xJ|WNpTsjK$ mT YTk.lŰgR'W.=maA%"+ܖSSs޿.&V,_Elڝ,OZOqcFKX#6|v'˶ ^7Z犸Vy\V[oUՔ0@ O3R$Wzgsw﹠E XAZ`ffM4Lŀ Ij4TF G\6lA-_']xM#񭂼7g-.aKQb4hT[ԑX龬ˢ1O)ytk,Ѱ7;TM ΃pY9~ljz%˩TSLJG]`լyf?&PI3[tE"aiIWMZufH^h!OC92߱N|BT >3 M$V}kDxE; #f<3iu9&ՊJlj23od E?mӠQ[ 0Mg*lg(wnH𛥿E,e>ߏǗ^/W],_YJ.4(̲Y;Ӟ+9r_3֨=XJ~1s+9gq\*x~r~=ERr_ɛ5EVgI8k)P\kp, F5=my05Z%;,Of?#4ԸV.ÙY t?'|S*)xFGDhX( a#lH-r6\l ^S!Ă?z뜈G@L 5kP g,8`KSHzmW3fLzm FϵBc D@ y)&6TgMʜE3E DsM'hKX1L"iVbUi]'moKDVuV{/Al *8XmƦjqT"Dm`EJӉ:ӑd赝+EwbT sWaX zOI"5ֲ4>l KuSxOh,7Sm bDVݪq)ۜΡ G<\_?DQ MqN˶\y?Lי.t,g֧1z#OMj0k?H V̒˿.Z+^)fɈof/R3Qi"Лu"!zC+IJ U?ǧzoMy҈{փGW ixj1Ks%L]*\'k?Bn3Idޤb*/za[mQ7u~}oF{ɞbړ2;'Ubg4fړRu)!㈔1<}NjOL#}0gX1xg<@ mO^~O44Ա|\q{iUSǩR3]~CkΦ@N&")4 AR/ٯdt3>Ր,3FY#2CB*D.2Pv#C1g]4+p$NX Y+^֙jaUߟ^Zi|Lޢ^[G+3.O-f8<뒊@LI7YobgI,Ư~~Aa2פtZy(`TZ\V]w?i\V\,J :Q%L( Q!VJ %RЉC%e4|]Dd%㪩1_*^qd@TN7_"vSL "+D])R/`#eV1N\pθi,.ÖmW9y['US. ZiDE*$kZvgU:\2DSS K.t狨Pz.#25?%gQ ~*&\T->Tž3vcNzփk X ,rōKLYo1Dži=O?d&-gc}O|V]"F=/g!<B쪃tE FdcBPqrOZe^\S\I+e)'l=cqӠaUxxt ~[ĶfAg鲟3R܌XiDE4P\XL9"+ [{R&d񚇨)85FK &2dek*~g> };q_Mn\y"@!W~zV(}vrv`&}vsj_Y >|lt?gKY)fGǻcR~M&i_9}R1E c4.K_0Qݤ&MrV\YH*I%=e5'tXv YxCDƪe`8B|CVǤZeߜql0hrJfV0H#|eᲵxY9-@tj yhYU `KF%jj|.,TTMÊ D@/j;<4GRp17oR3]tttq@^nyjs RN؁' [ݏ :_Ie_*7߄ˮlQCnQfBѥzEWb:fƮ,9!wbboN TO#ݚBn&if&~t}ʹ9Q˖я=R:i[Y.wfK NѤYCW쓘lTdۏk*0':Xq!3fJ5զobe.Ø㈬PI ڢY_X*S\꩜q'D@'Q}g8wC{8h.b>ɿyD^[j%272POI{`ݎ-ĘHMDubǨ hxgy=܄q>u4"*"1:ndk" |w.R`u*M퓘xibU:C;53Ql5/ɇOip񊾝2s IDATIM%feA`'fv>ضt|'J6]~\Qe#co5ːĶgHآ O<# e<ҵ~H6R}F $357PGòJQ: `ʷq^^x'M-2xOc/rܯch⚻vPW\#*+JLskޏ1e| $~@XpDXg4LUhYDEݚKڬ4L_00KjY "n\B sV1$J%McIf]R< Ľ2ӨF>}pK9Z/Y*c³Kq3`Ǒ%'] -$P6ACс23`1Q 䇡[}+-(c}=tt䝏ߢL?6j<̟3n^ ߹)RLՏHM)P|#FuPMc8!ÕIAbd4,\2MwAKg:Xe2.D"B4W'J/mTV0sU eY3֒t4EoO9_=ᚴEQYϢAnt"@ qyk 3Iu&a3ъo=``n% izaBd aǥ,4[Vs~-o, ͈s 1&̨GT|xMb6^W}lD ?ݕ/s8Vfɶe)Lo})cboaɣQ.ns?+e@lDYisܟtbfT<'d3~s vg7u~y bql嶎oEN  Q}paCff(q$)ʿ?h2LsUp01(WlZV\ʆ bӯ=iji01~淼|Y2:cOOQ+ܷ_csEeqN$Aa0sqj80K .}<*?&͒|2&͂_3Pez)]-|khT >Zw#n޼K?`Glyc)e7k /[xѧyn@ L+a9~?U-~fDװBRŋO^ARlH!Y&^( aͪڊ_Dd l'25c-<𓂟?慗Eu0GX>wp5?A҈{Oe  kDEh³:v^*/d"trӆ_cש6~<GӻԦۗDRt.W;h?qׂتWrZ֬mb+=<}zO*n@Qt省Ϊ0]tuT76b߇ \`T& K_g?œϽ΋Ͻ#?w͔/N9%ha$ڐGIe%\d1W(luRSFqA^~׉Ǻ^_R@Mu0d|X\FDތJZMK[ThkaCp NxuPysqb xՀ5#-ĂbLAk7 DYao.V욵ח V?Ê)G锌;TØypFy㫒Si[2OK'}xꇼ~rquƆݸѣ\FGߘfI -{Z'>+Z,荦Fv~ F4 _`]yqEeٽ/&+J_ꡜ#]!PZj*F&|a+g:[:q?`Z5D`y_xX#5Ra6 Ey@si}݁oh"jK I`u2|θ9D9Dob$D](ts :q&sTAC ֌j`L ,4F?eJ>|%hRpԲMǿ~# H`,[ťuVJghF>uuTJɲKow)W#WTΦ;~՗浠YͿi8d ۚ۹xK*%k;R c9?}!9o_ϙTNۤYfPb*cs4(̨i5)鲟`cK21 8 Qa[ؐ ] "5=%鷝a\d$u*Bu8["2:xE37|ǟIvY7r6rKgl֯my_NHN=XϽZ3sxzd_iPr_i+ utiXAú+]Z^8sɢDus~Fy 3 SZx<ň YzXkħ^8"Cή \گ)"Ɲ'Y̳@n;`5R]=Fr P@rזp7WO/aeI+rvLW|!Y 7r˟|K탼?H V̒˿.*Rm͙NUѨ*uGX(1E/[Qxiψ w3^eZ((LDV}b/k:|'SSq^@hF$|{/ T`!`گþU s )޻@ (N%>gn:vɦys+_x >u ka=5hȻNkr*g:+O>(&c&/ցGRP|B$,ZbdK~JT^&~OzW|cgc3YeAHH6ћGu YJZ/`Ua/"r[I$ɤu }yI#j3TYůЧ*pO`ڕXglrYqeAK?5uE:h4 1PZ0X~(.eg<~ m.o>xOBsk 1T k9E 7>>|>҃GſW7!eQ^_[YGuj3--['=䓏fu܅&6aJ^ic(ACO5`4̆N Vl*SQ x AM> &] ~97'%C՜(?#J5To\Ĕb”N4QY:jT 18 *I#4gL|FrYELQ4 0҈DdRoZX٦'bᒒJ!AxZ|.TF?q;|E4(Q'?DbQ Z-:38Qz_9=W \~ey9@ m?~Ly]#k֮ϱǎ؉.g'yeS7Zy_ν)IE-3K"M*u hy҈[dSe<$m&JLsJ8^^} 10p T3"+LeF0b;'\몦fQ 䇮0yݝb)֬`Mv.JcNq8c K؈yD*GvHE ZY3+^- |9%X `N bI+vfUI y)-;>GE( Fp|- V`͚\?t!я'\t_Zl5 b5~@9t :iن{rEɱ!"M %?Ī4)b^"@':>ܿg( 4mLL9SХ-1U4 #:&IXe?Am`Eы6f|1]@Ph-٢/,F$d Zz{(Y1>/\A;>7ڭKBA\$au=?ǩgw֩ T!XQ}" 4#&IiP3P N'e> $hcQmIF:1m3/XIIZl5ݨY00XHtÚӠ4h FgNP1Kpas!K ~l=sC,䁆+vfAՁ!5΄\ 9*7a**l3[@ ~חOС18Ywg.wMD#b^/^ƕHA7J+Nu͚'`T *1FSF DTVRV7آaKF_{+vPbҏKqkuq: W}į~Žb6\t k`cOԍ0,咍:dH76L pja*WaҦ|ۢs% 5I?d$,Yҳ|=s0_3Pa}I`Iw`!g?p鷎a\JLȮq6H26]͎/|96}̓ :1/?A eE  F T|n"@r;nk{9%\vEOYLUxFLܤ S1JUtdU.~Ra x j 9, _b2~09`z48uLx^K%%liy-sK9ÏӧwQ˰G8@=b}>|E($ıWq]_K 6| P2v^`P$t K佚>Q" ͲJTPkH T.ų`$޷(1-QTYO;̑\ 8leo XRMOrx|p4AJm/ܼʒu@ ȟp?{^qv۱>? upbXH6a2h}I3SϫUfIҊ;;'ӭjXAQQ:E?Z~= Ŕlc"5su]svo;662J>44K}) ~N:2 _:08y[nZ( -cGܴgͨY2Øܽ* R.c!LwN4,PT˂),&aJRmDVX4eOwyo8~nTJݺ0dX9)Q 3e5 K:^>zMDi}il&JXvpϝp3o`5,|E-,%EكQ-r`0.̭_ۜD ?J ܺo|Z}%U~OW?gKY)fGǻcR~MIWnI|wH sR(CץYVz&2'haWL&Y\,RCAzF?%UP.HD(CvbUB"_9uΑ0Omw1HrSjZʺ X$ [X5"PiQ^;aV=AZfsє`:L4WMʩ"(E EuLVqi`6'jsAXqWMԪMUTgkYl'N Ӳ#G89TNu ]a(P̂=nG Ww#haRre:gtNf&K9 JL0>םmDyia`}Df&XA}C5)B0w@el6T,BĻ&C;ۏ>5;ٝ ??z'.9Y~=\Q#4="*:&ku|.lE} O#5`>P(Ȇ P<$Ko=$v5P]C("@9`ԅk̈Re ”)N+[I95bѻ%D %hcQ'7T{/N Gå tgUm|]եϼOش̆;L\fAh=?p6[ ee F>O>߰_:f'5r㒐gtOYEDBDVy={`4!MV$$$@Cc~+i ]@$IB(yk(/@ +0::XD" 4hsә\scTI`}JJ#ƙUM?!L$I2۾wyOUBwڙ}n"}Η@6(U)+uu]}QU^`0_BAn |n';^G4E"jXt۠H)8.%z}ym.ܾ؇Z1޼lt:~8}t]'_笒';̢Fb̲SX/sԯb%]?%tzVoSm^ᛤT>7n?º $@By6|uU{ik![Qho srv2:| 6|VNtvd~ q8\MaYX2YDɁf>~KJ6^,+ UO08N̝`'~.6ۃWFe "ݤi>w&ҥR}TV`:Bf Bgg}'3ffw~YN:1L]Zο8N[iooxfĿRI(K*2jkvxڷ]}tw=h4B{zzQUU%%eTVV{ΐLPu  UDeeUqUuT4_**fFp8ikkto[\\t_hB~,H-a۶w{KSw/rN詛yՓ|诹 qrTdiM ! wh;*?|@bg۹>u=M ri^-w:73پs ASVߩ W®QqGj_ξ9:q=XWV+-c'}…I={T u8TT@tuu}n{ V;3X|Y, :;xU5Q^^PUEoii%nA# ޻We]\.3gtqؑ!#;xcl'_ t6?ljR_hMz ̙u^=V PUVkPZZD"JJJq8;cf͚̙S(J&C*߿uدSYw/((X,ʩS'9kTQ1YDQ}~l6;%%e=|3S139c|LpһyO՞ h4xŋK·79r=^YMD!ؘ*Y`SGF{b=զV'ygR$==TV0ZQEbbJ$`7g5$ B0ؓ~fe Y R>sf~פ<)F Ntx4]]tuuv{(/.h4޽~4-NKG|?1v:ﺞVV; h|JKGuxx}bAA~`&Z4d]0]S^J477rAR C!3bq/gPx yuX,>|r k`*+~;w\fEinn9,U`6{Fc] A@vG,WMY7;[Iy#}Cc7p{՟R*eGED!X]*.8Y9qMby=193A97ʤ[UŴ8s-fQT=#GӃeƌZ,87D+"*촶ȑcJfN*Y|%TTUܹ GRc|"W MOh^"48i`x%E4e/c]OA5[IlzяG,%-Cfq޿ͯ;j K0opۓ_'§yW;P q#Tܷ|J'$@BM&xvst1݌opzj_YiBfgNjѷ/J(AԒ.Jft?rf%Fu?̉G'RTY jL)zAtҜMEZK9k1BI\MEk( *{;0R8ג\KVQKq- _nOkPs'kD>9&3 hm9|#Jb/{\s?L_!sq/7 cy֛XXߗ.LG9O<@&-fo1څ8f;qvWhPIg`V~ u] 3"]OsU6xG ?S,VI+JU7Q|=O5[E-Ekn?7lyn1{}X}X}6@;mT'fEX}M$:Nu;435& 깘⧛8UR~T{T5[E-yXö~bMQ=; Sg[l2p9?ݕv*er)Xyw;1;_,=vipM +/{س{c3=9s~#Q,VJl5Y=FJ#{X3hy]j8I70o׿`h)m~@oդb9!+@L6{ޤol|\Sٗ4\7+)]!2/>).vcC#!gu,[v;TJ>kQs[-㜵h)f+jB⤣AH JO>](l_|D|Cx=bi< I3]UyLVQ{j3bU>d4l.D1 lyPe Vތj&w6bvɄ$? 9IܿX>?:WRu_h]gH:к;HT^p5&KA GO&&vT0@bųh 9˱Uj|馼^Íbm؀[ɝ7'bh'It\)+Z̞be5X1`vz|CHچK_}'?Ng8[+q^g鵘m'9>f+C>j'<>-Ymx.NOgxmǿY8&)Ra.<}[f s v<7Lh[tkfbl&Lᯈ_p7 0t]o eЇ[8Dώ'f<YמtXn#>W}˹gjD޼ h>c.XK0 l{a\ CzoZR#EH/379#,ŕXK*p.hmX HtnܕwP FFux?ZɆIG*6>:K*Տ3&8(vg~=6,ŕx_ˬoN|.o<5x.߻kAWhͿ)9N09ݙL`y W_ =16 ֒J qph;Ao 90kI ~- I7>q-S~?yc;PEpcOh+J˨ pZL3L0O!,#簧onk zwg?IN*'_\FD{ː ]s ֽ*bmap`˯jHmn}O{Ͽ0Ӊ}J~kiP_\6 t0ROޣ (ϽDqo("zWzvm_M?Ѧ^m⃖iGsV-¥Ӝ>cPqSZ/?B>C*Tb7YJB\ԢqzW؇L5eP;M⠡Xʺ[og+s9. IR3{_)P a¬ۨ 쥮˽0buu-3whXC1ECGvuh<眛U0aU%#Sl9oQ↼3Tho;[HY85g9mސG>ڏC YL6jC6όF*)Ee.#m4uEMkD TO V=ZɟR{AksK]XC/o\_N=St߀O=Lc`Կ GJ-{[U;@Lݛm[د=_kP0 9궂HhH`=<ӗ!&em`vVU/?/^䰭o wik,opuaV=D֟)zLچՏ~5lAdw'XZqi!4-[u=CՎ3]3c]v-{dwgΓGX@ 'Lq߉j>' 8//vWNl93WjZ.՟=;}*Va";)1aa9At]vѰRA?C>t /#^ pTNjnm>U~|/8_$ ^UVP+)x_OgӘLSu]]=6Ք`:naЇ t%@UaB w`wky7Umv[8Iz+ `R`pp㽥?bomR{y)+5sYxziF6.ܡRqf`½ Pn\4pt@%H8. ^(ٌ>#!QPfI)/|^[#0nzcqWRPrMuIEâgƌ7m>1[:EI$,XbߐKJv!- ҞH#=CM{q[5gyt՗)ΦsnڛY ̰#WС8WeU_Tj%ק/ !Tj_Q.ׇų'Fps @0|Fg[pZB:&ۍq}c'3K4h4F<J nڵ.|_tG(Xk7=r2tmhF~- _TG\l㿒nu fp9+}O'duq.\emtgyV5Б@[Y5َK&dt:6Sk Ҵ]M1\ZRIhlUög6fWki5oŰ%m{l"M{axnپmװC!3sY3d'gQ[Lљvn3,]>f@=[eDqe ~놬wl}-wa)$ 7`u+,]WxArHfe 䑅j^Q;8#[\z*Eh^}bGn۷wK=CzP!ĸX kX0R7VE#qCܓyg1*)5Eb֭$աs|&:P<|e6Q F?~8e Z=t F*.,CxkDGĐm-w!/n N3w`18RLKPHӻ yᴂZ0UyN=_n5ثY;XǢw8g >Qm.L!!?+nڿu@-wY8$N֡ٙL5y^(j"j8S >z-~3/Fk^j8(H7{)'ܴ5zsGug+A{ =.\WE/P\Al6ryd%< ny?&O/Rta1)"zxpM_wJד%BVܸˇN;+NfIq1^TK"j S`ѭDMI(@lR}I8u:!.C݅YT)YgNb^ߨ_  -nk< th3: 87Сa{]K޷~G̙ GM4 _iBFRC R%؟FREt͘K٤~3f[:҃pܸ\K䪩*ϞR3?3hceaC!* ˩M}e:w:QoWFa.a֭8nbИ'ұ2o7|&q} s~ǣL-ށgYI==+#5&z[ XгhpI cFLuFRCuxFּJ>wٵ#.>Pq'eגVS8RnzVFMt_OQ`-JϢN7cP5-ŕ㗦NNgo~7lfnZ^AQ1)z5ґ =D=r7Lh: 椠`@׃KK/ϥ3L*Nt?W<Ů*nhtlGGYzmm8GBBvNxĥuaq\EJ.<-Xy |8;|;݄ N2!\W V_@-ynׂn`~ gݢc)w2s]#}xQ(F&}ϳBg6g ;FR# g] 9_l;yxCG5 =|GG _UԎQqy&ASϓMu){C"e^ϒܾd}w/)th NAЃn<9Lqyr37m|b#&~ Rs`"7̢ۈ&R筠d&`?9JD<cs6TN\ cdnrfd]s:=>X 7ڥѺZGo*RXb"O 3hB`$5-nwH(D/=V#A׮tzʸʥI"vSӳ&x04z Q6x.|;85:[+y>`˿n j2RCX +*RHxnrY~==_vt<3D31-(e=9Nɍnqe+HerEv}]XKsfzwﺍ1 AϽ_t#Oz,СWO_e`kI5]vlqx'W,. ŔfNɷ9J T#A`8: ;Ǯz_&P},zzO8fuM a,J|n^{8-L/IU:ADaD[E-ZWfĸfB8<o '[}iz .pYGB&/ 7ph#fh>z!#RRAϿnęcz|1vᦽT_s:R~?l ҔlYo(n<skSKX'S2eET8|̩/t{ $U nSt:M9ԅb]~ݐm]ViڇhڌŢ{|zn ^'R )󓦸XenK-IBvPGMvwRzB=#SQ艃\ /!:H3_1$@BLbi?Ƣ{@?'ûN&ҵiQuKEŔjͼZ:S/L"Gb5t)iJ<&4m||O/%#)gy]0z,Lh Օ=hqp.f< }1?^o1Wd[hb|FM_CQ\< !&-XH}E}[fLp}xJ&H惹O=eL.СEԕ-ڞKtyFC;P,qef7!@4;6tn &g\!]>J1ؾu+qx9D<:qfSHs˾aBL&,Hj]z)6cM2BQgpݧP#hSlx۞ج{x̐tF76}b)nžgLjcذ])R#52q#ժHbz9$BQJDE"9NLQ=wQfnT Y~7e=vUi׮D"O0"el$4ulUJ$ |>3ɏ4R)''rf5MJ7cI!!ĥHyHJ&btv*_8_S:$Ba|ǹwQAfSի}bU˧>A ^_jaBWǟ tVeT*qR)YR11$(ēQ1(~M,[>]=sMZ7]Q'BqWrczdb@ xL)֋B`/dClzN]M '+ңޠ9jXUY#Wd!?_)VF4)dTDM㿢x< I5AP*#gf.?Bq%ExV]6} ;K"ŏyGoJ6c^1T l|2vi(IbX~ TTj E!b̹n).4nI1*_MkpTڲUULV  R2T2sS@0Qjo D!b2_>nOjaޒ̓Si @EwQAvjfl}A{kÆ>q8PD|TUe@LB1IaibIM  x5UԝXd.. gDŽBQQ%gYBĈ#Jݸz)%C릫'ِr]IC"4Urm2vl!Sd9vzS-xӪ1U|>c:'`qPwΪ)&hNY!rΰٗ9ҭ¹|؁ =2M4ED1*~C%fUI$hZL!"-?BtH{: U|{"-#s擽yQ˹Osp6>0] L(UÄ!1!bJq@Xo~ D5f*SzXsgY8Q&dQ#NGFUB!ұBd2`S!b*E}x,W=6|Hѱ6ӽi%Yu'n PQSnQ6לbc{Vꀸ=1;s*t0@^bq$*>.S #KD83Ӊ6Bj@چB!Tw~ڨ)Wib; Ox۾c=Og]ٕ"f綺yiGXYQ\ q;z~cr B1( $ IOM2B!`W^9ȝ`ÆۆfߦoqPpV,eݭgF rxBtmTLiy9D=^xaj:qeyz-'k)\W!(L4eǭ g)VcUuTJ,&BLo֍?WhC13Ju((΅/z=m("vtME'F6Y.@T ! 6 _~ !)ʜQn'V%u;b`( !bP!ĤcDWw,q]Q wb3gwxۉR^[®Bf)I=C5Ll:Nb*BLe !&! Omq/(P|\׹e XK ԶǔN(4q !⑳+!Ĥ8kYYI՜Zl\tpŒ"g:A*hAB!2 !&7;`[9U@nm gRz;}Ξzvl+@(c)H`ѭcZ;*foZ!SBˈOx7O__9`,\]XUѲlzuc2W_1RT^{M&)LvNAA01g_hQu$B!2 ?楳+(?ZYpdiPz53O[̠=46oA}u H$ TG%mKm^C !SABL>FcήS\KкI`q?w%e#EVp]!6眃1B$(BLeABL:zV^yM~/o8Vp`/Na`+Yo:* "ݔBIbUrIp!bQ1騕v6>0VdI&&CB!ldBLsd btҪ K9" B!. YQ!P(48 R$$(BM`(i]Gbխd]HsoQl\s}mB1ͅB:) ):iILD!"eVzH:4?~MjϽDqo("zWzvr.:O !4z9Q, B!Pl=b:]7@QQ094,)FE]zG9& !4 XsAT]6ABq%DBlNmǛQjORm7@U/zT )mۨs׬sl};nP)]-qc X V@u$GL!X Gbŷh%ULSʽx"Pz=a/^Ֆm2Q1IYͿ+)b6+>~2crTDc.L`Gݪ芝p88=B!&#~rݍ{8rGE.d~ѻ9`nC;h.⁲{ 8=;NI: !IA AII/.*n9kYμ:[TQ8nT +p1`n;}ξ $@NTQ>TrNF׵d("7nq~.1VSL  9RLr)gћ0uAUJ%DF}j p$XZFDDd@P@5FpgA6ttm%LMtt41|5F*@G( |e6"""ҿ( gC!l3THK'mw+I4D!Iɍ?2,aw;'/""y…/`Jpt|] '4J:QQ9tOpfF6}1Y:Ƕ_t. ־~G=y( 7YZD}LI4Pm#mrʲ &\>>]UKYq {њ+Vm"ryL~W4YCc""I4۳2ݴ5ĿGBJO2{/Ygٱe+YYCˁ?zݗ=="Zeѻŋ?w;6%x|01|x{M]>_WwoޮDF}j p8 ew3 Cn> Zlz f1!Z:4R}dĸl&(M(LZ1;ȅt }{8iܪ᳝O0(""Zn |r-Kfc0&YLLO׵drsjdƷp9K37Sv ehG6i¥;~',"}YQY)1m<0}QC*jƿ>3N%jF܍HcctWe9ks0u ?-01k&HUQ %s0y.02;?OvYϷ2mAV0*c2 ¦X FDD$Y85Uh ־DV,f)gћ0uAu%gI?py-[\ ˦a`6jȦfզix ɾc^sQZE,-[t;sY i44ĭH\^ED1QWl5"""5#XN!"""R@*8K#"5"""F%^谽84=8Ӕ$aqG͈(""2@88~0 tӌstH9J}cm esH?+۶kO"U" s]f4_q.A=ğ cL$##V:ȹ/u`#BՔU8J'K_ nwJb~39FٳS3dHӭ-;㇙9sӭ8B(""""""9>Ŵ֏?pdg'`cۯUc:^ICO묗-PE>-m?e~tr<&?+-V$]JDDDDDD H_e7w+T6c&c:A8rq(Ld""""}$$[VŎFs5+}~&.|lRǶ5bE/?E[۵nG1MMGQD9O+ӻ}R K_2^QAԅm|FgΚXǫVF |;;7Eϱ#\hI'[߷Ӿ!. """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-chk' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import argparse import re import subprocess import os import shlex import platform import sys import shutil import warnings from GPUmodules import __version__, __status__ warnings.filterwarnings('ignore') ENV_DIR = 'rickslab-gpu-utils-env' class GutConst: """ Base object for chk util. These are simplified versions of what are in env module designed to run in python2 in order to detect setup issues even if wrong version of python. """ _verified_distros = ['Debian', 'Ubuntu', 'Gentoo', 'Arch'] _dpkg_tool = {'Debian': 'dpkg', 'Ubuntu': 'dpkg', 'Arch': 'pacman', 'Gentoo': 'portage'} def __init__(self): self.DEBUG = False def check_env(self) -> list: """ Checks python version, kernel version, distro, and amd gpu driver version. :return: A list of 4 integers representing status of 3 check items. """ ret_val = [0, 0, 0, 0] # Check python version required_pversion = [3, 6] (python_major, python_minor, python_patch) = platform.python_version_tuple() print('Using python ' + python_major + '.' + python_minor + '.' + python_patch) if int(python_major) < required_pversion[0]: print(' ' + '\x1b[1;37;41m' + ' but rickslab-gpu-utils requires python ' + str(required_pversion[0]) + '.' + str(required_pversion[1]) + ' or newer.' + '\x1b[0m') ret_val[0] = -1 elif int(python_major) == required_pversion[0] and int(python_minor) < required_pversion[1]: print(' ' + '\x1b[1;37;41m' + ' but amdgpu-utils requires python ' + str(required_pversion[0]) + '.' + str(required_pversion[1]) + ' or newer.' + '\x1b[0m') ret_val[0] = -1 else: print(' ' + '\x1b[1;37;42m' + ' Python version OK. ' + '\x1b[0m') ret_val[0] = 0 # Check Linux Kernel version required_kversion = [4, 8] linux_version = platform.release() print('Using Linux Kernel ' + str(linux_version)) if int(linux_version.split('.')[0]) < required_kversion[0]: print(' ' + '\x1b[1;37;41m' + ' but amdgpu-util requires ' + str(required_kversion[0]) + '.' + str(required_kversion[1]) + ' or newer.' + '\x1b[0m') ret_val[1] = -2 elif int(linux_version.split('.')[0]) == required_kversion[0] and \ int(linux_version.split('.')[1]) < required_kversion[1]: print(' ' + '\x1b[1;37;41m' + ' but amdgpu-util requires ' + str(required_kversion[0]) + '.' + str(required_kversion[1]) + ' or newer.' + '\x1b[0m') ret_val[1] = -2 else: print(' ' + '\x1b[1;37;42m' + ' OS kernel OK. ' + '\x1b[0m') ret_val[1] = 0 # Check Linux Distribution cmd_lsb_release = shutil.which('lsb_release') print('Using Linux distribution: ', end='') if cmd_lsb_release: distributor = description = None lsbr_out = subprocess.check_output(shlex.split('{} -a'.format(cmd_lsb_release)), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') for lsbr_line in lsbr_out: if re.search('Distributor ID', lsbr_line): lsbr_item = re.sub(r'Distributor ID:[\s]*', '', lsbr_line) distributor = lsbr_item.strip() if re.search('Description', lsbr_line): lsbr_item = re.sub(r'Description:[\s]*', '', lsbr_line) if self.DEBUG: print('Distro Description: {}'.format(lsbr_item)) description = lsbr_item.strip() if distributor: print(description) if distributor in GutConst._verified_distros: print(' ' + '\x1b[1;37;42m' + ' Distro has been Validated. ' + '\x1b[0m') ret_val[2] = 0 else: print(' ' + '\x1b[1;30;43m' + ' Distro has not been verified. ' + '\x1b[0m') ret_val[2] = 0 else: print('unknown') print(' ' + '\x1b[1;30;43m' + '[lsb_release] executable not found.' + '\x1b[0m') ret_val[2] = 0 # Check for amdgpu driver ret_val[3] = 0 if self.read_amd_driver_version() else 0 # Ignore False return ret_val def read_amd_driver_version(self) -> bool: """ Read the AMD driver version and store in GutConst object. :return: True if successful """ cmd_dpkg = shutil.which('dpkg') if not cmd_dpkg: print('Command dpkg not found. Can not determine amdgpu version.') print(' ' + '\x1b[1;30;43m' + ' gpu-utils can still be used. ' + '\x1b[0m') return True for pkgname in ['amdgpu', 'amdgpu-core', 'amdgpu-pro', 'rocm-utils']: try: dpkg_out = subprocess.check_output(shlex.split(cmd_dpkg + ' -l ' + pkgname), shell=False, stderr=subprocess.DEVNULL).decode().split('\n') except (subprocess.CalledProcessError, OSError): continue for dpkg_line in dpkg_out: for driverpkg in ['amdgpu', 'rocm']: if re.search(driverpkg, dpkg_line): if self.DEBUG: print('Debug: ' + dpkg_line) dpkg_items = dpkg_line.split() if len(dpkg_items) > 2: if re.fullmatch(r'.*none.*', dpkg_items[2]): continue print('AMD: ' + driverpkg + ' version: ' + dpkg_items[2]) print(' ' + '\x1b[1;37;42m' + ' AMD driver OK. ' + '\x1b[0m') return True print('amdgpu/rocm version: UNKNOWN') print(' ' + '\x1b[1;30;43m' + ' gpu-utils can still be used. ' + '\x1b[0m') return False GUT_CONST = GutConst() def is_venv_installed() -> bool: """ Check if a venv is being used. :return: True if using venv """ cmdstr = 'python3 -m venv -h > /dev/null' try: p = subprocess.Popen(shlex.split(cmdstr), shell=False, stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE) except (subprocess.CalledProcessError, OSError): pass else: output, _error = p.communicate() if not re.fullmatch(r'.*No module named.*', output.decode()): print('python3 venv is installed') print(' ' + '\x1b[1;37;42m' + ' python3-venv OK. ' + '\x1b[0m') return True print('python3 venv is NOT installed') print(' ' + '\x1b[1;30;43m' + ' Python3 venv package \'python3-venv\' package is recommended. ' + 'for developers' + '\x1b[0m') return False def does_amdgpu_utils_env_exist() -> bool: """ Check if venv exists. :return: Return True if venv exists. """ env_name = './' + ENV_DIR + '/bin/activate' if os.path.isfile(env_name): print(ENV_DIR + ' available') print(' ' + '\x1b[1;37;42m ' + ENV_DIR + ' OK. ' + '\x1b[0m') return True print(ENV_DIR + ' is NOT available') print(' ' + '\x1b[1;30;43m ' + ENV_DIR + ' can be configured per User Guide. ' + '\x1b[0m') return False def is_in_venv() -> bool: """ Check if execution is from within a venv. :return: True if in venv """ python_path = shutil.which('python3') if not python_path: print('Maybe python version compatibility issue.') else: if re.search(ENV_DIR, python_path): print('In ' + ENV_DIR) print(' ' + '\x1b[1;37;42m ' + ENV_DIR + ' is activated. ' + '\x1b[0m') return True print('Not in ' + ENV_DIR + ' (Only needed if you want to duplicate dev env)') print(' ' + '\x1b[1;30;43m' + ENV_DIR + ' can be activated per User Guide. ' + '\x1b[0m') return False def main() -> None: """ Main flow for chk utility. """ parser = argparse.ArgumentParser() parser.add_argument('--about', help='README', action='store_true', default=False) args = parser.parse_args() # About me if args.about: print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if GUT_CONST.check_env() != [0, 0, 0, 0]: print('Error in environment. Exiting...') sys.exit(-1) if not is_venv_installed() or not does_amdgpu_utils_env_exist(): print('Virtual Environment not configured. Only required by developers.') if not is_in_venv(): pass print('') if __name__ == '__main__': main() gpu-utils-3.6.0/gpu-ls000077500000000000000000000142761402750156600146260ustar00rootroot00000000000000#!/usr/bin/python3 """ gpu-ls - Displays details about installed and compatible GPUs Part of the rickslab-gpu-utils package which includes gpu-ls, gpu-mon, gpu-pac, and gpu-plot. This utility displays most relevant parameters for installed and compatible GPUs. The default behavior is to list relevant parameters by GPU. OpenCL platform information is added when the *--clinfo* option is used. A brief listing of key parameters is available with the *--short* command line option. A simplified table of current GPU state is displayed with the *--table* option. The *--no_fan* can be used to ignore fan settings. The *--pstate* option can be used to output the p-state table for each GPU instead of the list of basic parameters. The *--ppm* option is used to output the table of available power/performance modes instead of basic parameters. Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation', 'Keith Myers - Testing, Debug, Verification of NV Capability'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-ls' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import argparse import sys import logging from GPUmodules import __version__, __status__ from GPUmodules import GPUmodule as Gpu from GPUmodules import env LOGGER = logging.getLogger('gpu-utils') def main() -> None: """ Main flow for gpu-ls. """ parser = argparse.ArgumentParser() parser.add_argument('--about', help='README', action='store_true', default=False) parser.add_argument('--short', help='Short listing of basic GPU details', action='store_true', default=False) parser.add_argument('--table', help='Current status of readable GPUs', action='store_true', default=False) parser.add_argument('--pstates', help='Output pstate tables instead of GPU details', action='store_true', default=False) parser.add_argument('--ppm', help='Output power/performance mode tables instead of GPU details', action='store_true', default=False) parser.add_argument('--clinfo', help='Include openCL with card details', action='store_true', default=False) parser.add_argument('--no_fan', help='Do not include fan setting options', action='store_true', default=False) parser.add_argument('-d', '--debug', help='Debug logger output', action='store_true', default=False) args = parser.parse_args() # About me if args.about: print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Install Type: ', env.GUT_CONST.install_type) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if args.short: args.no_fan = True env.GUT_CONST.set_args(args) LOGGER.debug('########## %s %s', __program_name__, __version__) if env.GUT_CONST.check_env() < 0: print('Error in environment. Exiting...') sys.exit(-1) if (args.pstates or args.ppm) and args.table: print('The --table option can not be used with --pstate or --ppm, ignoring --table') # Get list of GPUs and get basic non-driver details gpu_list = Gpu.GpuList() gpu_list.set_gpu_list(clinfo_flag=True) # Check list of GPUs num_gpus = gpu_list.num_vendor_gpus() print('Detected GPUs: ', end='') for i, (type_name, type_value) in enumerate(num_gpus.items()): if i: print(', {}: {}'.format(type_name, type_value), end='') else: print('{}: {}'.format(type_name, type_value), end='') print('') if 'AMD' in num_gpus.keys(): env.GUT_CONST.read_amd_driver_version() print('AMD: {}'.format(gpu_list.wattman_status())) if 'NV' in num_gpus.keys(): print('nvidia smi: [{}]'.format(env.GUT_CONST.cmd_nvidia_smi)) num_gpus = gpu_list.num_gpus() if num_gpus['total'] == 0: print('No GPUs detected, exiting...') sys.exit(-1) # Read data static/dynamic/info/state driver information for GPUs gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.All) # Check number of readable/writable GPUs again num_gpus = gpu_list.num_gpus() print('{} total GPUs, {} rw, {} r-only, {} w-only\n'.format(num_gpus['total'], num_gpus['rw'], num_gpus['r-only'], num_gpus['w-only'])) # Read report specific details if args.clinfo: if not gpu_list.read_gpu_opencl_data(): args.clinfo = False # Print out user requested details gpu_list.read_gpu_pstates() if args.pstates: gpu_list.print_pstates() if args.ppm: gpu_list.read_gpu_ppm_table() gpu_list.print_ppm_table() if not args.pstates and not args.ppm: if args.table: com_gpu_list = gpu_list.list_gpus(compatibility=Gpu.GpuItem.GPU_Comp.Readable) com_gpu_list.print_table(title='Status of Readable GPUs:') else: gpu_list.print(short=args.short, clflag=args.clinfo) sys.exit(0) if __name__ == '__main__': main() gpu-utils-3.6.0/gpu-mon000077500000000000000000000411741402750156600147760ustar00rootroot00000000000000#!/usr/bin/python3 """ gpu-mon - Displays current status of all active GPUs Part of the rickslab-gpu-utils package which includes gpu-ls, gpu-mon, gpu-pac, and gpu-plot. A utility to give the current state of all compatible GPUs. The default behavior is to continuously update a text based table in the current window until Ctrl-C is pressed. With the *--gui* option, a table of relevant parameters will be updated in a Gtk window. You can specify the delay between updates with the *--sleep N* option where N is an integer > zero that specifies the number of seconds to sleep between updates. The *--no_fan* option can be used to disable the reading and display of fan information. The *--log* option is used to write all monitor data to a psv log file. When writing to a log file, the utility will indicate this in red at the top of the window with a message that includes the log file name. The *--plot* will display a plot of critical GPU parameters which updates at the specified *--sleep N* interval. If you need both the plot and monitor displays, then using the --plot option is preferred over running both tools as a single read of the GPUs is used to update both displays. The *--ltz* option results in the use of local time instead of UTC. Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation', 'Keith Myers - Testing, Debug, Verification of NV Capability'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-mon' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import argparse import subprocess import threading import os import logging import sys import shlex import shutil from time import sleep import signal from typing import Callable from numpy import isnan try: import gi gi.require_version('Gtk', '3.0') from gi.repository import GLib, Gtk except ModuleNotFoundError as error: print('gi import error: {}'.format(error)) print('gi is required for {}'.format(__program_name__)) print(' In a venv, first install vext: pip install --no-cache-dir vext') print(' Then install vext.gi: pip install --no-cache-dir vext.gi') sys.exit(0) from GPUmodules import __version__, __status__ from GPUmodules import GPUgui from GPUmodules import GPUmodule as Gpu from GPUmodules import env set_gtk_prop = GPUgui.GuiProps.set_gtk_prop LOGGER = logging.getLogger('gpu-utils') def ctrl_c_handler(target_signal: signal.Signals, _frame) -> None: """ Signal catcher for ctrl-c to exit monitor loop. :param target_signal: Target signal name :param _frame: Ignored """ LOGGER.debug('ctrl_c_handler (ID: %s) has been caught. Setting quit flag...', target_signal) print('Setting quit flag...') MonitorWindow.quit = True signal.signal(signal.SIGINT, ctrl_c_handler) # SEMAPHORE ############ UD_SEM = threading.Semaphore() ######################## class MonitorWindow(Gtk.Window): """ Custom PAC Gtk window. """ quit: bool = False item_width: int = env.GUT_CONST.mon_field_width label_width: int = 12 def __init__(self, gpu_list, devices): init_chk_value = Gtk.init_check(sys.argv) LOGGER.debug('init_check: %s', init_chk_value) if not init_chk_value[0]: print('Gtk Error, Exiting') sys.exit(-1) Gtk.Window.__init__(self, title=env.GUT_CONST.gui_window_title) self.set_border_width(0) GPUgui.GuiProps.set_style() if env.GUT_CONST.icon_path: icon_file = os.path.join(env.GUT_CONST.icon_path, 'gpu-mon.icon.png') LOGGER.debug('Icon file: [%s]', icon_file) if os.path.isfile(icon_file): self.set_icon_from_file(icon_file) grid = Gtk.Grid() self.add(grid) col = 0 row = 0 num_amd_gpus = gpu_list.num_gpus()['total'] if env.GUT_CONST.DEBUG: debug_label = Gtk.Label(name='warn_label') debug_label.set_markup(' DEBUG Logger Active ') lbox = Gtk.Box(spacing=6, name='warn_box') set_gtk_prop(debug_label, top=1, bottom=1, right=1, left=1) lbox.pack_start(debug_label, True, True, 0) grid.attach(lbox, 0, row, num_amd_gpus+1, 1) row += 1 if env.GUT_CONST.LOG: log_label = Gtk.Label(name='warn_label') log_label.set_markup(' Logging to: {}'.format(env.GUT_CONST.log_file)) lbox = Gtk.Box(spacing=6, name='warn_box') set_gtk_prop(log_label, top=1, bottom=1, right=1, left=1) lbox.pack_start(log_label, True, True, 0) grid.attach(lbox, 0, row, num_amd_gpus+1, 1) row += 1 row_start = row row = row_start row_labels = {'card_num': Gtk.Label(name='white_label')} row_labels['card_num'].set_markup('Card #') for param_name, param_label in gpu_list.table_param_labels().items(): row_labels[param_name] = Gtk.Label(name='white_label') row_labels[param_name].set_markup('{}'.format(param_label)) for row_label_item in row_labels.values(): lbox = Gtk.Box(spacing=6, name='head_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) set_gtk_prop(row_label_item, top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox.pack_start(row_label_item, True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 for gpu in gpu_list.gpus(): devices[gpu.prm.uuid] = {'card_num': Gtk.Label(name='white_label')} devices[gpu.prm.uuid]['card_num'].set_markup('CARD{}'.format(gpu.get_params_value('card_num'))) devices[gpu.prm.uuid]['card_num'].set_use_markup(True) for param_name in gpu_list.table_param_labels(): devices[gpu.prm.uuid][param_name] = Gtk.Label(label=gpu.get_params_value(str(param_name)), name='white_label') devices[gpu.prm.uuid][param_name].set_width_chars(self.item_width) set_gtk_prop(devices[gpu.prm.uuid][param_name], width_chars=self.item_width) for gui_component in devices.values(): col += 1 row = row_start for comp_name, comp_item in gui_component.items(): comp_item.set_text('') if comp_name == 'card_num': lbox = Gtk.Box(spacing=6, name='head_box') else: lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) set_gtk_prop(comp_item, top=1, bottom=1, right=3, left=3, width_chars=self.item_width) lbox.pack_start(comp_item, True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 def set_quit(self, _arg2, _arg3) -> None: """ Set quit flag when Gtk quit is selected. """ self.quit = True def update_data(gpu_list: Gpu.GpuList, devices: dict, cmd: subprocess.Popen) -> None: """ Update monitor data with data read from GPUs. :param gpu_list: A gpuList object with all gpuItems :param devices: A dictionary linking Gui items with data. :param cmd: Subprocess return from running plot. """ # SEMAPHORE ############ if not UD_SEM.acquire(blocking=False): LOGGER.debug('Update while updating, skipping new update') return ######################## gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.Monitor) if env.GUT_CONST.LOG: gpu_list.print_log(env.GUT_CONST.log_file_ptr) if env.GUT_CONST.PLOT: try: gpu_list.print_plot(cmd.stdin) except (OSError, KeyboardInterrupt) as except_err: LOGGER.debug('gpu-plot has closed: [%s]', except_err) print('gpu-plot has closed') env.GUT_CONST.PLOT = False # update gui for uuid, gui_component in devices.items(): for comp_name, comp_item in gui_component.items(): if comp_name == 'card_num': comp_item.set_markup('Card{}'.format(gpu_list[uuid].get_params_value('card_num'))) else: data_value_raw = gpu_list[uuid].get_params_value(comp_name) LOGGER.debug('raw data value: %s', data_value_raw) if isinstance(data_value_raw, float): if not isnan(data_value_raw): data_value_raw = round(data_value_raw, 3) data_value = str(data_value_raw)[:MonitorWindow.item_width] comp_item.set_text(data_value) set_gtk_prop(comp_item, width_chars=MonitorWindow.item_width) while Gtk.events_pending(): Gtk.main_iteration_do(True) # SEMAPHORE ############ UD_SEM.release() ######################## def refresh(refreshtime: int, update_data_func: Callable, gpu_list: Gpu.GpuList, devices: dict, cmd: subprocess.Popen, gmonitor: Gtk.Window) -> None: """ Method called for monitor refresh. :param refreshtime: Amount of seconds to sleep after refresh. :param update_data_func: Function that does actual data update. :param gpu_list: A gpuList object with all gpuItems :param devices: A dictionary linking Gui items with data. :param cmd: Subprocess return from running plot. :param gmonitor: """ while True: if gmonitor.quit: print('Quitting...') Gtk.main_quit() sys.exit(0) GLib.idle_add(update_data_func, gpu_list, devices, cmd) tst = 0.0 sleep_interval = 0.2 while tst < refreshtime: sleep(sleep_interval) tst += sleep_interval def main() -> None: """ Flow for gpu-mon. """ parser = argparse.ArgumentParser() parser.add_argument('--about', help='README', action='store_true', default=False) parser.add_argument('--gui', help='Display GTK Version of Monitor', action='store_true', default=False) parser.add_argument('--log', help='Write all monitor data to logfile', action='store_true', default=False) parser.add_argument('--plot', help='Open and write to gpu-plot', action='store_true', default=False) parser.add_argument('--ltz', help='Use local time zone instead of UTC', action='store_true', default=False) parser.add_argument('--sleep', help='Number of seconds to sleep between updates', type=int, default=2) parser.add_argument('--no_fan', help='do not include fan setting options', action='store_true', default=False) parser.add_argument('-d', '--debug', help='Debug output', action='store_true', default=False) parser.add_argument('--pdebug', help='Plot debug output', action='store_true', default=False) args = parser.parse_args() # About me if args.about: print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Install Type: ', env.GUT_CONST.install_type) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) if int(args.sleep) <= 1: print('Invalid value for sleep specified. Must be an integer great than zero') sys.exit(-1) env.GUT_CONST.set_args(args) LOGGER.debug('########## %s %s', __program_name__, __version__) if env.GUT_CONST.check_env() < 0: print('Error in environment. Exiting...') sys.exit(-1) # Get list of AMD GPUs and get basic non-driver details gpu_list = Gpu.GpuList() gpu_list.set_gpu_list() # Check list of GPUs num_gpus = gpu_list.num_vendor_gpus() print('Detected GPUs: ', end='') for i, (type_name, type_value) in enumerate(num_gpus.items()): if i: print(', {}: {}'.format(type_name, type_value), end='') else: print('{}: {}'.format(type_name, type_value), end='') print('') if 'AMD' in num_gpus.keys(): env.GUT_CONST.read_amd_driver_version() print('AMD: {}'.format(gpu_list.wattman_status())) if 'NV' in num_gpus.keys(): print('nvidia smi: [{}]'.format(env.GUT_CONST.cmd_nvidia_smi)) num_gpus = gpu_list.num_gpus() if num_gpus['total'] == 0: print('No GPUs detected, exiting...') sys.exit(-1) # Read data static/dynamic/info/state driver information for GPUs gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.All) # Check number of readable/writable GPUs again num_gpus = gpu_list.num_gpus() print('{} total GPUs, {} rw, {} r-only, {} w-only\n'.format(num_gpus['total'], num_gpus['rw'], num_gpus['r-only'], num_gpus['w-only'])) sleep(1) # Generate a new list of only compatible GPUs if num_gpus['r-only'] + num_gpus['rw'] < 1: print('No readable GPUs, exiting...') sys.exit(0) com_gpu_list = gpu_list.list_gpus(compatibility=Gpu.GpuItem.GPU_Comp.Readable) # Check readable and compatible num_gpus = com_gpu_list.num_gpus() if num_gpus['total'] == 0: print('No readable and compatible GPUs detected, exiting...') sys.exit(-1) if args.log: env.GUT_CONST.LOG = True env.GUT_CONST.log_file = './log_monitor_{}.txt'.format( env.GUT_CONST.now(ltz=env.GUT_CONST.USELTZ).strftime('%m%d_%H%M%S')) env.GUT_CONST.log_file_ptr = open(env.GUT_CONST.log_file, 'w', 1) gpu_list.print_log_header(env.GUT_CONST.log_file_ptr) if args.plot: args.gui = True if args.gui: # Display Gtk style Monitor devices = {} gmonitor = MonitorWindow(com_gpu_list, devices) gmonitor.connect('delete-event', gmonitor.set_quit) gmonitor.show_all() cmd = None if args.plot: env.GUT_CONST.PLOT = True plot_util = shutil.which('gpu-plot') if not plot_util: plot_util = os.path.join(env.GUT_CONST.repository_path, 'gpu-plot') if env.GUT_CONST.install_type == 'repository': plot_util = './gpu-plot' if os.path.isfile(plot_util): if env.GUT_CONST.PDEBUG: cmd_str = '{} --debug --stdin --sleep {}'.format(plot_util, env.GUT_CONST.SLEEP) else: cmd_str = '{} --stdin --sleep {}'.format(plot_util, env.GUT_CONST.SLEEP) cmd = subprocess.Popen(shlex.split(cmd_str), bufsize=-1, shell=False, stdin=subprocess.PIPE) com_gpu_list.print_plot_header(cmd.stdin) else: print('Fatal Error: gpu-plot not found.') # Start thread to update Monitor threading.Thread(target=refresh, daemon=True, args=[env.GUT_CONST.SLEEP, update_data, com_gpu_list, devices, cmd, gmonitor]).start() Gtk.main() else: # Display text style Monitor try: while True: com_gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.Monitor) os.system('clear') if env.GUT_CONST.DEBUG: print('{}DEBUG logger is active{}'.format('\033[31m \033[01m', '\033[0m')) if env.GUT_CONST.LOG: print('{}Logging to: {}{}'.format('\033[31m \033[01m', env.GUT_CONST.log_file, '\033[0m')) com_gpu_list.print_log(env.GUT_CONST.log_file_ptr) com_gpu_list.print_table() sleep(env.GUT_CONST.SLEEP) if MonitorWindow.quit: sys.exit(-1) except KeyboardInterrupt: if env.GUT_CONST.LOG: env.GUT_CONST.log_file_ptr.close() sys.exit(0) if __name__ == '__main__': main() gpu-utils-3.6.0/gpu-pac000077500000000000000000002337041402750156600147520ustar00rootroot00000000000000#!/usr/bin/python3 """ gpu-pac - A utility program and control compatible GPUs Part of the rickslab-gpu-utils package which includes gpu-ls, gpu-mon, gpu-pac, and gpu-plot. Program and Control compatible GPUs with this utility. By default, the commands to be written to a GPU are written to a bash file for the user to inspect and run. If you have confidence, the *--execute_pac* option can be used to execute and then delete the saved bash file. Since the GPU device files are writable only by root, sudo is used to execute commands in the bash file, as a result, you will be prompted for credentials in the terminal where you executed *gpu-pac*. The *--no_fan* option can be used to eliminate fan details from the utility. The *--force_write* option can be used to force all configuration parameters to be written to the GPU. The default behavior is to only write changes. Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-pac' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import argparse import re import subprocess import os import logging import sys from time import sleep from uuid import uuid4 try: import gi gi.require_version('Gtk', '3.0') from gi.repository import Gtk except ModuleNotFoundError as error: print('gi import error: {}'.format(error)) print('gi is required for {}'.format(__program_name__)) print(' In a venv, first install vext: pip install --no-cache-dir vext') print(' Then install vext.gi: pip install --no-cache-dir vext.gi') sys.exit(0) from GPUmodules import __version__, __status__ from GPUmodules import GPUgui from GPUmodules import GPUmodule as Gpu from GPUmodules import env MAX_CHAR = 54 CHAR_WIDTH = 8 set_gtk_prop = GPUgui.GuiProps.set_gtk_prop LOGGER = logging.getLogger('gpu-utils') PATTERNS = env.GutConst.PATTERNS class PACWindow(Gtk.Window): """ PAC Window class. """ def __init__(self, gpu_list, devices): init_chk_value = Gtk.init_check(sys.argv) LOGGER.debug('init_check: %s', init_chk_value) if not init_chk_value[0]: print('Gtk Error, Exiting') sys.exit(-1) Gtk.Window.__init__(self, title=env.GUT_CONST.gui_window_title) grid = Gtk.Grid() scrolled_window = Gtk.ScrolledWindow(hexpand=True, vexpand=True) scrolled_window.set_border_width(0) scrolled_window.set_policy(Gtk.PolicyType.AUTOMATIC, Gtk.PolicyType.AUTOMATIC) scrolled_window.add(grid) self.add(scrolled_window) GPUgui.GuiProps.set_style() if env.GUT_CONST.icon_path: icon_file = os.path.join(env.GUT_CONST.icon_path, 'gpu-pac.icon.png') if os.path.isfile(icon_file): self.set_icon_from_file(icon_file) num_com_gpus = gpu_list.num_gpus()['total'] max_rows = 0 row = col = 0 for gpu in gpu_list.gpus(): row = 0 # Card Number in top center of box devices[gpu.prm.uuid] = {'card_num': Gtk.Label(name='white_label')} devices[gpu.prm.uuid]['card_num'].set_markup('Card {}: {}'.format( gpu.get_params_value(str('card_num')), gpu.get_params_value('model_display')[:40])) set_gtk_prop(devices[gpu.prm.uuid]['card_num'], align=(0.5, 0.5), top=1, bottom=1, right=4, left=4) lbox = Gtk.Box(spacing=6, name='head_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['card_num'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Card Path devices[gpu.prm.uuid]['card_path'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['card_path'].set_markup('Device: {}'.format(gpu.get_params_value('card_path'))) set_gtk_prop(devices[gpu.prm.uuid]['card_path'], align=(0.0, 0.5), top=1, bottom=1, right=4, left=4, width=MAX_CHAR*CHAR_WIDTH) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['card_path'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Card Power Cap power_cap_range = gpu.get_params_value('power_cap_range') devices[gpu.prm.uuid]['power_cap'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['power_cap'].set_markup('Power Cap: Range ({} - {} W)'.format( power_cap_range[0], power_cap_range[1])) set_gtk_prop(devices[gpu.prm.uuid]['power_cap'], align=(0.0, 0.5), top=1, bottom=1, right=4, left=4) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['power_cap'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Card Power Cap Value and Entry devices[gpu.prm.uuid]['power_cap_cur'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['power_cap_cur'], top=1, bottom=1, right=2, left=2) devices[gpu.prm.uuid]['power_cap_ent'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['power_cap_ent'], top=1, bottom=1, right=0, left=2, xalign=1, width_chars=5, max_length=5) devices[gpu.prm.uuid]['power_cap_ent_unit'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['power_cap_ent_unit'].set_text('W (value or \'reset\')') set_gtk_prop(devices[gpu.prm.uuid]['power_cap_ent_unit'], top=1, bottom=1, right=0, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=2, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['power_cap_cur'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['power_cap_ent'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['power_cap_ent_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if env.GUT_CONST.show_fans: # Fan PWM Value fan_pwm_range = gpu.get_params_value('fan_pwm_range') devices[gpu.prm.uuid]['fan_pwm_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['fan_pwm_range'].set_markup('Fan PWM: Range ({} - {} %)'.format( fan_pwm_range[0], fan_pwm_range[1])) set_gtk_prop(devices[gpu.prm.uuid]['fan_pwm_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['fan_pwm_range'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Card Fan PWM Value and Entry devices[gpu.prm.uuid]['fan_pwm_cur'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['fan_pwm_cur'], top=1, bottom=1, right=2, left=2) devices[gpu.prm.uuid]['fan_pwm_ent'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['fan_pwm_ent'], top=1, bottom=1, right=0, left=2, width_chars=5, max_length=5, xalign=1) devices[gpu.prm.uuid]['fan_pwm_ent_unit'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['fan_pwm_ent_unit'].set_text('% (value, \'reset\', or \'max\')') set_gtk_prop(devices[gpu.prm.uuid]['fan_pwm_ent_unit'], top=1, bottom=1, right=0, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=2, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['fan_pwm_cur'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['fan_pwm_ent'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['fan_pwm_ent_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.PStatesNE, gpu.GPU_Type.PStates]: # Sclk P-States devices[gpu.prm.uuid]['sclk_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['sclk_range'].set_markup('Sclk P-States: Ranges {}-{}, {}-{} '.format( gpu.get_params_value('sclk_f_range')[0], gpu.get_params_value('sclk_f_range')[1], gpu.get_params_value('vddc_range')[0], gpu.get_params_value('vddc_range')[1])) set_gtk_prop(devices[gpu.prm.uuid]['sclk_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['sclk_range'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Sclk P-State Values and Entry devices[gpu.prm.uuid]['sclk_pstate'] = {} for ps in gpu.sclk_state.keys(): devices[gpu.prm.uuid]['sclk_pstate'][ps] = {} devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'], width_chars=20, top=1, bottom=1, right=2, left=2, align=(0.0, 0.5)) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 elif gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: # Sclk Curve End Points devices[gpu.prm.uuid]['sclk_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['sclk_range'].set_markup('Sclk Curve End Points: Ranges {}-{} '.format( gpu.get_params_value('sclk_f_range')[0], gpu.get_params_value('sclk_f_range')[1])) set_gtk_prop(devices[gpu.prm.uuid]['sclk_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['sclk_range'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Sclk Curve End Points Values and Entry devices[gpu.prm.uuid]['sclk_pstate'] = {} for ps, psd in gpu.sclk_state.items(): devices[gpu.prm.uuid]['sclk_pstate'][ps] = {} devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'], width_chars=20, top=1, bottom=1, right=2, left=2, align=(0.0, 0.5)) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.CurvePts, gpu.GPU_Type.PStates]: # SCLK P-State Mask devices[gpu.prm.uuid]['sclk_pst_mask_cur'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['sclk_pst_mask_cur'], top=1, bottom=1, right=2, left=2) devices[gpu.prm.uuid]['sclk_pst_mask_ent'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['sclk_pst_mask_ent'], width_chars=17, max_length=17, xalign=0, top=1, bottom=1, right=0, left=1) lbox = Gtk.Box(spacing=2, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pst_mask_cur'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['sclk_pst_mask_ent'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if gpu.get_params_value('gpu_type') == gpu.GPU_Type.PStates: # Mclk P-States devices[gpu.prm.uuid]['mclk_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['mclk_range'].set_markup('Mclk P-States: Ranges {}-{}, {}-{} '.format( gpu.get_params_value('mclk_f_range')[0], gpu.get_params_value('mclk_f_range')[1], gpu.get_params_value('vddc_range')[0], gpu.get_params_value('vddc_range')[1])) set_gtk_prop(devices[gpu.prm.uuid]['mclk_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['mclk_range'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Mclk P-State Values and Entry devices[gpu.prm.uuid]['mclk_pstate'] = {} for ps, psd in gpu.mclk_state.items(): devices[gpu.prm.uuid]['mclk_pstate'][ps] = {} devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'], width_chars=20, top=1, bottom=1, right=2, left=2, align=(0.0, 0.5)) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 elif gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: # Mclk Curve End points devices[gpu.prm.uuid]['mclk_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['mclk_range'].set_markup('Mclk Curve End Points: Ranges {}-{} '.format( gpu.get_params_value('mclk_f_range')[0], gpu.get_params_value('mclk_f_range')[1])) set_gtk_prop(devices[gpu.prm.uuid]['mclk_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['mclk_range'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Mclk Curve End Points Values and Entry devices[gpu.prm.uuid]['mclk_pstate'] = {} for ps, psd in gpu.mclk_state.items(): devices[gpu.prm.uuid]['mclk_pstate'][ps] = {} devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'], width_chars=20, top=1, bottom=1, right=2, left=2, align=(0.0, 0.5)) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.CurvePts, gpu.GPU_Type.PStates]: # MCLK P-State Mask devices[gpu.prm.uuid]['mclk_pst_mask_cur'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['mclk_pst_mask_cur'], top=1, bottom=1, right=2, left=2) devices[gpu.prm.uuid]['mclk_pst_mask_ent'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['mclk_pst_mask_ent'], width_chars=17, max_length=17, xalign=0, top=1, bottom=1, right=0, left=1) lbox = Gtk.Box(spacing=2, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pst_mask_cur'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['mclk_pst_mask_ent'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 if gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: # VDDC Curve Points devices[gpu.prm.uuid]['vddc_curve_range'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['vddc_curve_range'].set_markup( 'VDDC Curve Points: Ranges {}-{}, {}-{} '.format(gpu.vddc_curve_range[0]['SCLK'][0], gpu.vddc_curve_range[0]['SCLK'][1], gpu.vddc_curve_range[0]['VOLT'][0], gpu.vddc_curve_range[0]['VOLT'][1])) set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_range'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_range'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # VDDC CURVE Points Values and Entry devices[gpu.prm.uuid]['vddc_curve_pt'] = {} for ps, psd in gpu.vddc_curve.items(): devices[gpu.prm.uuid]['vddc_curve_pt'][ps] = {} devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_cur_obj'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_cur_obj'], width_chars=20, top=1, bottom=1, right=2, left=2, align=(0.0, 0.5)) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj'] = Gtk.Entry() set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj'], width_chars=5, max_length=5, xalign=1, top=1, bottom=1, right=0, left=0) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj_unit'] = Gtk.Label(name='white_label') set_gtk_prop(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj_unit'], top=1, bottom=1, right=4, left=0, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_cur_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj_unit'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj_unit'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Power Performance Mode Selection devices[gpu.prm.uuid]['ppm'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['ppm'].set_markup('Power Performance Modes:') set_gtk_prop(devices[gpu.prm.uuid]['ppm'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) lbox = Gtk.Box(spacing=6, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['ppm'], True, True, 0) grid.attach(lbox, col, row, 1, 1) row += 1 devices[gpu.prm.uuid]['ppm_modes'] = Gtk.ListStore(int, str) devices[gpu.prm.uuid]['ppm_mode_items'] = {} item_num = 0 for mode_num, mode in gpu.ppm_modes.items(): if mode_num == 'NUM': continue if mode[0] == 'CUSTOM': continue devices[gpu.prm.uuid]['ppm_modes'].append([int(mode_num), mode[0]]) devices[gpu.prm.uuid]['ppm_mode_items'][int(mode_num)] = item_num item_num += 1 lbox = Gtk.Box(spacing=6, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) devices[gpu.prm.uuid]['ppm_selection'] = Gtk.Label(name='white_label') devices[gpu.prm.uuid]['ppm_selection'].set_markup(' PPM Selection: ') set_gtk_prop(devices[gpu.prm.uuid]['ppm_selection'], top=1, bottom=1, right=4, left=4, align=(0.0, 0.5)) devices[gpu.prm.uuid]['ppm_modes_combo'] = Gtk.ComboBox.new_with_model_and_entry( devices[gpu.prm.uuid]['ppm_modes']) devices[gpu.prm.uuid]['ppm_modes_combo'].get_child().set_name('ppm_combo') devices[gpu.prm.uuid]['ppm_modes_combo'].connect('changed', ppm_select, devices[gpu.prm.uuid]) devices[gpu.prm.uuid]['ppm_modes_combo'].set_entry_text_column(1) lbox.pack_start(devices[gpu.prm.uuid]['ppm_selection'], False, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['ppm_modes_combo'], False, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Save/Reset Card Buttons devices[gpu.prm.uuid]['save_button'] = Gtk.Button(label='') for child in devices[gpu.prm.uuid]['save_button'].get_children(): child.set_label('Save') child.set_use_markup(True) devices[gpu.prm.uuid]['save_button'].connect('clicked', self.save_card, gpu_list, devices, gpu.prm.uuid) set_gtk_prop(devices[gpu.prm.uuid]['save_button'], width=90) devices[gpu.prm.uuid]['reset_button'] = Gtk.Button(label='') for child in devices[gpu.prm.uuid]['reset_button'].get_children(): child.set_label('Reset') child.set_use_markup(True) devices[gpu.prm.uuid]['reset_button'].connect('clicked', self.reset_card, gpu_list, devices, gpu.prm.uuid) set_gtk_prop(devices[gpu.prm.uuid]['reset_button'], width=90) lbox = Gtk.Box(spacing=6) lbox.set_name('button_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices[gpu.prm.uuid]['save_button'], True, False, 0) lbox.pack_start(devices[gpu.prm.uuid]['reset_button'], True, False, 0) grid.attach(lbox, col, row, 1, 1) row += 1 # Increment column before going to next Device if max_rows < row: max_rows = row col += 1 # End of for v in values # Setup the Save_ALL and Reset_ALL buttons if num_com_gpus > 1: # Save/Reset/Update ALL Card Buttons devices['all_buttons'] = {} devices['all_buttons']['save_all_button'] = Gtk.Button(label='') for child in devices['all_buttons']['save_all_button'].get_children(): child.set_label('Save All') child.set_use_markup(True) devices['all_buttons']['save_all_button'].connect('clicked', self.save_all_cards, gpu_list, devices) set_gtk_prop(devices['all_buttons']['save_all_button'], width=100) devices['all_buttons']['reset_all_button'] = Gtk.Button(label='') for child in devices['all_buttons']['reset_all_button'].get_children(): child.set_label('Reset All') child.set_use_markup(True) devices['all_buttons']['reset_all_button'].connect('clicked', self.reset_all_cards, gpu_list, devices) set_gtk_prop(devices['all_buttons']['reset_all_button'], width=100) devices['all_buttons']['refresh_all_button'] = Gtk.Button(label='') for child in devices['all_buttons']['refresh_all_button'].get_children(): child.set_label('Refresh All') child.set_use_markup(True) devices['all_buttons']['refresh_all_button'].connect('clicked', self.refresh_all_cards, gpu_list, devices, True) set_gtk_prop(devices['all_buttons']['refresh_all_button'], width=100) lbox = Gtk.Box(spacing=6) lbox.set_name('button_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(devices['all_buttons']['save_all_button'], True, False, 0) lbox.pack_start(devices['all_buttons']['reset_all_button'], True, False, 0) lbox.pack_start(devices['all_buttons']['refresh_all_button'], True, False, 0) grid.attach(lbox, 0, max_rows, col, 1) row += 1 max_rows += 1 # Initialize message box devices['message_label'] = Gtk.Label(name='message_label') devices['message_label'].set_line_wrap(True) set_gtk_prop(devices['message_label'], width_max=num_com_gpus * MAX_CHAR, align=(0.0, 0.5), width=num_com_gpus * MAX_CHAR * CHAR_WIDTH) devices['message_label'].set_line_wrap(True) devices['message_box'] = Gtk.Box(spacing=6) devices['message_box'].set_name('message_box') set_gtk_prop(devices['message_box'], top=1, bottom=1, right=1, left=1) devices['message_box'].pack_start(devices['message_label'], True, True, 1) grid.attach(devices['message_box'], 0, max_rows, col, 1) row += 1 self.update_message(devices, '', 'gray') self.refresh_pac(gpu_list, devices) self.show_all() grid_rectangle = grid.get_allocation() LOGGER.debug('Grid alloc: x: %s, y: %s, width: %s, height: %s', grid_rectangle.x, grid_rectangle.y, grid_rectangle.width, grid_rectangle.height) self.resize(grid_rectangle.width + 8, grid_rectangle.height + 8) @staticmethod def update_message(devices: dict, message: str, color: str = 'gray') -> None: """ Set PAC message using default message if no message specified. :param devices: Dictionary of GUI items and GPU data. :param message: :param color: Valid color strings: gray, yellow, white, red """ if message == '': if env.GUT_CONST.execute_pac: message = ('Using the --execute_pac option. Changes will be written to the GPU without ' 'confirmation.\nSudo will be used, so you may be prompted for credentials in ' 'the window where gpu-pac was executed from.') else: message = ('Using gpu-pac without --execute_pac option.\nYou must manually run bash ' 'file with sudo to execute changes.') if color == 'red': GPUgui.GuiProps.set_style(css_str="#message_label { color: %s; }" % GPUgui.GuiProps.color_name_to_hex('white_off')) GPUgui.GuiProps.set_style(css_str="#message_box { background-image: image(%s); }" % GPUgui.GuiProps.color_name_to_hex('red')) elif color == 'yellow': GPUgui.GuiProps.set_style(css_str="#message_label { color: %s; }" % GPUgui.GuiProps.color_name_to_hex('white_off')) GPUgui.GuiProps.set_style(css_str="#message_box { background-image: image(%s); }" % GPUgui.GuiProps.color_name_to_hex('yellow')) elif color == 'white': GPUgui.GuiProps.set_style(css_str="#message_label { color: %s; }" % GPUgui.GuiProps.color_name_to_hex('gray95')) GPUgui.GuiProps.set_style(css_str="#message_box { background-image: image(%s); }" % GPUgui.GuiProps.color_name_to_hex('gray20')) else: GPUgui.GuiProps.set_style(css_str="#message_label { color: %s; }" % GPUgui.GuiProps.color_name_to_hex('white_off')) GPUgui.GuiProps.set_style(css_str="#message_box { background-image: image(%s); }" % GPUgui.GuiProps.color_name_to_hex('gray50')) devices['message_label'].set_text(message) while Gtk.events_pending(): Gtk.main_iteration_do(True) def refresh_all_cards(self, _, gpu_list: Gpu.GpuList, devices: dict, reset_message: bool = False) -> None: """ Refresh all cards by calling card level refresh. :param _: parent not used :param gpu_list: :param devices: Dictionary of GUI items and GPU data. :param reset_message: """ self.refresh_pac(gpu_list, devices, reset_message) def refresh_pac(self, gpu_list: Gpu.GpuList, devices: dict, refresh_message: bool = False) -> None: """ Update device data from gpuList data. :param gpu_list: gpuList of all gpuItems :param devices: Dictionary of GUI items and GPU data. :param refresh_message: """ # Read sensor and state data from GPUs gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.All) # Read pstate and ppm table data gpu_list.read_gpu_pstates() gpu_list.read_gpu_ppm_table() for gpu in gpu_list.gpus(): devices[gpu.prm.uuid]['power_cap_cur'].set_text(' Current: {:3d}W Set: '.format( gpu.get_params_value('power_cap', num_as_int=True))) devices[gpu.prm.uuid]['power_cap_ent'].set_text(str(gpu.get_params_value('power_cap', num_as_int=True))) if env.GUT_CONST.show_fans: devices[gpu.prm.uuid]['fan_pwm_cur'].set_text(' Current: {:3d}% Set: '.format( gpu.get_params_value('fan_pwm', num_as_int=True))) devices[gpu.prm.uuid]['fan_pwm_ent'].set_text(str(gpu.get_params_value('fan_pwm', num_as_int=True))) LOGGER.debug('Refresh got current pwm speed: %s', devices[gpu.prm.uuid]['fan_pwm_ent'].get_text()) # SCLK if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.PStates]: for ps, psd in gpu.sclk_state.items(): devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'].set_text(' {}: {}, {}'.format(ps, *psd)) item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[0])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[0])) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'].set_text(item_value) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'].set_text(item_unit + ' ') item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[1])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[1])) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj'].set_text(str(item_value)) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_v_obj_unit'].set_text(item_unit) devices[gpu.prm.uuid]['sclk_pst_mask_cur'].set_text( ' SCLK Default: {} Set Mask: '.format(gpu.prm.sclk_mask)) devices[gpu.prm.uuid]['sclk_pst_mask_ent'].set_text(gpu.prm.sclk_mask) elif gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: for ps, psd in gpu.sclk_state.items(): devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_cur_obj'].set_text(' {}: {}'.format(ps, psd[0])) item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[0])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[0])) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj'].set_text(item_value) devices[gpu.prm.uuid]['sclk_pstate'][ps]['gtk_ent_f_obj_unit'].set_text(item_unit + ' ') devices[gpu.prm.uuid]['sclk_pst_mask_cur'].set_text( ' SCLK Default: {} Set Mask: '.format(gpu.prm.sclk_mask)) devices[gpu.prm.uuid]['sclk_pst_mask_ent'].set_text(gpu.prm.sclk_mask) # MCLK if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.PStates]: for ps, psd in gpu.mclk_state.items(): devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'].set_text(' {}: {}, {}'.format(ps, *psd)) item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[0])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[0])) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'].set_text(item_value) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'].set_text(item_unit + ' ') item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[1])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[1])) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj'].set_text(str(item_value)) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_v_obj_unit'].set_text(item_unit) devices[gpu.prm.uuid]['mclk_pst_mask_cur'].set_text( ' MCLK Default: {} Set Mask: '.format(gpu.prm.mclk_mask)) devices[gpu.prm.uuid]['mclk_pst_mask_ent'].set_text(gpu.prm.mclk_mask) elif gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: for ps, psd in gpu.mclk_state.items(): devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_cur_obj'].set_text(' {}: {}'.format(ps, psd[0])) item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[0])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[0])) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj'].set_text(item_value) devices[gpu.prm.uuid]['mclk_pstate'][ps]['gtk_ent_f_obj_unit'].set_text(item_unit + ' ') devices[gpu.prm.uuid]['mclk_pst_mask_cur'].set_text( ' MCLK Default: {} Set Mask: '.format(gpu.prm.mclk_mask)) devices[gpu.prm.uuid]['mclk_pst_mask_ent'].set_text(gpu.prm.mclk_mask) # VDDC CURVE if gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: for ps, psd in gpu.vddc_curve.items(): devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_cur_obj'].set_text(' {}: {}, {}'.format(ps, *psd)) item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[0])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[0])) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj'].set_text(item_value) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_f_obj_unit'].set_text(item_unit + ' ') item_value = re.sub(PATTERNS['END_IN_ALPHA'], '', str(psd[1])) item_unit = re.sub(PATTERNS['IS_FLOAT'], '', str(psd[1])) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj'].set_text(str(item_value)) devices[gpu.prm.uuid]['vddc_curve_pt'][ps]['gtk_ent_v_obj_unit'].set_text(item_unit) # refresh active mode item devices[gpu.prm.uuid]['ppm_modes_combo'].set_active( devices[gpu.prm.uuid]['ppm_mode_items'][gpu.get_current_ppm_mode()[0]]) if refresh_message: self.update_message(devices, 'Refresh complete.\n', 'gray') while Gtk.events_pending(): Gtk.main_iteration_do(True) def save_all_cards(self, parent, gpu_list: Gpu.GpuList, devices: dict) -> None: """ Save modified data for all GPUs. :param parent: parent :param gpu_list: :param devices: Dictionary of GUI items and GPU data. """ changed = 0 # Write start message if env.GUT_CONST.execute_pac: message = ('Using the --execute_pac option. Changes will be written to the GPU without ' 'confirmation.\nSudo will be used, so you may be prompted for credentials in ' 'the window where gpu-pac was executed from.') else: message = 'Writing PAC command bash file.\n' self.update_message(devices, message, 'red') # save each card for uuid in gpu_list.uuids(): changed += self.save_card(parent, gpu_list, devices, uuid, refresh=False) # Write finish message sleep(1.0) if env.GUT_CONST.execute_pac: if changed: message = ('Write {} PAC commands to card complete.\n' 'Confirm changes with gpu-mon.').format(changed) else: message = 'No PAC commands to write to card.\nNo changes specified.' else: if changed: message = ('Writing {} PAC commands to bash file complete.\n' 'Run bash file with sudo to execute changes.').format(changed) else: message = 'No PAC commands to write to bash file.\nNo changes specified.' self.update_message(devices, message, 'yellow') self.refresh_all_cards(parent, gpu_list, devices) def save_card(self, _, gpu_list: Gpu.GpuList, devices: dict, uuid: str, refresh: bool = True) -> None: """ Save modified data for specified GPU. :param _: parent not used :param gpu_list: :param devices: Dictionary of GUI items and GPU data. :param uuid: GPU device ID :param refresh: Flag to indicate if refresh should be done """ if refresh: # Write message if env.GUT_CONST.execute_pac: message = ('Using the --execute_pac option. Changes will be written to the GPU ' 'without confirmation.\nSudo will be used, so you may be prompted for ' 'credentials in the window where gpu-pac was executed from.') else: message = 'Writing PAC commands to bash file.\n' self.update_message(devices, message, 'red') # Specify output batch file name out_filename = os.path.join(os.getcwd(), 'pac_writer_{}.sh'.format(uuid4().hex)) fileptr = open(out_filename, 'x') # Output header print('#!/bin/sh', file=fileptr) print('###########################################################################', file=fileptr) print('## rickslab-gpu-pac generated script to modify GPU configuration/settings', file=fileptr) print('###########################################################################', file=fileptr) print('', file=fileptr) print('###########################################################################', file=fileptr) print('## WARNING - Do not execute this script without completely', file=fileptr) print('## understanding appropriate values to write to your specific GPUs', file=fileptr) print('###########################################################################', file=fileptr) print('#', file=fileptr) print('# Copyright (C) 2019 RueiKe', file=fileptr) print('#', file=fileptr) print('# This program is free software: you can redistribute it and/or modify', file=fileptr) print('# it under the terms of the GNU General Public License as published by', file=fileptr) print('# the Free Software Foundation, either version 3 of the License, or', file=fileptr) print('# (at your option) any later version.', file=fileptr) print('#', file=fileptr) print('# This program is distributed in the hope that it will be useful,', file=fileptr) print('# but WITHOUT ANY WARRANTY; without even the implied warranty of', file=fileptr) print('# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the', file=fileptr) print('# GNU General Public License for more details.', file=fileptr) print('#', file=fileptr) print('# You should have received a copy of the GNU General Public License', file=fileptr) print('# along with this program. If not, see .', file=fileptr) print('###########################################################################', file=fileptr) changed = 0 gpu = gpu_list[uuid] print('# ', file=fileptr) print('# Card{} {}'.format(gpu.prm.card_num, gpu.get_params_value('model')), file=fileptr) print('# {}'.format(gpu.prm.card_path), file=fileptr) if not env.GUT_CONST.write_delta_only: print('# Force Write mode.') else: print('# Write Delta mode.') print('# ', file=fileptr) print('set -x', file=fileptr) # Check/set power_dpm_force_performance_level # Mode of manual required to change ppm or clock masks curr_power_dpm_force = gpu.get_params_value('power_dpm_force').lower() if curr_power_dpm_force == 'manual' and env.GUT_CONST.write_delta_only: print('# Power DPM Force Performance Level: already [{}], skipping.'.format(curr_power_dpm_force), file=fileptr) else: power_dpm_force_file = os.path.join(gpu.prm.card_path, 'power_dpm_force_performance_level') print('# Power DPM Force Performance Level: [{}] change to [manual]'.format(curr_power_dpm_force), file=fileptr) print("sudo sh -c \"echo \'manual\' > {}\"".format(power_dpm_force_file), file=fileptr) # Power Cap power_cap_file = os.path.join(gpu.prm.hwmon_path, 'power1_cap') old_power_cap = gpu.get_params_value('power_cap', num_as_int=True) new_power_cap_str = devices[uuid]['power_cap_ent'].get_text() if new_power_cap_str.lower() == 'reset': changed += 1 print('# Powercap entry: {}, Resetting to default'.format(new_power_cap_str), file=fileptr) print("sudo sh -c \"echo \'0\' > {}\"".format(power_cap_file), file=fileptr) elif re.fullmatch(PATTERNS['DIGITS'], new_power_cap_str): new_power_cap = int(new_power_cap_str) power_cap_range = gpu.get_params_value('power_cap_range') print('# Powercap Old: {}'.format(old_power_cap), end='', file=fileptr) print(' New: {}'.format(new_power_cap), end='', file=fileptr) print(' Min: {}'.format(power_cap_range[0]), end='', file=fileptr) print(' Max: {}\n'.format(power_cap_range[1]), end='', file=fileptr) if new_power_cap == old_power_cap and env.GUT_CONST.write_delta_only: print('# No Powercap changes, skipped', file=fileptr) else: if gpu.is_valid_power_cap(new_power_cap): changed += 1 print("sudo sh -c \"echo \'{}\' > {}\"".format((int(1000000 * new_power_cap)), power_cap_file), file=fileptr) else: print('# Invalid power_cap parameter values', file=fileptr) print('Invalid power_cap parameter values') else: print('# Powercap New: {}, invalid input, ignoring'.format(new_power_cap_str), file=fileptr) new_power_cap = old_power_cap if env.GUT_CONST.show_fans: # Fan PWM pwm_enable_file = os.path.join(gpu.prm.hwmon_path, 'pwm1_enable') pwm_file = os.path.join(gpu.prm.hwmon_path, 'pwm1') old_pwm = gpu.get_params_value('fan_pwm', num_as_int=True) LOGGER.debug('Current pwm value: %s', old_pwm) new_pwm_str = devices[uuid]['fan_pwm_ent'].get_text() LOGGER.debug('Original pwm value %s, entered value %s', old_pwm, new_pwm_str) if new_pwm_str.lower() == 'reset': changed += 1 print('# PWM entry: {}, Resetting to default mode of dynamic'.format(new_pwm_str), file=fileptr) print("sudo sh -c \"echo \'0\' > {}\"".format(pwm_enable_file), file=fileptr) print("sudo sh -c \"echo \'2\' > {}\"".format(pwm_enable_file), file=fileptr) elif new_pwm_str.lower() == 'max': changed += 1 print('# PWM entry: {}, Disabling fan control'.format(new_pwm_str), file=fileptr) print("sudo sh -c \"echo \'0\' > {}\"".format(pwm_enable_file), file=fileptr) elif re.fullmatch(PATTERNS['DIGITS'], new_pwm_str): new_pwm = int(new_pwm_str) print('# Fan PWM Old: {}'.format(old_pwm), end='', file=fileptr) print(' New: {}'.format(new_pwm), end='', file=fileptr) pwm_range = gpu.get_params_value('fan_pwm_range') print(' Min: {}'.format(pwm_range[0]), end='', file=fileptr) print(' Max: {}\n'.format(pwm_range[1]), end='', file=fileptr) if new_pwm == old_pwm and env.GUT_CONST.write_delta_only: print('# No PWM changes, skipped', file=fileptr) elif new_pwm == 0 and old_pwm is None: print('# No PWM changes, None to Zero skipped', file=fileptr) elif new_pwm < 20: print('# Specified PWM value below min safe limit of 20%, skipped', file=fileptr) LOGGER.debug('Unsafe PWM value skipped: %s', new_pwm_str) else: if gpu.is_valid_fan_pwm(new_pwm): changed += 1 new_pwm_value = int(255 * new_pwm / 100) print("sudo sh -c \"echo \'1\' > {}\"".format(pwm_enable_file), file=fileptr) print("sudo sh -c \"echo \'{}\' > {}\"".format(new_pwm_value, pwm_file), file=fileptr) else: print('# Invalid pwm parameter values', file=fileptr) print('Invalid pwm parameter values') else: print('# PWM entry: {}, invalid input, ignoring'.format(new_pwm_str), file=fileptr) new_pwm = old_pwm device_file = os.path.join(gpu.prm.card_path, 'pp_od_clk_voltage') commit_needed = False if gpu.get_params_value('gpu_type') == gpu.GPU_Type.PStates: # Sclk P-states for comp_name, comp_item in devices[uuid]['sclk_pstate'].items(): if not comp_item['gtk_ent_f_obj'].get_text().isnumeric(): print('# Invalid sclk pstate entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text()), file=fileptr) print('# Invalid sclk pstate entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text())) continue if not comp_item['gtk_ent_v_obj'].get_text().isnumeric(): print('# Invalid sclk pstate entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text()), file=fileptr) print('# Invalid sclk pstate entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text())) pstate = [comp_name, int(comp_item['gtk_ent_f_obj'].get_text()), int(comp_item['gtk_ent_v_obj'].get_text())] print('#sclk p-state: {} : {} MHz, {} mV'.format(pstate[0], pstate[1], pstate[2]), file=fileptr) if gpu.is_valid_sclk_pstate(pstate): if gpu.is_changed_sclk_pstate(pstate) or not env.GUT_CONST.write_delta_only: changed += 1 commit_needed = True print("sudo sh -c \"echo \'s {} {} {}\' > {}\"".format(pstate[0], pstate[1], pstate[2], device_file), file=fileptr) else: print('# Sclk pstate {} unchanged, skipping'.format(comp_name), file=fileptr) else: print('# Invalid sclk pstate values', file=fileptr) print('Invalid sclk pstate values') # Mclk P-states for comp_name, comp_item in devices[uuid]['mclk_pstate'].items(): if not comp_item['gtk_ent_f_obj'].get_text().isnumeric(): print('# Invalid mclk pstate entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text()), file=fileptr) print('# Invalid mclk pstate entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text())) continue if not comp_item['gtk_ent_v_obj'].get_text().isnumeric(): print('# Invalid mclk pstate entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text()), file=fileptr) print('# Invalid mclk pstate entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text())) continue pstate = [comp_name, int(comp_item['gtk_ent_f_obj'].get_text()), int(comp_item['gtk_ent_v_obj'].get_text())] print('#mclk p-state: {} : {} MHz, {} mV'.format(pstate[0], pstate[1], pstate[2]), file=fileptr) if gpu.is_valid_mclk_pstate(pstate): if gpu.is_changed_mclk_pstate(pstate) or not env.GUT_CONST.write_delta_only: changed += 1 commit_needed = True print("sudo sh -c \"echo \'m {} {} {}\' > {}\"".format(pstate[0], pstate[1], pstate[2], device_file), file=fileptr) else: print('# Mclk pstate {} unchanged, skipping'.format(comp_name), file=fileptr) else: print('# Invalid mclk pstate values', file=fileptr) print('Invalid mclk pstate values') elif gpu.get_params_value('gpu_type') == gpu.GPU_Type.CurvePts: # Sclk Curve End Points for comp_name, comp_item in devices[uuid]['sclk_pstate'].items(): if not comp_item['gtk_ent_f_obj'].get_text().isnumeric(): print('# Invalid sclk curve end point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text()), file=fileptr) print('# Invalid sclk curve end point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text())) continue pstate = [comp_name, int(comp_item['gtk_ent_f_obj'].get_text()), '-'] print('# Sclk curve end point: {} : {} MHz'.format(pstate[0], pstate[1]), file=fileptr) if gpu.is_valid_sclk_pstate(pstate): if gpu.is_changed_sclk_pstate(pstate) or not env.GUT_CONST.write_delta_only: changed += 1 commit_needed = True print("sudo sh -c \"echo \'s {} {}\' > {}\"".format(pstate[0], pstate[1], device_file), file=fileptr) else: print('# Sclk curve point {} unchanged, skipping'.format(comp_name), file=fileptr) else: print('# Invalid sclk curve end point values', file=fileptr) print('Invalid sclk curve end point values') # Mclk Curve End Points for comp_name, comp_item in devices[uuid]['mclk_pstate'].items(): if not comp_item['gtk_ent_f_obj'].get_text().isnumeric(): print('# Invalid mclk curve end point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text()), file=fileptr) print('# Invalid mclk curve end point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text())) continue pstate = [comp_name, int(comp_item['gtk_ent_f_obj'].get_text()), '-'] print('# Mclk curve end point: {} : {} MHz'.format(pstate[0], pstate[1]), file=fileptr) if gpu.is_valid_mclk_pstate(pstate): if gpu.is_changed_mclk_pstate(pstate) or not env.GUT_CONST.write_delta_only: changed += 1 commit_needed = True print("sudo sh -c \"echo \'m {} {}\' > {}\"".format(pstate[0], pstate[1], device_file), file=fileptr) else: print('# Mclk curve point {} unchanged, skipping'.format(comp_name), file=fileptr) else: print('# Invalid mclk curve end point values', file=fileptr) print('Invalid mclk curve end point values') # VDDC Curve Points for comp_name, comp_item in devices[uuid]['vddc_curve_pt'].items(): if not comp_item['gtk_ent_f_obj'].get_text().isnumeric(): print('# Invalid vddc curve point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text()), file=fileptr) print('# Invalid vddc curve point entry: {}'.format(comp_item['gtk_ent_f_obj'].get_text())) continue if not comp_item['gtk_ent_v_obj'].get_text().isnumeric(): print('# Invalid vddc curve point entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text()), file=fileptr) print('# Invalid vddc curve point entry: {}'.format(comp_item['gtk_ent_v_obj'].get_text())) continue curve_pts = [comp_name, int(comp_item['gtk_ent_f_obj'].get_text()), int(comp_item['gtk_ent_v_obj'].get_text())] print('# Vddc curve point: {} : {} MHz, {} mV'.format(curve_pts[0], curve_pts[1], curve_pts[2]), file=fileptr) if gpu.is_valid_vddc_curve_pts(curve_pts): if gpu.is_changed_vddc_curve_pt(curve_pts) or not env.GUT_CONST.write_delta_only: changed += 1 commit_needed = True print("sudo sh -c \"echo \'vc {} {} {}\' > {}\"".format(curve_pts[0], curve_pts[1], curve_pts[2], device_file), file=fileptr) else: print('# Vddc curve point {} unchanged, skipping'.format(comp_name), file=fileptr) else: print('# Invalid Vddc curve point values', file=fileptr) print('Invalid Vddc curve point values') # PPM ppm_mode_file = os.path.join(gpu.prm.card_path, 'pp_power_profile_mode') tree_iter = devices[uuid]['ppm_modes_combo'].get_active_iter() if tree_iter is not None: model = devices[uuid]['ppm_modes_combo'].get_model() row_id, name = model[tree_iter][:2] selected_mode = devices[uuid]['new_ppm'][0] print('# Selected: ID={}, name={}'.format(devices[uuid]['new_ppm'][0], devices[uuid]['new_ppm'][1]), file=fileptr) if gpu.get_current_ppm_mode()[0] != devices[uuid]['new_ppm'][0] or not env.GUT_CONST.write_delta_only: changed += 1 print("sudo sh -c \"echo \'{}\' > {}\"".format(devices[uuid]['new_ppm'][0], ppm_mode_file), file=fileptr) else: print('# PPM mode {} unchanged, skipping'.format(devices[uuid]['new_ppm'][1]), file=fileptr) # Commit changes device_file = os.path.join(gpu.prm.card_path, 'pp_od_clk_voltage') if commit_needed: changed += 1 print("sudo sh -c \"echo \'c\' > {}\"".format(device_file), file=fileptr) else: print('# No clock changes made, commit skipped', file=fileptr) if gpu.get_params_value('gpu_type') in [gpu.GPU_Type.PStates, gpu.GPU_Type.CurvePts]: # Writes of pstate Masks must come after commit of pstate changes # Sclk Mask sclk_mask_file = os.path.join(gpu.prm.card_path, 'pp_dpm_sclk') old_sclk_mask = gpu.prm.sclk_mask.replace(',', ' ') new_sclk_mask = devices[uuid]['sclk_pst_mask_ent'].get_text().replace(' ', '').strip() new_sclk_mask = new_sclk_mask.replace(',', ' ').strip() print('# Sclk P-State Mask Default: {}'.format(old_sclk_mask), end='', file=fileptr) print(' New: {}'.format(new_sclk_mask), file=fileptr) if new_sclk_mask == old_sclk_mask and env.GUT_CONST.write_delta_only: print('# No changes, skipped', file=fileptr) else: if gpu.is_valid_pstate_list_str(new_sclk_mask, 'SCLK'): changed += 1 if new_sclk_mask == '': # reset print('# Resetting SCLK Mask to default', file=fileptr) print("sudo sh -c \"echo \'{}\' > {}\"".format(old_sclk_mask, sclk_mask_file), file=fileptr) else: print("sudo sh -c \"echo \'{}\' > {}\"".format(new_sclk_mask, sclk_mask_file), file=fileptr) else: print('# Invalid sclk mask parameter values', file=fileptr) print('Invalid sclk mask parameter values: {}'.format(new_sclk_mask)) # Mclk Mask mclk_mask_file = os.path.join(gpu.prm.card_path, 'pp_dpm_mclk') old_mclk_mask = gpu.prm.mclk_mask.replace(',', ' ') new_mclk_mask = devices[uuid]['mclk_pst_mask_ent'].get_text().replace(' ', '').strip() new_mclk_mask = new_mclk_mask.replace(',', ' ').strip() print('# Mclk P-State Mask Default: {}'.format(old_mclk_mask), end='', file=fileptr) print(' New: {}'.format(new_mclk_mask), file=fileptr) if new_mclk_mask == old_mclk_mask and env.GUT_CONST.write_delta_only: print('# No changes, skipped', file=fileptr) else: if gpu.is_valid_pstate_list_str(new_mclk_mask, 'MCLK'): changed += 1 if new_mclk_mask == '': # reset print('# Resetting MCLK Mask to default', file=fileptr) print("sudo sh -c \"echo \'{}\' > {}\"".format(old_mclk_mask, mclk_mask_file), file=fileptr) else: print("sudo sh -c \"echo \'{}\' > {}\"".format(new_mclk_mask, mclk_mask_file), file=fileptr) else: print('# Invalid mclk mask parameter values', file=fileptr) print('Invalid mclk mask parameter values: {}'.format(new_mclk_mask)) # Close file and Set permissions and Execute it --execute_pac fileptr.close() os.chmod(out_filename, 0o744) print('Batch file completed: {}'.format(out_filename)) if env.GUT_CONST.execute_pac: # Execute bash file print('Writing {} changes to GPU {}'.format(changed, gpu.prm.card_path)) cmd = subprocess.Popen(out_filename, shell=True) cmd.wait() print('PAC execution complete.') if refresh: # dismiss execute_pac message sleep(0.5) if changed: message = ('Write of {} PAC commands to card complete.\n' 'Confirm changes with gpu-monitor.').format(changed) else: message = 'No PAC commands to write to card.\nNo changes specified.' self.update_message(devices, message, 'yellow') if refresh: self.refresh_pac(gpu_list, devices) os.remove(out_filename) else: if refresh: # dismiss execute_pac message if changed: message = ('Write of {} PAC commands to bash file complete.\n' 'Manually run bash file with sudo to execute changes.').format(changed) else: message = 'No PAC commands to write bash file.\nNo changes specified.' self.update_message(devices, message, 'yellow') print('Execute to write changes to GPU {}'.format(gpu.prm.card_path)) print('') return changed def reset_all_cards(self, parent, gpu_list: Gpu.GpuList, devices: dict) -> None: """ Reset data for all GPUs. :param parent: parent :param gpu_list: :param devices: Dictionary of GUI items and GPU data. """ # Write start message if env.GUT_CONST.execute_pac: message = ('Using the --execute_pac option Reset commands will be written to the GPU ' 'without confirmation.\nSudo will be used, so you may be prompted for ' 'credentials in the window where gpu-pac was executed from.') else: message = 'Writing reset commands to bash file.\n' self.update_message(devices, message, 'red') # reset each card for uuid in gpu_list.uuids(): self.reset_card(parent, gpu_list, devices, uuid, refresh=False) # Write finish message if env.GUT_CONST.execute_pac: message = 'Write reset commands to card complete.\nConfirm changes with gpu-mon.' else: message = 'Write reset commands to bash file complete.\nRun bash file with sudo to execute changes.' self.update_message(devices, message, 'yellow') self.refresh_all_cards(parent, gpu_list, devices) def reset_card(self, _, gpu_list: Gpu.GpuList, devices: dict, uuid: str, refresh: bool = True) -> None: """ Reset data for specified GPU. :param _: parent not used :param gpu_list: :param devices: Dictionary of GUI items and GPU data. :param uuid: GPU device ID :param refresh: Flag to indicate if refresh should be done """ if refresh: # Write message if env.GUT_CONST.execute_pac: message = ('Using the --execute_pac option Reset commands will be written to the GPU ' 'without confirmation.\nSudo will be used, so you may be prompted for ' 'credentials in the window where gpu-pac was executed from.') else: message = 'Writing reset commands to bash file.\n' self.update_message(devices, message, 'red') # specify output batch file name out_filename = os.path.join(os.getcwd(), 'pac_resetter_{}.sh'.format(uuid4().hex)) fileptr = open(out_filename, 'x') # Output header print('#!/bin/sh', file=fileptr) print('###########################################################################', file=fileptr) print('## rickslab-gpu-pac generated script to modify GPU configuration/settings', file=fileptr) print('###########################################################################', file=fileptr) print('', file=fileptr) print('###########################################################################', file=fileptr) print('## WARNING - Do not execute this script without completely', file=fileptr) print('## understanding appropriate value to write to your specific GPUs', file=fileptr) print('###########################################################################', file=fileptr) print('#', file=fileptr) print('# Copyright (C) 2019 RueiKe', file=fileptr) print('#', file=fileptr) print('# This program is free software: you can redistribute it and/or modify', file=fileptr) print('# it under the terms of the GNU General Public License as published by', file=fileptr) print('# the Free Software Foundation, either version 3 of the License, or', file=fileptr) print('# (at your option) any later version.', file=fileptr) print('#', file=fileptr) print('# This program is distributed in the hope that it will be useful,', file=fileptr) print('# but WITHOUT ANY WARRANTY; without even the implied warranty of', file=fileptr) print('# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the', file=fileptr) print('# GNU General Public License for more details.', file=fileptr) print('#', file=fileptr) print('# You should have received a copy of the GNU General Public License', file=fileptr) print('# along with this program. If not, see .', file=fileptr) print('###########################################################################', file=fileptr) gpu = gpu_list[uuid] print('# ', file=fileptr) print('# Card{} {}'.format(gpu.prm.card_num, gpu.get_params_value('model')), file=fileptr) print('# {}'.format(gpu.prm.card_path), file=fileptr) print('# ', file=fileptr) print('set -x', file=fileptr) # Commit changes power_cap_file = os.path.join(gpu.prm.hwmon_path, 'power1_cap') pwm_enable_file = os.path.join(gpu.prm.hwmon_path, 'pwm1_enable') device_file = os.path.join(gpu.prm.card_path, 'pp_od_clk_voltage') power_dpm_force_file = os.path.join(gpu.prm.card_path, 'power_dpm_force_performance_level') print("sudo sh -c \"echo \'0\' > {}\"".format(power_cap_file), file=fileptr) if env.GUT_CONST.show_fans: print("sudo sh -c \"echo \'2\' > {}\"".format(pwm_enable_file), file=fileptr) print("sudo sh -c \"echo \'auto\' > {}\"".format(power_dpm_force_file), file=fileptr) print("sudo sh -c \"echo \'r\' > {}\"".format(device_file), file=fileptr) print("sudo sh -c \"echo \'c\' > {}\"".format(device_file), file=fileptr) # No need to reset clk pstate masks as commit to pp_od_clk_voltage will reset # Close file and Set permissions and Execute it --execute_pac fileptr.close() os.chmod(out_filename, 0o744) print('Batch file completed: {}'.format(out_filename)) if env.GUT_CONST.execute_pac: print('Writing changes to GPU {}'.format(gpu.prm.card_path)) cmd = subprocess.Popen(out_filename, shell=True) cmd.wait() print('') if refresh: # Dismiss execute_pac message message = 'Write reset commands to card complete.\nConfirm changes with gpu-mon.' self.update_message(devices, message, 'yellow') self.refresh_pac(gpu_list, devices) os.remove(out_filename) else: print('Execute to write changes to GPU {}.\n'.format(gpu.prm.card_path)) if refresh: # Dismiss execute_pac message message = 'Write reset commands to bash file complete.\nRun bash file with sudo to execute changes.' self.update_message(devices, message, 'yellow') def ppm_select(_, device: dict) -> None: """ Update device data for ppm selection and update active selected item in Gui. :param _: self :param device: Dictionary of GUI items and GPU data. """ tree_iter = device['ppm_modes_combo'].get_active_iter() if tree_iter is not None: model = device['ppm_modes_combo'].get_model() row_id, name = model[tree_iter][:2] device['new_ppm'] = [row_id, name] def main() -> None: """ Main PAC flow. """ parser = argparse.ArgumentParser() parser.add_argument('--about', help='README', action='store_true', default=False) parser.add_argument('--execute_pac', help='execute pac bash script without review', action='store_true', default=False) parser.add_argument('--no_fan', help='do not include fan setting options', action='store_true', default=False) parser.add_argument('--force_write', help='write all parameters, even if unchanged', action='store_true', default=False) parser.add_argument('-d', '--debug', help='Debug output', action='store_true', default=False) args = parser.parse_args() # About me if args.about: print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Install Type: ', env.GUT_CONST.install_type) print('Maintainer: ', __maintainer__) print('Status: ', __status__) sys.exit(0) env.GUT_CONST.set_args(args) LOGGER.debug('########## %s %s', __program_name__, __version__) if env.GUT_CONST.check_env() < 0: print('Error in environment. Exiting...') sys.exit(-1) # Get list of GPUs and get basic non-driver details gpu_list = Gpu.GpuList() gpu_list.set_gpu_list() # Check list of GPUs num_gpus = gpu_list.num_vendor_gpus() print('Detected GPUs: ', end='') for i, (type_name, type_value) in enumerate(num_gpus.items()): if i: print(', {}: {}'.format(type_name, type_value), end='') else: print('{}: {}'.format(type_name, type_value), end='') print('') if 'AMD' in num_gpus.keys(): env.GUT_CONST.read_amd_driver_version() print('AMD: {}'.format(gpu_list.wattman_status())) if 'NV' in num_gpus.keys(): print('nvidia smi: [{}]'.format(env.GUT_CONST.cmd_nvidia_smi)) num_gpus = gpu_list.num_gpus() if num_gpus['total'] == 0: print('No GPUs detected, exiting...') sys.exit(-1) # Read data static/dynamic/info/state driver information for GPUs gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.All) # Check number of readable/writable GPUs again num_gpus = gpu_list.num_gpus() print('{} total GPUs, {} rw, {} r-only, {} w-only\n'.format(num_gpus['total'], num_gpus['rw'], num_gpus['r-only'], num_gpus['w-only'])) # Check number of compatible GPUs again com_gpu_list = gpu_list.list_gpus(compatibility=Gpu.GpuItem.GPU_Comp.Writable) writable_gpus = com_gpu_list.num_gpus()['total'] if not writable_gpus: print('None are writable, exiting...') sys.exit(-1) com_gpu_list.read_gpu_pstates() com_gpu_list.read_gpu_ppm_table() # Display Gtk style Monitor devices = {} gmonitor = PACWindow(com_gpu_list, devices) gmonitor.connect('delete-event', Gtk.main_quit) gmonitor.show_all() Gtk.main() if __name__ == '__main__': main() gpu-utils-3.6.0/gpu-plot000077500000000000000000001125111402750156600151550ustar00rootroot00000000000000#!/usr/bin/python3 """ gpu-plot - Plot GPU parameter values over time Part of the rickslab-gpu-utils package which includes gpu-ls, gpu-mon, gpu-pac, and gpu-plot. A utility to continuously plot the trend of critical GPU parameters for all compatible GPUs. The *--sleep N* can be used to specify the update interval. The *gpu-plot* utility has 2 modes of operation. The default mode is to read the GPU driver details directly, which is useful as a standalone utility. The *--stdin* option causes *gpu-plot* to read GPU data from stdin. This is how *gpu-mon* produces the plot and can also be used to pipe your own data into the process. The *--simlog* option can be used with the *--stdin* when a monitor log file is piped as stdin. This is useful for troubleshooting and can be used to display saved log results. The *--ltz* option results in the use of local time instead of UTC. If you plan to run both *gpu-plot* and *gpu-mon*, then the *--plot* option of the *gpu-mon* utility should be used instead of both utilities in order reduce data reads by a factor of 2. Copyright (C) 2019 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RueiKe' __copyright__ = 'Copyright (C) 2019 RicksLab' __credits__ = ['Craig Echt - Testing, Debug, Verification, and Documentation', 'Keith Myers - Testing, Debug, Verification of NV Capability'] __license__ = 'GNU General Public License' __program_name__ = 'gpu-plot' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=multiple-statements # pylint: disable=line-too-long # pylint: disable=bad-continuation import sys from gc import collect as garb_collect import argparse import re import threading import os import logging from time import sleep import numpy as np try: import gi gi.require_version('Gtk', '3.0') from gi.repository import GLib, Gtk except ModuleNotFoundError as error: print('gi import error: {}'.format(error)) print('gi is required for {}'.format(__program_name__)) print(' In a venv, first install vext: pip install --no-cache-dir vext') print(' Then install vext.gi: pip install --no-cache-dir vext.gi') sys.exit(0) try: from matplotlib.backends.backend_gtk3cairo import FigureCanvasGTK3Cairo as FigureCanvas import matplotlib.pyplot as plt except ModuleNotFoundError as error: print('matplotlib import error: {}'.format(error)) print('matplotlib is required for {}'.format(__program_name__)) print('Use \'sudo apt-get install python3-matplotlib\' to install') sys.exit(0) try: import pandas as pd except ModuleNotFoundError as error: print('Pandas import error: {}'.format(error)) print('Pandas is required for {}'.format(__program_name__)) print('Install pip3 if needed: \'sudo apt install python3-pip\'') print('Then pip install pandas: \'pip3 install pandas\'') sys.exit(0) from pandas.plotting import register_matplotlib_converters from GPUmodules import __version__, __status__ from GPUmodules import GPUgui from GPUmodules import GPUmodule as Gpu from GPUmodules import env register_matplotlib_converters() set_gtk_prop = GPUgui.GuiProps.set_gtk_prop LOGGER = logging.getLogger('gpu-utils') PATTERNS = env.GutConst.PATTERNS # SEMAPHORE ############ PD_SEM = threading.Semaphore() ######################## def get_stack_size() -> int: """ Get stack size for caller's frame. Code copied from Stack Overflow. :return: Stack size """ size = 2 # current frame and caller's frame always exist while True: try: sys._getframe(size) size += 1 except ValueError: return size - 1 # subtract current frame class PlotData: """ Plot data object. """ def __init__(self): self.df = pd.DataFrame() self.pcie_dict = {} self.gui_comp = None self.gui_ready = False self.length = 200 self.quit = False self.writer = False self.reader = False self.consec_writer = 0 self.consec_reader = 0 self.gpu_name_list = '' self.num_gpus = 1 self.com_gpu_list = Gpu.GpuList() def set_gpus(self) -> None: """ Populate num_gpus and gpu_name_list from dataframe member. """ self.num_gpus = self.df['Card#'].nunique() self.gpu_name_list = self.df['Card#'].unique() def set_com_gpu_list(self, gpu_list: Gpu.GpuList) -> None: """ Set plot data gpu_list object and initialize pcie decode dict. :param gpu_list: """ self.com_gpu_list = gpu_list self.pcie_dict = gpu_list.get_pcie_map() def get_gpu_pcieid(self, card_num: int) -> str: """ Return the pcie id for a given card number. :param card_num: :return: the pcie id as a string """ if card_num in self.pcie_dict.keys(): return self.pcie_dict[card_num] return 'Error' def get_plot_data(self) -> pd.DataFrame: """ Get deep copy of plot data df. :return: deep copy of the plot data dataframe """ # SEMAPHORE ############ PD_SEM.acquire() ######################## ndf = self.df.copy() # SEMAPHORE ############ PD_SEM.release() ######################## return ndf def kill_thread(self) -> None: """ Sets flags that result in reader thread death. """ self.reader = False self.quit = True print('Stopping reader thread') sleep(0.2) class GuiComponents: """ Define the gui components of the plot window. """ _colors = {'plotface': GPUgui.GuiProps.color_name_to_hex('slate_vdk'), 'figface': GPUgui.GuiProps.color_name_to_hex('slate_md'), 'disable_but': GPUgui.GuiProps.color_name_to_hex('gray70'), 'sclk_f_val': GPUgui.GuiProps.color_name_to_hex('br_green'), 'mclk_f_val': GPUgui.GuiProps.color_name_to_hex('br_yellow'), 'loading': GPUgui.GuiProps.color_name_to_hex('br_pink'), 'power': GPUgui.GuiProps.color_name_to_hex('br_orange'), 'power_cap': GPUgui.GuiProps.color_name_to_hex('br_red'), 'vddgfx_val': GPUgui.GuiProps.color_name_to_hex('br_blue'), 'temp_val': GPUgui.GuiProps.color_name_to_hex('slate_md')} _font_colors = {'plotface': GPUgui.GuiProps.color_name_to_hex('black'), 'figface': GPUgui.GuiProps.color_name_to_hex('black'), 'sclk_f_val': GPUgui.GuiProps.color_name_to_hex('gray95'), 'mclk_f_val': GPUgui.GuiProps.color_name_to_hex('gray95'), 'loading': GPUgui.GuiProps.color_name_to_hex('white_off'), 'power': GPUgui.GuiProps.color_name_to_hex('white_off'), 'power_cap': GPUgui.GuiProps.color_name_to_hex('white_off'), 'vddgfx_val': GPUgui.GuiProps.color_name_to_hex('gray95'), 'temp_val': GPUgui.GuiProps.color_name_to_hex('white_off')} _gpu_color_list = [GPUgui.GuiProps.color_name_to_hex('red'), GPUgui.GuiProps.color_name_to_hex('green_dk'), GPUgui.GuiProps.color_name_to_hex('yellow'), GPUgui.GuiProps.color_name_to_hex('orange'), GPUgui.GuiProps.color_name_to_hex('purple'), GPUgui.GuiProps.color_name_to_hex('blue'), GPUgui.GuiProps.color_name_to_hex('teal'), GPUgui.GuiProps.color_name_to_hex('olive')] def __init__(self, plot_data): plot_data.gui_comp = self self.ready = False self.gpu_name_list = plot_data.gpu_name_list self.num_gpus = plot_data.num_gpus self.gui_components = {} self.gpu_color = {} gpu_color_list = self._gpu_color_list plot_item_list = ['loading', 'power', 'power_cap', 'temp_val', 'vddgfx_val', 'sclk_f_val', 'mclk_f_val'] self.plot_items = {'loading': True, 'power': True, 'power_cap': True, 'temp_val': True, 'vddgfx_val': True, 'sclk_f_val': True, 'mclk_f_val': True} self.gui_components['info_bar'] = {} self.gui_components['legend'] = {} self.gui_components['legend']['buttons'] = {} self.gui_components['legend']['plot_items'] = {} for plotitem in plot_item_list: self.gui_components['legend']['plot_items'][plotitem] = True self.gui_components['sclk_pstate_status'] = {} self.gui_components['sclk_pstate_status']['df_name'] = 'sclk_ps_val' self.gui_components['mclk_pstate_status'] = {} self.gui_components['mclk_pstate_status']['df_name'] = 'mclk_ps_val' self.gui_components['temp_status'] = {} self.gui_components['temp_status']['df_name'] = 'temp_val' self.gui_components['card_plots'] = {} for i, gpu_i in enumerate(self.gpu_name_list): self.gui_components['card_plots'][gpu_i] = {} self.gui_components['card_plots'][gpu_i]['color'] = gpu_color_list[i] self.gpu_color[gpu_i] = gpu_color_list[i] def get_color(self, color_name: str) -> str: """ Get color RGB hex code for the given color name. :param color_name: Color Name :return: Color RGB hex code """ if color_name not in self._colors.keys(): raise KeyError('color name {} not in color dict {}'.format(color_name, self._colors.keys())) return self._colors[color_name] def get_font_color(self, color_name: str) -> str: """ Get font color RGB hex code for the given color name. :param color_name: Color Name :return: Color RGB hex code """ if color_name not in self._font_colors.keys(): raise KeyError('color name {} not in color dict {}'.format(color_name, self._font_colors.keys())) return self._font_colors[color_name] def set_ready(self, mode: bool) -> None: """ Set flag to indicate gui is ready. :param mode: True if gui is ready """ self.ready = mode def is_ready(self) -> bool: """ Return the ready status of the plot gui. :return: True if ready """ return self.ready class GPUPlotWindow(Gtk.Window): """ Plot window. """ def __init__(self, gc: GuiComponents, plot_data: PlotData): init_chk_value = Gtk.init_check(sys.argv) LOGGER.debug('init_check: %s', init_chk_value) if not init_chk_value[0]: print('Gtk Error, Exiting') sys.exit(-1) box_spacing_val = 5 num_bar_plots = 3 if gc.num_gpus > 4: def_gp_y_size = 150 def_bp_y_size = 200 elif gc.num_gpus == 4: def_gp_y_size = 200 def_bp_y_size = 200 else: def_gp_y_size = 250 def_bp_y_size = 250 def_gp_x_size = 650 def_bp_x_size = 250 def_lab_y_size = 28 if gc.num_gpus > num_bar_plots: tot_y_size = gc.num_gpus * (def_gp_y_size + def_lab_y_size) gp_y_size = def_gp_y_size bp_y_size = (tot_y_size - (num_bar_plots * def_lab_y_size))/num_bar_plots elif gc.num_gpus < num_bar_plots: tot_y_size = num_bar_plots * (def_bp_y_size + def_lab_y_size) bp_y_size = def_bp_y_size gp_y_size = (tot_y_size - (gc.num_gpus * def_lab_y_size))/gc.num_gpus else: gp_y_size = def_gp_y_size bp_y_size = def_bp_y_size Gtk.Window.__init__(self, title=env.GUT_CONST.gui_window_title) self.set_border_width(0) GPUgui.GuiProps.set_style() if env.GUT_CONST.icon_path: icon_file = os.path.join(env.GUT_CONST.icon_path, 'gpu-plot.icon.png') if os.path.isfile(icon_file): self.set_icon_from_file(icon_file) grid = Gtk.Grid() self.add(grid) # Get deep copy of current df ldf = plot_data.get_plot_data() row = 0 # Top Bar - info gc.gui_components['info_bar']['gtk_obj'] = Gtk.Label(name='white_label') gc.gui_components['info_bar']['gtk_obj'].set_markup('{} Plot'.format(__program_name__)) set_gtk_prop(gc.gui_components['info_bar']['gtk_obj'], align=(0.5, 0.5), top=1, bottom=1, right=4, left=4) lbox = Gtk.Box(spacing=box_spacing_val, name='head_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(gc.gui_components['info_bar']['gtk_obj'], True, True, 0) grid.attach(lbox, 1, row, 4, 1) row += 1 # Legend gc.gui_components['legend']['gtk_obj'] = Gtk.Label(name='white_label') gc.gui_components['legend']['gtk_obj'].set_markup('Plot Items') set_gtk_prop(gc.gui_components['legend']['gtk_obj'], align=(0.5, 0.5), top=1, bottom=1, right=4, left=4) lbox = Gtk.Box(spacing=box_spacing_val, name='dark_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(gc.gui_components['legend']['gtk_obj'], True, True, 0) for comp_name in gc.gui_components['legend']['plot_items'].keys(): but_label = Gpu.GpuItem.get_button_label(comp_name) but_name = 'but_{}'.format(comp_name) but_color = gc.get_color(comp_name) but_font_color = gc.get_font_color(comp_name) gc.gui_components['legend']['buttons'][comp_name] = Gtk.Button(name=but_name, label='') GPUgui.GuiProps.set_style(css_str="#%s { background-image: image(%s); color: %s; }" % ( but_name, but_color, but_font_color)) for child in gc.gui_components['legend']['buttons'][comp_name].get_children(): child.set_label('{}'.format(but_label)) child.set_use_markup(True) gc.gui_components['legend']['buttons'][comp_name].connect('clicked', self.toggle_plot_item, gc, comp_name) lbox.pack_start(gc.gui_components['legend']['buttons'][comp_name], True, True, 0) grid.attach(lbox, 1, row, 4, 1) row += 1 main_last_row = row # Set up bar plots grid_bar = Gtk.Grid(name='dark_grid') grid.attach(grid_bar, 1, main_last_row, 1, 1) brow = 0 fig_num = 0 # plot_top_row = row for comp_item in [gc.gui_components['sclk_pstate_status'], gc.gui_components['mclk_pstate_status'], gc.gui_components['temp_status']]: # Add Bar Plots Titles bar_plot_name = Gpu.GpuItem.get_button_label(comp_item['df_name']) comp_item['title_obj'] = Gtk.Label(name='white_label') comp_item['title_obj'].set_markup('Card {}'.format(bar_plot_name)) set_gtk_prop(comp_item['title_obj'], align=(0.5, 0.5), top=1, bottom=1, right=4, left=4) lbox = Gtk.Box(spacing=box_spacing_val, name='head_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(comp_item['title_obj'], True, True, 0) grid_bar.attach(lbox, 1, brow, 1, 1) brow += 1 # Add Bar Plots # Set up plot figure and canvas comp_item['figure_num'] = 100 + fig_num fig_num += 1 comp_item['figure'], comp_item['ax1'] = plt.subplots(num=comp_item['figure_num']) comp_item['figure'].set_facecolor(gc.get_color('figface')) plt.figure(comp_item['figure_num']) plt.subplots_adjust(left=0.13, right=0.97, top=0.97, bottom=0.1) comp_item['ax1'].set_facecolor(gc.get_color('plotface')) if comp_item['df_name'] == 'temp_val': plt.yticks(np.arange(15, 99, 10)) else: plt.yticks(np.arange(0, 9, 1)) comp_item['canvas'] = FigureCanvas(comp_item['figure']) comp_item['canvas'].set_size_request(def_bp_x_size, bp_y_size) lbox = Gtk.Box(spacing=box_spacing_val, name='med_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(comp_item['canvas'], True, True, 0) grid_bar.attach(lbox, 1, brow, 1, 1) brow += 1 # Set up gpu plots grid_plot = Gtk.Grid(name='dark_grid') grid.attach(grid_plot, 2, main_last_row, 3, 1) prow = 0 # row = plot_top_row for comp_num, comp_item in gc.gui_components['card_plots'].items(): data_val = ldf[ldf['Card#'].isin([comp_num])]['energy'].iloc[-1] model_val = ldf[ldf['Card#'].isin([comp_num])]['model_display'].iloc[-1] # Add GPU Plots Titles comp_item['title_obj'] = Gtk.Label(name='white_label') comp_item['title_obj'].set_markup('Card{} [{}] {} Energy: {} kWh'.format( comp_num, plot_data.get_gpu_pcieid(comp_num), model_val[:30], data_val)) set_gtk_prop(comp_item['title_obj'], align=(0.5, 0.5), top=1, bottom=1, right=4, left=4) box_name = comp_item['color'][1:] lbox = Gtk.Box(spacing=box_spacing_val, name=box_name) GPUgui.GuiProps.set_style(css_str="#%s { background-image: image(%s); }" % (box_name, comp_item['color'])) set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(comp_item['title_obj'], True, True, 0) grid_plot.attach(lbox, 1, prow, 1, 1) prow += 1 # Add GPU Plots # Set up plot figure and canvas comp_item['figure_num'] = 500 + comp_num comp_item['figure'], comp_item['ax1'] = plt.subplots(num=comp_item['figure_num']) comp_item['figure'].set_facecolor(gc.get_color('figface')) plt.figure(comp_item['figure_num']) plt.subplots_adjust(left=0.1, right=0.9, top=0.97, bottom=0.03) comp_item['ax1'].set_facecolor(gc.get_color('plotface')) comp_item['ax1'].set_xticks([]) comp_item['ax1'].set_xticklabels([]) comp_item['ax1'].set_yticks(np.arange(0, 250, 20)) comp_item['ax1'].tick_params(axis='y', which='major', labelsize=8) comp_item['ax2'] = comp_item['ax1'].twinx() comp_item['ax2'].set_xticks([]) comp_item['ax2'].set_xticklabels([]) comp_item['ax2'].set_yticks(np.arange(500, 1500, 100)) comp_item['ax2'].tick_params(axis='y', which='major', labelsize=8) comp_item['canvas'] = FigureCanvas(comp_item['figure']) # a Gtk.DrawingArea comp_item['canvas'].set_size_request(def_gp_x_size, gp_y_size) lbox = Gtk.Box(spacing=box_spacing_val, name='light_box') set_gtk_prop(lbox, top=1, bottom=1, right=1, left=1) lbox.pack_start(comp_item['canvas'], True, True, 0) grid_plot.attach(lbox, 1, prow, 1, 1) prow += 1 @staticmethod def toggle_plot_item(_, gc: GuiComponents, k: str) -> None: """ Toggle specified plot item. :param _: parent :param gc: gui components object :param k: Name of plot item to toggle """ but_name = 'but_{}'.format(k) but_color = gc.get_color('disable_but') if gc.plot_items[k] else gc.get_color(k) GPUgui.GuiProps.set_style(css_str="#%s { background-image: image(%s); }" % (but_name, but_color)) gc.plot_items[k] = not gc.plot_items[k] def update_data(gc: GuiComponents, plot_data: PlotData) -> None: """ Update plot data. :param gc: :param plot_data: """ # SEMAPHORE ########### PD_SEM.acquire() ####################### ldf = plot_data.df y1lim_max_val = y1lim_min_val = y2lim_max_val = y2lim_min_val = tick_inc = None try: time_val = ldf[ldf['Card#'].isin([plot_data.gpu_name_list[0]])]['Time'].iloc[-1] gc.gui_components['info_bar']['gtk_obj'].set_markup('Time {}'.format(time_val)) # Update Bar Plots for comp_item in [gc.gui_components['sclk_pstate_status'], gc.gui_components['mclk_pstate_status'], gc.gui_components['temp_status']]: data_val = [] label_val = [] bar_col = [] # Set Plot Parameters for card_num in plot_data.gpu_name_list: l, d = ldf[ldf['Card#'].isin([card_num])][['Card#', comp_item['df_name']]].iloc[-1] label_val.append(int(l)) data_val.append(float(d)) bar_col.append(gc.gpu_color[l]) x_index = np.arange(gc.num_gpus) # the x locations for the groups width = 0.65 # the width of the bars # Do bar plot plt.figure(comp_item['figure_num']) comp_item['ax1'].clear() _rects1 = comp_item['ax1'].bar(x_index, data_val, width, color=bar_col, tick_label=label_val) if comp_item['df_name'] == 'temp_val': for a, b in zip(x_index, data_val): comp_item['ax1'].text(x=a, y=b-5, s=str(b), fontsize=8, ha='center') plt.ylim((15, 99)) else: data_val = list(map(int, data_val)) for a, b in zip(x_index, data_val): y_val = b + width if b == 0 else b - width comp_item['ax1'].text(x=a, y=y_val, s=str(b), fontsize=10, ha='center') plt.ylim((0, 9)) comp_item['canvas'].draw() comp_item['canvas'].flush_events() # Update GPU Plots y1lim_max_val = 10*(ldf.loc[:, ['loading', 'power_cap', 'power', 'temp_val']].max().max() // 10) + 10 y1lim_min_val = 10*(ldf.loc[:, ['loading', 'power_cap', 'power', 'temp_val']].min().min() // 10) - 5 y2lim_max_val = 100*(ldf.loc[:, ['vddgfx_val', 'sclk_f_val', 'mclk_f_val']].max().max() // 100) + 300 y2lim_min_val = 100*(ldf.loc[:, ['vddgfx_val', 'sclk_f_val', 'mclk_f_val']].min().min() // 100) - 100 for comp_num, comp_item in gc.gui_components['card_plots'].items(): data_val = ldf[ldf['Card#'].isin([comp_num])]['energy'].iloc[-1] model_val = ldf[ldf['Card#'].isin([comp_num])]['model_display'].iloc[-1] comp_item['title_obj'].set_markup('Card{} [{}] {} Energy: {} kWh'.format( comp_num, plot_data.get_gpu_pcieid(comp_num), model_val[:30], data_val)) # Plot GPUs plt.figure(comp_item['figure_num']) comp_item['ax1'].set_xticklabels([]) comp_item['ax1'].clear() comp_item['ax1'].set_ylabel('Loading/Power/Temp', color=GPUgui.GuiProps.color_name_to_hex('white_off'), fontsize=10) for plot_item in ['loading', 'power_cap', 'power', 'temp_val']: if gc.plot_items[plot_item]: comp_item['ax1'].plot(ldf[ldf['Card#'].isin([comp_num])]['datetime'], ldf[ldf['Card#'].isin([comp_num])][plot_item], color=gc.get_color(plot_item), linewidth=0.5) comp_item['ax1'].text(x=ldf[ldf['Card#'].isin([comp_num])]['datetime'].iloc[-1], y=ldf[ldf['Card#'].isin([comp_num])][plot_item].iloc[-1], s=str(int(ldf[ldf['Card#'].isin([comp_num])][plot_item].iloc[-1])), bbox=dict(boxstyle='round,pad=0.2', facecolor=gc.get_color(plot_item)), fontsize=6) comp_item['ax2'].clear() comp_item['ax2'].set_xticklabels([]) comp_item['ax2'].set_ylabel('MHz/mV', color=GPUgui.GuiProps.color_name_to_hex('gray95'), fontsize=10) for plot_item in ['vddgfx_val', 'sclk_f_val', 'mclk_f_val']: if gc.plot_items[plot_item]: if np.isnan((ldf[ldf['Card#'].isin([comp_num])][plot_item].iloc[-1])): continue comp_item['ax2'].plot(ldf[ldf['Card#'].isin([comp_num])]['datetime'], ldf[ldf['Card#'].isin([comp_num])][plot_item], color=gc.get_color(plot_item), linewidth=0.5) comp_item['ax2'].text(x=ldf[ldf['Card#'].isin([comp_num])]['datetime'].iloc[-1], y=ldf[ldf['Card#'].isin([comp_num])][plot_item].iloc[-1], s=str(int(ldf[ldf['Card#'].isin([comp_num])][plot_item].iloc[-1])), bbox=dict(boxstyle='round,pad=0.2', facecolor=gc.get_color(plot_item)), fontsize=6) tick_inc = int(10 * round(((y1lim_max_val - y1lim_min_val) // 12)/10.0, 0)) if tick_inc < 5: tick_inc = 5 comp_item['ax1'].set_yticks(np.arange(y1lim_min_val, y1lim_max_val, tick_inc)) tick_inc = int(100 * round(((y2lim_max_val - y2lim_min_val) // 12)/100.0, 0)) if tick_inc < 50: tick_inc = 50 comp_item['ax2'].set_yticks(np.arange(y2lim_min_val, y2lim_max_val, tick_inc)) comp_item['canvas'].draw() comp_item['canvas'].flush_events() except (OSError, ArithmeticError, NameError, TypeError, ValueError) as err: LOGGER.exception('plot exception: %s', err) LOGGER.debug('AX1 min_max: %s %s', y1lim_max_val, y1lim_min_val) LOGGER.debug('AX2 min_max: %s %s', y2lim_max_val, y2lim_min_val) LOGGER.debug('ticker increment: %s', tick_inc) print('matplotlib error: {}'.format(err)) print('matplotlib error, stack size is {}'.format(get_stack_size())) plot_data.kill_thread() # SEMAPHORE ########### PD_SEM.release() ####################### def read_from_stdin(refresh_time: int, plot_data: PlotData) -> None: """ Read plot data from stdin. :param refresh_time: :param plot_data: .. note:: this should continuously read from stdin and populate df and call plot/gui update """ header_item = '' first_update = True header = True sync_add = 0 while not plot_data.quit: if env.GUT_CONST.SIMLOG: sleep(refresh_time/4.0) ndf = pd.DataFrame() # Process a set of GPUs at a time skip_update = False read_time = 0.0 for _gpu_index in range(0, plot_data.num_gpus + sync_add): start_time = env.GUT_CONST.now(env.GUT_CONST.USELTZ) line = sys.stdin.readline() tmp_read_time = (env.GUT_CONST.now(env.GUT_CONST.USELTZ) - start_time).total_seconds() if tmp_read_time > read_time: read_time = tmp_read_time if line == '': LOGGER.debug('Error: Null input line') plot_data.kill_thread() break if header: header_item = list(line.strip().split('|')) header = False continue line_items = list(line.strip().split('|')) new_line_items = [] for item in line_items: item = item.strip() if item == 'nan': new_line_items.append(np.nan) elif item.isnumeric(): new_line_items.append(int(item)) elif re.fullmatch(PATTERNS['IS_FLOAT'], item): new_line_items.append(float(item)) elif item == '' or item == '-1' or item == 'NA' or item is None: new_line_items.append(np.nan) else: new_line_items.append(item) line_items = tuple(new_line_items) rdf = pd.DataFrame.from_records([line_items], columns=header_item) rdf['datetime'] = pd.to_datetime(rdf['Time'], format=env.GUT_CONST.TIME_FORMAT, exact=False) ndf = pd.concat([ndf, rdf], ignore_index=True) del rdf sync_add = 1 if ndf['Time'].tail(plot_data.num_gpus).nunique() > 1 else 0 LOGGER.debug('dataFrame %s:\n%s', env.GUT_CONST.now(env.GUT_CONST.USELTZ).strftime(env.GUT_CONST.TIME_FORMAT), ndf.to_string()) if not env.GUT_CONST.SIMLOG: if read_time < 0.003: skip_update = True LOGGER.debug('skipping update') # SEMAPHORE ############ PD_SEM.acquire() ######################## # Concatenate new data on plot_data dataframe and truncate plot_data.df = pd.concat([plot_data.df, ndf], ignore_index=True) plot_data.df.reset_index(drop=True, inplace=True) # Truncate df in place plot_length = int(len(plot_data.df.index) / plot_data.num_gpus) if plot_length > plot_data.length: trun_index = plot_length - plot_data.length plot_data.df.drop(np.arange(0, trun_index), inplace=True) plot_data.df.reset_index(drop=True, inplace=True) # SEMAPHORE ############ PD_SEM.release() ######################## del ndf ######################### # Update plots ######################### if skip_update: continue if plot_data.gui_comp is None: continue if plot_data.gui_comp.is_ready(): if first_update: sleep(refresh_time) first_update = False GLib.idle_add(update_data, plot_data.gui_comp, plot_data) while Gtk.events_pending(): Gtk.main_iteration_do(True) # SEMAPHORE ############ sleep(0.01) PD_SEM.acquire() PD_SEM.release() ######################## garb_collect() LOGGER.debug('update stack size: %s', get_stack_size()) # Quit print('Exit stack size: {}'.format(get_stack_size())) sys.exit(0) def read_from_gpus(refresh_time: int, plot_data: PlotData) -> None: """ Read plot data from stdin. :param refresh_time: :param plot_data: .. note:: this should continuously read from GPUs and populate df and call plot/gui update """ first_update = True while not plot_data.quit: ndf = pd.DataFrame() plot_data.com_gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.Monitor) # Process a set of GPUs at a time skip_update = False for gpu in plot_data.com_gpu_list.gpus(): gpu_plot_data = gpu.get_plot_data() LOGGER.debug('gpu_plot_data: %s', gpu_plot_data) rdf = pd.DataFrame.from_records([tuple(gpu_plot_data.values())], columns=tuple(gpu_plot_data.keys())) rdf['datetime'] = pd.to_datetime(rdf['Time'], format=env.GUT_CONST.TIME_FORMAT, exact=False) ndf = pd.concat([ndf, rdf], ignore_index=True) del rdf # SEMAPHORE ############ PD_SEM.acquire() ######################## # Concatenate new data on plot_data dataframe and truncate plot_data.df = pd.concat([plot_data.df, ndf], ignore_index=True) plot_data.df.reset_index(drop=True, inplace=True) # Truncate df in place plot_length = int(len(plot_data.df.index) / plot_data.num_gpus) if plot_length > plot_data.length: trun_index = plot_length - plot_data.length plot_data.df.drop(np.arange(0, trun_index), inplace=True) plot_data.df.reset_index(drop=True, inplace=True) # SEMAPHORE ############ PD_SEM.release() ######################## del ndf ######################### # Update plots ######################### if skip_update: continue if plot_data.gui_comp is None: sleep(refresh_time) continue if plot_data.gui_comp.is_ready(): if first_update: sleep(refresh_time) first_update = False GLib.idle_add(update_data, plot_data.gui_comp, plot_data) while Gtk.events_pending(): Gtk.main_iteration_do(True) # SEMAPHORE ############ sleep(0.01) PD_SEM.acquire() PD_SEM.release() ######################## garb_collect() LOGGER.debug('update stack size: %s', get_stack_size()) sleep(refresh_time) # Quit print('Exit stack size: {}'.format(get_stack_size())) sys.exit(0) def main() -> None: """ Main flow for plot.""" parser = argparse.ArgumentParser() parser.add_argument('--about', help='README', action='store_true', default=False) parser.add_argument('--stdin', help='Read from stdin', action='store_true', default=False) parser.add_argument('--simlog', help='Simulate with piped log file', action='store_true', default=False) parser.add_argument('--ltz', help='Use local time zone instead of UTC', action='store_true', default=False) parser.add_argument('--sleep', help='Number of seconds to sleep between updates', type=int, default=3) parser.add_argument('-d', '--debug', help='Debug output', action='store_true', default=False) args = parser.parse_args() # About me if args.about: print(__doc__) print('Author: ', __author__) print('Copyright: ', __copyright__) print('Credits: ', *['\n {}'.format(item) for item in __credits__]) print('License: ', __license__) print('Version: ', __version__) print('Install Type: ', env.GUT_CONST.install_type) print('Maintainer: ', __maintainer__) print('Status: ', __status__) import matplotlib print('matplotlib version: ', matplotlib.__version__) print('pandas version: ', pd.__version__) print('numpy version: ', np.__version__) sys.exit(0) env.GUT_CONST.set_args(args) LOGGER.debug('########## %s %s', __program_name__, __version__) LOGGER.debug('pandas version: %s', pd.__version__) LOGGER.debug('numpy version: %s', np.__version__) if env.GUT_CONST.check_env() < 0: print('Error in environment. Exiting...') sys.exit(-1) # Define graph gui and data components plot_data = PlotData() # Get list of Compatible GPUs and get basic non-driver details gpu_list = Gpu.GpuList() gpu_list.set_gpu_list() com_gpu_list = gpu_list.list_gpus(compatibility=Gpu.GpuItem.GPU_Comp.Readable) plot_data.set_com_gpu_list(com_gpu_list) if not args.stdin: # Check list of GPUs num_gpus = gpu_list.num_vendor_gpus() print('Detected GPUs: ', end='') for i, (type_name, type_value) in enumerate(num_gpus.items()): if i: print(', {}: {}'.format(type_name, type_value), end='') else: print('{}: {}'.format(type_name, type_value), end='') print('') if 'AMD' in num_gpus.keys(): env.GUT_CONST.read_amd_driver_version() print('AMD: {}'.format(gpu_list.wattman_status())) if 'NV' in num_gpus.keys(): print('nvidia smi: [{}]'.format(env.GUT_CONST.cmd_nvidia_smi)) num_gpus = gpu_list.num_gpus() if num_gpus['total'] == 0: print('No GPUs detected, exiting...') sys.exit(-1) # Read data static/dynamic/info/state driver information for GPUs gpu_list.read_gpu_sensor_set(data_type=Gpu.GpuItem.SensorSet.All) # Check number of readable/writable GPUs again num_gpus = gpu_list.num_gpus() print('{} total GPUs, {} rw, {} r-only, {} w-only\n'.format(num_gpus['total'], num_gpus['rw'], num_gpus['r-only'], num_gpus['w-only'])) # Check number of compatible GPUs again readable_gpus = com_gpu_list.num_gpus()['total'] if not readable_gpus: print('None are readable, exiting...') sys.exit(-1) # Set gpu quantity in plot_data plot_data.num_gpus = readable_gpus # end of if args.stdin == False if args.stdin or args.simlog: threading.Thread(target=read_from_stdin, daemon=True, args=[args.sleep, plot_data]).start() else: threading.Thread(target=read_from_gpus, daemon=True, args=[args.sleep, plot_data]).start() print('{} waiting for initial data'.format(__program_name__), end='', flush=True) while len(plot_data.df.index) < 2: print('.', end='', flush=True) sleep(args.sleep/4.0) print('') # After reading initial data, set gpus plot_data.set_gpus() gc = GuiComponents(plot_data) gplot = GPUPlotWindow(gc, plot_data) gplot.connect('delete-event', Gtk.main_quit) gplot.show_all() gc.set_ready(True) Gtk.main() plot_data.kill_thread() if __name__ == '__main__': main() gpu-utils-3.6.0/icons/000077500000000000000000000000001402750156600145725ustar00rootroot00000000000000gpu-utils-3.6.0/icons/gpu-mon.icon.png000066400000000000000000000222311402750156600176110ustar00rootroot00000000000000PNG  IHDRddpT IDATx]{Uu_߹'{ܼnP` y(0DATkETLV"2VB@!<$@^7{o[g}ǿgΜskZk|׮]osN۳gOeY~wuuώ;lwOO!m۶-6l=Fʍ92ټyu0aBjVو#R[nM6 >|xg6m۷2cǎ5|ӸqR?yyn[l)zxPu1!Nm"3g<9rhNnjcOBxO}>%~Č3lѢE >upB3g\2 HA[ ƪURrHCB:Sl 6zmԩbŊ]tE>y'9ck׮5k$=\;J=# /L}< yHOק@x(N6.҄ a !H6/ 6(|$K~)w/( }SG}4P҈\r9Q&,"q1 03e+`,azQ$E~S&((Ʉ2%ܨ AO{6 qH$̤Irp8mҤI/\8@S83r/g@"oQG2#@H@6g*lh,ꑹX3}`P`AYhF[]`G&%zzzhqPHt?ie!D2(8NeLkab}.̶0`z-DvPd}|€PQI`f FRN||2M2{\CC)MBQT?%2elIzl sI;g!R fZT)="tmXOgVq9>/91"Ɨ>t0*){)K},ˎ1~@U{M?5e<4=zQ+B0Ed5=S]V!Dv.݌Nieh'J"gbml%~z ?~| V*VuG4-FDӀA>$\, qAs6u@08’B] 0o eI,] \à`(: Bk~A=0:( N2%ʀY^y啒 0 Zq/i-/MFC\SxYLE0i&f?~|C=4BGhʒT{K){]y4HxA˅&gUyf.Ӆ,``?CqfOz`<'UәRVx%@* ^]""K*sy+7`˕.|$ďy E~ CLF$C8K!Xa~Չ6S tjlCv4>|Ν[FGaͽ":̭QTECO׌FT<¢0pQ`QHxnUQ`Jo -Ȉ:Bt񁜣{:CWV)M*E9Y/"jJ{]Ů H|8VbR<k"74*[,;xcqɯCTy57|*2ġ[XUVUxXdWXMIeh⢊0њA&m2p}E#SY2kliܰR|EQ't wɥ)fM}6Dh`;"NTGmDH5裾6H|osCΥDgzae!!rݹT*ǩ8M~o5mlݺa+g mW>fm-[>n8jWihg?uw"vХt5klW/JLE27p ìE㕋".Y'ԂvG~o'lD;M'ۮ4[t؎zHS؜>gM?]#14?{ U.^efnoC`[¾dPY1CTT1etcy >45ew5޾E_in;}p3i2A>w!v݃|8aw::ek37W[ouY D2pyxa>-%֜ARWPnW0ZW-m5_,"CFؒ?mz{>ڹ5i/bf=% gBsZ]uP\yv2`CLIRŽ|Qkz3Ttb1Y-VZ `A.>i-˨{?pCgQ@թ]ҼQړN췞AV) b±CDq(Jz#]q-̠@# Ԇ͙o lz==-aq/'ۿ|5`<;m//YۮwUPG}Q:s,&WB*.&TW"\|²k"6HN*uv?U.ZE[~衇ZbEAM3S3d6ofҥKmfo̟x*U4<{|EWcUD)UV\3^~lŵ^A#H]do.Cf4c $h{i]=d΋gjHOu/'y7.;]Jkv˭c[{@"4Ug- wB*3fL5c]`)0`qJ˝kj=o?c]eo)QnvDs9eHIGy3$`>G!%+w{ ژ˥~^G{DC8Hw(׉= MMg]0s7TL\0b%Fh0q8`=A"v"B6L8\jà\Cq3 Ӷ_uϱ Lfj$xWٍ)/3T!طi{bNQ@3=c\fCTԙĵfr~' p$zrc;>BX4eB r[&%Y vmBayΩC! UzH{h*UeMLs"=u5_rrЭkN"BG\ ۼUfpDq{CsZ֭o"8;yOB4?KxƏ D<=q!2#I upJO8/#b-T}{BFNj[sUkdwWrZea^]H͛xcH&(:60H}Te-"FmOf?23Z.]*!"jï]U)EK !/j ^̯ ގ)h "ND\_*pw'SgNWFY%FhT$kUҽj$r<ieF*=˝`Wx6jH܁D!,TfiD m=`B}N_Eg}E g7J_'gl?'/}~¨ءV"8#ɕ\S>;[nCg ßL'Ew;;jBIi /U̓+MGD0 !7`h F B|Ѹlٲ1jyW,yd&.D~g@;ѓA>]|(W7XQ*w nv,~@I^:?yc9m1N]8`>кW!0o/343w!CM(ޔeIII"z?.r` ;J_ZWKV MfO]-]V '=uaR_{fY=Bk c xߨGb%wRʻ@̊l&GmNc)2?ڊUsv,@j'؆6x&.pE[2٦4/,&*- 20J@vCAN6- ~]=;,t?X? W a"tlK7 6k架yjPpxp0EE&JTJgiF7k ͻ 써ү+럹[ƄcF0Ez|Ekq̻Nj4D_ 9 8ؚND;%w5i=*a-V2 %B;Mfnsdr5TQt Q+P:.YtΎo׍wxׂ (TkxF_VgGCǯ2P QZ [|Ĉn]v/F鉕u#vþn}uY\.Ty~G1MLWַmRF ʨqM.b-yncTb#]/1fߪgX=*ߎNbqSs;̉ zΊ 5!*rM㥐 ~(e(܌QWvU!GYrXB^7cŋ6ft\j;& %^YB[|t(^zBD`D\ :=|lOw뛻8+pN\WѮ" eQH"q>3kJAU"vUv&TYJsy$g}[3X`>m`| oŠТzAq*s/91Y7?pID^o(W#^d28ՏPQnz=y7N-?*Q*#SH:FW:Zg5Lg2gs+$M *QXey]* qPX40np+UF'UL2UzCyE3܌}_.Hx>ږ3 $x<.0C6#:%dk4DG憌B$s["2Merg15ꉖ5_ 1_bhY֤TIDAT*,3wk0謬SJȜO 1U*y("+E7Eu*S5NCSŴuFیbD\+2!HFb,sTetΆ*4}ŽEޖd%^圫joվ SE-enPCUyzt4I{+Z|ND 7I̽!{vǷw>7tk39k5\s5\s=vmpp0ۺuk ɓc˖-}wV===^m۶ihh(/7nܸ8qbf^n„ yW^y%FL:5v]ף7iӦ?`ʠ_͛7evi@psN;sG>YūZC Pu>!a"~3eH?F3~^xכ0ap}N4)ve r)^{#ꀠ@B@#Q! mQFX(~& N $~/||#`_mPHKvvN_p|\{(!t BDoePH8e k档hjm/h&,tp7F>TYo@;C u hN*`d m, sShr?(5,?T;dUs(%*'l$J& *F;@\?sI;G!a)O?O3Е˩{K(˲aJWyd.øFKǣ}KڥU V>uԠ.?jNmYiG:i~3(H8t^AzG!2?qB6eʔ'x;C{LU!ă '4-FBӁA>$,ğ iAw !{{gI.I: `b|l4d PaP0l BfJ{E Θ1#@XR 88Ɨ4Ti懞f=ATBK@Y<(&kz0L2%CH~BCDFRPzdHSÌμLMQ D#BB \bt" .cohQglFuu&}8oLQO^ CTʠĒrNPHF@ u9eLP$@Vӹ&(ro L8 (Q4c&L2 !*^늎q-D0NhHb6wuW|lkZ+ S^\Eu:c\T? hhI (C+.:' fDV 5 tWMh##D3izqzi7XZ=Jz_$6%5.*.]uC9/h|:V bRy,2U 0"i4,zIMS];Y,hy ;wn2U=Vð<dUV5zBXt,]1 uQŘԜA&'nVʰ;q2H}dAҸ`J GD_&H:\]wݵ4ĢeaADD:ґTͤ?#E0idFj+wW :)x酗@%rTi8E~J8}k:=cqoW\ŇI⁴q)q_)u0~zկo0kH4.hM̛>8#T-jWAp'81V]T?^(%et ];,>6us%Q߱w4+7zH3|%U񯗼1~rI\[Jn`{|ȥ!GDC4)}!CG+hg4c] ~ f:ҟX̟0Bo ۊ.6'gPܬ!TW*ØMS2ļCԹ5[nE[oY%޲`s|Q-&e|}_}ҵ1sƦ o{Qn1(۲2CHdQy!\Ph¨(3[LMSGu˞)չ]⢯Lmm3z{?=o}.raNZ;U[{r!Ľ^TLfO͍w!xK6{ア`pso~2 R^bC+zr5VŔL*5}w/{qU-5e4v⃨w}wo.6C<@AU.h(Yn8kXVD#OFg ޺-)mKf߀9gmH8%s״_N|ob))'G"&P;<`MѴӆ4I3\E,Ê9*jsb\,8ݩ޻)sJF9 2W}qϸЯ)&YG㬽6w^38@ _xu}58Sq_1#Ɏ H{HGj/ t^>TbDTx6N$uU|6lWcئ >WJjUmQL5TD[w59¦_5~D\Is0S%_K?4\LΎ.iy|ͷLoՒg'|`cu7t0-d.FA];J#YTQL }g8G+ c4!%~/}?viAϹq;U+u@kf{n;4-`b\w# ~yZ@C(\/!1E~CzhӢ0޺bUO;9.j'ڵ=_Վc^*w'cv3YC6)u ĽYdV*t{}fm)z|L Y );G %eCnK# Lĝwwpž|#N;IkSGn78]/w6#CY\UzMyiG,Tj&MjIXEpc}srpq qJ,4R5a3UpOlE4Z)Bp8blڒL!=w c!Wfk L;ckMYҍqQq't6FpQIKm+:)gcP:|yu8پa ÕS/D71YgHݘ FTtFpbNS6?L$FnSJKlq2Kh: pUQTcJb(aڄBFmK?#5"`ɾ֚sfqDNx¤AR/61s݋B:#\ֹI!$7þt[0h\rFX"t2.M[-Y SC|P)WJDUZH ؍j\e6bnR#8ŸikCZ2[U_zD!B]'[ ˹n6II2ד\z]L٩*f3*nD 8Z3z@$jHqoh# T|vWŪ'x8T%<@/[#5Py.﷿mSN(%?pg<}ه R)V3VˤԡJ@\|^O|w/v(6!Ŭ<" E*$-SEw3Ћ/c3M ܟ?_Y"|¸cx`f&[nA|5H:CIb|JFi) ifb #jG׭} )>JRNtTJ5֫!k!Քq$hzYLTVH=FbWx5e߁C&QPu05CunD ~;b)zKz7bZӶR&Jg5>3ߟb}IT57E}MKJZ )VLzBp#Uw5{Q-wtY餇o8#7.4.|TFI h wz)~)?3MO_0)q{`ܑ+^)Z݈EHW\\8.޾ q֟'H85YF9|c vW)sxRW>~#;sO7J,j.qvƷyy&3Gq>8ӶYtbJ}۷(( @X) 2-g[jwH[MB)Oۼm=C`p5pPiuK;iRvzHUiqўrNs8> &Rk +Z1=3!6i:<1Q5G/|v3 !΁ƗNѣ+qK?g~JqROp(݌^&:QKچj+0o=9R3gU3uߚ Ou#DG#rJ#X\#ǛrބCOCژǎZR=㷗C+*j,Q;cRf=\] oJp-Mf'7dx 8z6B&/#ᕱu9GntׇGmy#ן,o0Z{ּ|l5㶟-WTw[ {:r$.kq5%ON]dm& twg(q\2krC5ݧh d7~޲8oYg>xwᆵ7>k$~='I'CGЎ-g`Tu=J6z.Cz#D2N SX}o^RtO$& g>?>nm|ehrR!qlRuu_v-aUe x(7u['Q0yZ~T\qՄR?<W^]f}u7?_Z_|Knuز/?/ Y]6Xo2é5D  t=DbSxex>VGk_f" B,8tmhZ'xjm9LҫK)Z&'o:8h6c?/L694Դ;. dF/%Wˤ;UTyPɈ-wqNd8R:U/Y3[F075&!"܆8g#G+UJ62F6j67N-'P3r:$g]Lʤ)&r)灉 e ?ȤvaR [+S rTN15 "1S/ /jz|;N %+pnƐ3-*@MzAb|cx|/'E> 8g\cP kh -ҥC a9eU%D%LDbÍWybo4*/[0։11T}ҮDK8'%Vzl:OL%rMq gN&=B<1YA&l4y{1hw8J,}IU'Flbj%fGk6IIU3?ߥUgj,˼+)x;MnͶDAp+\:|6E~D&:=_y#;r4<.IDAT6U RPM.hSd53iuZ// bYpdj)2JWz3sSV.AGeRi;J$`S{F)F!PJvt{ne:mthv5^)zTz1BRRJ*r!Dq|Sj,Xʁ杍5 Ui^7ӓy%L*8WGXKlscr8)չ±*g`H7ң:#iGUwtcRJSXz*y6cԹ nR밻yKGڙŠRy[(ncٛƥR N_>w&aU mG.09ܐc员^.l}C8 z.ĭۛ׍ sO^2g< F "ñ;8SbQ=мd .0v^3;8GޢEx9Cɟ]"ZdIA]$5| ;|\7>㕮(7o޼h,n]B_W _g#^˸ 9rɘ;wngG/^\4Hbe">% Rr1)@d2;e˶um./Saw"'> IF.Bj|Μ9Eǃ:W p4Fؒoto|eo]~dGp/[NXx8eDd{x ` IDATx}ydWy-ں{nEFBHhFBĘMH y3Yb8c2!@b 'NXebdHBi4Ff?J[߻u_rUoGEUl6jmh`ss@Q<}a&8 @m~gϞlVS<σeYhۨj HZm`uunm>,ˊYTT_u]۶ `0@`0ض nH$2 :6j)? \.`u07Lbmm gΜA.O~?~BA Hu]R)\ry"P:u3"' dYdYXD"8j)NdnM&JJXG߇HR(H$eSZmt:iz=,//+lh4v1;;su](. @q Cu`6\UF#Ja0(%Q>,>2 >Z(}KHGJ) t:J%qꋒ.ͦRl(b{Jn׃hZH&D"s]nLFt:= PבL&!\ׅ8X__GUzy$|߇8 HRjvrpzfa*/^+[zrZM!e2t](fj~_I3r]tnz]ycIVTV6ETv0ut:d2XfLiV#ic @Q)dkff& @q )?4 EU9vJ+(Pܩ7ř4lG8J?%ضȜ3N)m[Ǿ$t8aA/+U,ašz!@gz}J.~48gS}yŵ3Cix]V+ꝙ&8 DN`YO ,'Vr %\~&„XH ~_yrI".#on+' 8DN\.# CJ%}4Mm$ItQ%V8HG4YW2Mƶmy, qAw_wl0 fk.I}w}bfNN$0bQ$ ٶ Ez+hX'ϣhjᢋ.m8qvڅygϢh D!*Hj)/%& %7󏞗y3hqӒ1$QRL<sT*nR ^z)azaaa!Gr9 U᝱Vw ,J"m瓑1ƹ|4o}'O3n9楱.=@]k7/Ȕ`0z*@>+wBU}<ĴA#W+6޹֏ JCi$;dcm-ryhk2ADmQ9hGrYBtN2K}(S dZ wNH@0U/mF~௧#@I\duDeYc /ֱ~$rf3-k;g؟>GW-qdAn)  '#Ϩvo&`YQ)2!P  j$p-7eF9E 2c<`4D₻(%613j|a\mfj+X"%$&y#P$$oXm <74/c5펠G=z0'sQRr$.HT*!)$ąˆߔNh4l6t;|0hj>b۷}}S=涕$>ld ZU[.~avvVחqlΝj0b `޽{FkiW\OS\ve8ravj;D R^VL9G݆s^X+՟>u޽;wc=%jcn ĉrqr\cjsLem|_E\ғa4fx?GF^~nCde}gE:%]Ɂ~P³&q"i |5Ls@J%9r>(iCʠL\T.bE).wU+H ey z4[_ÏƐ5l rGh#їHҸS(RYm W^pG§"BV`r;mnžlej}^^o![](%7pAJ%zc_x"jɑ(rYjjoHS6ƏyE"Yk[OUpMH0WtrL >1]B[߭G<:}-Rk_ώ*wH1"UhPsRZ8(!r@?xؾ(ϴ^{31|n^S3%Y[d%4>cƃ,˔bw{ȚRߥx ΑC>}O5c "1 슃GKGR$Ž?$:1WٸPo> WZ5{ek_/f7m,4Β˥Jw2n6Uq CMX\\LLz_Rd{:Ƒ#Gp9El߾]ORǕIVqD>KO4K^ֵmgϞEV< u6 C%(U*XӧOCHm K@R޲,ulO\QuDK 7APeɱLm=.)tY3|&+=aؐ؈;Ofb~4MVN.:$B'r͜:'$T]RHO- Dܘ]-)-]鈋욐2I5!zX(|&AJnwtg}e\ 5 t$O$&#U&GX$J~6mCK<.&˽h نO&Y K$ a~FNH8 q3q}ub">7˲T qי}e6S"inI#δqmUIv*P& 6n+Fʵ!;н-((wӧhHՑL$k"D(_CpWTQ2fg}_Sى(uNJ8A&:D_{xͫƃJyqo &J R"䩬0 ʗcA$Y[[SR$Axeee%dgD"^VqP:Rqup\}z(%Q$bYo}}?!%֓1T׎H{ `:OFgrun9`/ 06d 32S?Rv7779dYرCVذl6rm0??idYuAwפ*r8|0* Up$'cu`dLLvC2@|y>:ݳg&}m;m61fO]鎁8InuBy:z&Bb7h%lk(," ;?IBaDN$MHHޤLmLn|K}ߙ^3|9@Sj'0-Yݎmr7'eڙdt螡4z[ ܙ)(!^\Gg |Dj/ҏMZO(q'nRߴ#&JBrm&%"MjP{?ao5HDqٱ\5&\hu$Erw#"loGйBvɺ&B˱Rqg?3q^_SMfqɵIUс4d[3%>}kI6wI$j2BL| uJOHeJ?5Ɏ}^rq..FǍeb8 GwhL9/pAٿIR,!adŒT7!0NaBKcRWC$Vn-5!7V}LuEZmѕDBAHzS'p=‏7ÁGB? >RXEy n6;} ^{D'?QJcOwg ~h!>0evG>89g0K Y>4zck9 p-ߊ@ߨGb[%lT7!;fJ^Jvнy7ޕE'"]39;oqޑ\ظ9\KMuڎwޟĥ/*#u.}Q x~Ǎa&yy3ReYH]E" 7KM,c]zXuoOOx軩HWҏ%DG~O_A2B kD}za7#PB#zTJ\%׵Tj, ;ѽޏɻaãKWX(w=P}ݓMB=brb߫3C$-Bl~B&3a$z0nщ~˝d?wbd`|z|ۢ.ÏDm 4 %KW_3)/m]utwP[$Tw3q7m,#=\qHBZ- DFqHxy~7ⓧ|(&wmh^qHǭwA%r[+S߁\RJ"0BxAvЯ|u0Ry}27₏?ku!N"k~CY|鯜X*Kv0' DZ65EIDAT,b]D D~iVS-, A;B0 -Kfv$M oK27ڒJs*J"6}t03)hSo2b 'OEjYS`gnyTC'Oo<z PRVDV1y)&8>ƙvmLRyA=suXA[z)UB cKuQZPkc"Or8U*׿^Ϥ`uut'GN#~:>֟K.3ySTz{^dL a(M 8c RgP#Yz@6.SW/~mSMa+Lkt0HSS&wjEI\ YyRG踢{F&Bc],uUsMWMY< m-l&|T)jSʅ{^3Us`&yg[ITu٘78N7rb+&`<$a*r ه)sd=v\88'pHI:ҤG'MBʅ}zID2qt:iq ڜ1mȤOشIn+Qx8RW>5Hض7b[Me3W$wJX/+X~Bz= !kDV7F譞TclM5/rpl$x0P.UTJݘwJl6ž}P.qy J%e/VWW>pעX,4݋l6J 033}P(ٳ1==3g LMM Ο?|H&8{,\.kA:: @T 7󰺺 a޽HJRJ _f՝YLsssy㫽*ֹ9:[m=etWꪫp 7(޽W^y>??l^lY677h4g9U|L&T*!+m9#P?mZvu"ֲ3ٖQY\۪:ٳG)NꫯVE/HTdŐ?~\}Hx v~ZsrSzuu룗Dz=s sΩqYAVSP:3eXYYAZw{[Μ9fn4ӧ#vÇ+ukYsǎCVSs?z(|[I-k_RR籸;LbMcDsssvt:)x6FR)J%E58eYerJT|>Yy&܅%Bv[9~ %%a8L'.&jZժY#|GVS=.#f{Ν;9jPN.H vIAѫJ +ѽ,2y6&/+eY[zOVY\eC9 zero that specifies the number of seconds to sleep between updates. The \fB--no_fan\fR option can be used to disable the reading and display of fan information. The \fB--log\fR option is used to write all monitor data to a psv log file. When writing to a log file, the utility will indicate this in red at the top of the window with a message that includes the log file name. The \fB--plot\fR will display a plot of critical GPU parameters which updates at the specified \fB--sleep N\fR interval. If you need both the plot and monitor displays, then using the \fB--plot\fR option is preferred over running both tools as a single read of the GPUs is used to update both displays. The \fB--ltz\fR option results in the use of local time instead of UTC. .SH OPTIONS .TP .BR " \-\-about" Will display details about .B gpu-mon\fP. .TP .BR " \-\-gui" The table of relevant parameters will be updated in a Gtk window instead of a text table in the terminal window. .TP .BR " \-\-log" Write all mon data to a logfile. The real-time display will indicate that logging is enabled and will show the filename used. .TP .BR " \-\-ltz" Use local time zone instead of UTC for displays and logging. .TP .BR " \-\-no_fan" Will exclude fan information from the display. Useful with water cooled GPUs. .TP .BR " \-\-pdebug" Will enable debug output for the \fBgpu-plot\fR plotting utility. .TP .BR " \-\-plot" Open and write to, \fBgpu-plot\fR, the gpu-util plotting utility. .TP .BR " \-\-sleep " \fIN\fR Specifies N, the number of seconds to sleep between updates. .TP .BR " \-\-debug" Will output additional useful debug/troubleshooting details to a log file. .TP .BR \-h , " \-\-help" Display help text and exit. .SH "EXAMPLES" .nf .B gpu-mon \-\-sleep 5 \-\-log .fi Will display a continuously updating table of GPU operating parameters updating with an interval of 5 sec. All parameters will be written to a logfile which will be indicated in the table. The displayed parameters include GPU model, GPU and memory load percentage, power, power cap, energy consumption, temperature, voltage (not available for NV), fan speed, Sclk frequency/p-state, Mclk frequency/pstate, and performance mode. Updating of the table will continue until ctrl-c is pressed. .P .B gpu-mon \-\-gui .fi Will open a new Gtk window and display basic parameters updated with the default interval. .P .B gpu-mon \-\-plot .fi Will open 2 new Gtk windows. One will display the basic parameters and the second will display a continuously updating plot of these parameters. It is suggested that this method be used if both displays are desired, instead of executing both \fBgpu-mon\fR and \fBgpu-plot\fR as the later will result in twice the reads of GPU data. .P .SH CONFIGURATION In order to get maximum capability of these utilities, you should be running with a kernel that provides support of the GPUs you have installed. If using AMD GPUs, installing the latest amdgpu driver package or the latest ROCm release, may provide additional capabilities. If you have Nvidia GPUs installed, nvidia-smi must also be installed in order for the utility reading of the cards to be possible. Writing to GPUs is currently only possible for AMD GPUs, and only with compatible cards and with the the AMD ppfeaturemask set to 0xfffd7fff. This can be accomplished by adding amdgpu.ppfeaturemask=0xfffd7fff to the GRUB_CMDLINE_LINUX_DEFAULT value in /etc/default/grub and executing sudo update-grub. .SH "FILES" .PP .TP \fB/usr/share/misc/pci.ids\fR The system list of all known PCI ID's (vendors, devices, classes and subclasses). It can be updated with the \fBupdate-pciids\fR command. .TP \fB/sys/class/drm/card*/device/pp_od_clk_voltage\fR Special driver file for each AMD GPU required by some \fBrickslab-gpu-utils\fR. .TP \fB/etc/default/grub\fR The grub defaults file where amdgpu.ppfeaturemask needs to be set. .SH BUGS Known to not work well with Fiji ProDuo cards and will issue warning messages for Fiji Nano cards. Please report any additional bugs/issues at https://github.com/Ricks-Lab/gpu-utils .SH "SEE ALSO" .BR gpu-plot (1), .BR amdgpu (4), .BR nvidia-smi (1), .BR update-grub (8), .BR update-pciids (8), .BR lspci (8) .SH AVAILABILITY The gpu-mon command is part of the rickslab-gpu-utils package and is available from https://github.com/Ricks-Lab/gpu-utils gpu-utils-3.6.0/man/gpu-pac.1000066400000000000000000000104611402750156600156520ustar00rootroot00000000000000.TH GPU\-PAC 1 "June 2020" "rickslab-gpu-utils" "Ricks-Lab GPU Utilities" .nh .SH NAME gpu-pac \- program and control compatible GPUs .SH SYNOPSIS .B gpu-pac .RB [ \-\-help " | " \-\-about "]" .br .B gpu-pac .RB [ \-\-execute_pac "] [" \-\-no_fan "] [" \-\-force_write "] [" \-\-debug "] .SH DESCRIPTION .B gpu-pac provides capability for Program and Control compatible GPUs with this utility. By default, the commands to be written to a GPU are written to a bash file for the user to inspect and run. If you have confidence, the \fB--execute_pac\fR option can be used to execute and then delete the saved bash file. Since the GPU device files are writable only by root, sudo is used to execute commands in the bash file, as a result, you will be prompted for credentials in the terminal where you executed \fBgpu-pac\fR. The \fB--no_fan\fR option can be used to eliminate fan details from the utility. The \fB--force_write\fR option can be used to force all configuration parameters to be written to the GPU. The default behavior is to only write changes. .SH OPTIONS .TP .BR " \-\-about" Will display details about .B gpu-pac\fP. .TP .BR " \-\-execute_pac" Will execute a bash file created with commands written to the driver files to modify the operating conditions of the selected GPU/GPUs. The default behavior is to only create the bash files for the user to execute. .TP .BR " \-\-no_fan" Will exclude fan information from the display and will not include fans in writing or resetting GPU operating conditions. .TP .BR " \-\-force_write" Will result in all parameters being writen to the selected GPU/GPUs instead of the default behavior of only writing changes. .TP .BR " \-\-debug" Will output additional useful debug/troubleshooting details to a log file. .TP .BR \-h , " \-\-help" Display help text and exit. .SH "EXAMPLES" .nf .B gpu-pac .fi Will open a Gtk based user interface which will display current or default values for modifiable GPU operating parameters. The interface supports entry of new values for all compatible GPUs. The user can select to save or reset values for individual or all GPUs. It is suggested that \fBgpu-mon\fR be used to make sure the changes are made as expected. .P .B gpu-pac \-\-execute_pac .fi To simplify this process, the \fB\-\-execute_pac\fR option can be specified to automate execution of the bash files. A message in the user interface will indicate if credentials are required in the original terminal window. .P .B gpu-pac \-\-force_write .fi With this option, all parameters will be written to the bash file, even if they are unchanged. This is useful in creating bash files used to put GPU's into a known state which is convenient for use in start up routines. .P .SH CONFIGURATION In order to get maximum capability of these utilities, you should be running with a kernel that provides support of the GPUs you have installed. If using AMD GPUs, installing the latest amdgpu driver package or the latest ROCm release, may provide additional capabilities. If you have Nvidia GPUs installed, nvidia-smi must also be installed in order for the utility reading of the cards to be possible. Writing to GPUs is currently only possible for AMD GPUs, and only with compatible cards and with the the AMD ppfeaturemask set to 0xfffd7fff. This can be accomplished by adding amdgpu.ppfeaturemask=0xfffd7fff to the GRUB_CMDLINE_LINUX_DEFAULT value in /etc/default/grub and executing sudo update-grub. .SH "FILES" .PP .TP \fB/usr/share/misc/pci.ids\fR The system list of all known PCI ID's (vendors, devices, classes and subclasses). It can be updated with the \fBupdate-pciids\fR command. .TP \fB/sys/class/drm/card*/device/pp_od_clk_voltage\fR Special driver file for each AMD GPU required by some \fBrickslab-gpu-utils\fR. .TP \fB/etc/default/grub\fR The grub defaults file where amdgpu.ppfeaturemask needs to be set. .SH BUGS Known to not work well with Fiji ProDuo cards and will issue warning messages for Fiji Nano cards. The display of P-state masks is always the defaults, not the actual values. Please report any additional bugs/issues at https://github.com/Ricks-Lab/gpu-utils .SH "SEE ALSO" .BR gpu-mon (1), .BR amdgpu (4), .BR update-grub (8), .BR update-pciids (8), .BR lspci (8) .SH AVAILABILITY The gpu-pac command is part of the rickslab-gpu-utils package and is available from https://github.com/Ricks-Lab/gpu-utils gpu-utils-3.6.0/man/gpu-plot.1000066400000000000000000000101451402750156600160640ustar00rootroot00000000000000.TH GPU-PLOT 1 "June 2020" "rickslab-gpu-utils" "Ricks-Lab GPU Utilities" .nh .SH NAME gpu-plot \- continuously update and plot critical GPU parameters as a function of time .SH SYNOPSIS .B gpu-plot .RB [ \-\-help " | " \-\-about "]" .br .B gpu-plot .RB [ \-\-no_fan "] [" \-\-stdin "] [" \-\-simlog "] [" \-\-ltz "] [" \-\-sleep " \fIN\fP] [" \-\-debug "] .SH DESCRIPTION .B gpu-plot is a utility to continuously plot the trend of critical GPU parameters for all compatible GPUs. The \fB--sleep N\fR can be used to specify the update interval. The \fBgpu-plot\fR utility has 2 modes of operation. The default mode is to read the GPU driver details directly, which is useful as a standalone utility. The \fB--stdin\fR option causes \fBgpu-plot\fR to read GPU data from stdin. This is how \fBgpu-mon\fR produces the plot and can also be used to pipe your own data into the process. The \fB--simlog\fR option can be used with the \fB--stdin\fR when a monitor log file is piped as stdin. This is useful for troubleshooting and can be used to display saved log results. The \fB--ltz\fR option results in the use of local time instead of UTC. If you plan to run both \fBgpu-plot\fR and \fBgpu-mon\fR, then the \fB--plot\fR option of the \fBgpu-mon\fR utility should be used instead of both utilities in order reduce data reads by a factor of 2. .SH OPTIONS .TP .BR " \-\-about" Will display details about .B gpu-plot\fP. .TP .BR " \-\-ltz" Use local time zone instead of UTC for displays and logging. .TP .BR " \-\-no_fan" Will exclude fan information from the display. Useful with watercooled GPUs. .TP .BR " \-\-stdin" Will read data from stdin. This is useful to display plots of a logfile save with \fBgpu-mon\fR. .TP .BR " \-\-simlog" When used with the \-\-stdin option, it will simulate the reading of data from the logfile at a rate define by \fB\-\-sleep\fR. .TP .BR " \-\-sleep " \fIN\fP Specifies N, the number of seconds to sleep between updates. .TP .BR " \-\-debug" Will output additional useful debug/troubleshooting details to a log file. .TP .BR \-h , " \-\-help" Display help text and exit. .SH "EXAMPLES" .nf .B gpu-plot \-\-sleep 5 \-\-ltz .fi Will open a Gtk window that will display plots of operation parameters for all compatible GPU's that updates every 5s. Time stamps displayed will use local time zone. .P .B cat \fIlogfile\fR | \fBgpu-plot \-\-stdin \-\-simlog \-\-sleep 1 .fi Will open a Gtk window that will display plots of the GPU operation data in the specified \fIlogfile\fR to simulate streamed data with a 1 sec interval. .P .SH CONFIGURATION In order to get maximum capability of these utilities, you should be running with a kernel that provides support of the GPUs you have installed. If using AMD GPUs, installing the latest amdgpu driver package or the latest ROCm release, may provide additional capabilities. If you have Nvidia GPUs installed, nvidia-smi must also be installed in order for the utility reading of the cards to be possible. Writing to GPUs is currently only possible for AMD GPUs, and only with compatible cards and with the the AMD ppfeaturemask set to 0xfffd7fff. This can be accomplished by adding amdgpu.ppfeaturemask=0xfffd7fff to the GRUB_CMDLINE_LINUX_DEFAULT value in /etc/default/grub and executing sudo update-grub. .SH "FILES" .PP .TP \fB/usr/share/misc/pci.ids\fR The system list of all known AMD PCI ID's (vendors, devices, classes and subclasses). It can be updated with the \fBupdate-pciids\fR command. .TP \fB/sys/class/drm/card*/device/pp_od_clk_voltage\fR Special driver file for each AMD GPU required for some \fBrickslab-gpu-utils\fR. .TP \fB/etc/default/grub\fR The grub defaults file where amdgpu.ppfeaturemask needs to be set. .SH BUGS Known to not work well with Fiji ProDuo cards and will issue warning messages for Fiji Nano cards. Please report any additional bugs/issues at https://github.com/Ricks-Lab/gpu-utils .SH "SEE ALSO" .BR cat (1), .BR gpu-mon (1) .BR amdgpu (4), .BR nvidia-smi (1), .BR update-grub (8), .BR update-pciids (8), .BR lspci (8) .SH AVAILABILITY The gpu-plot command is part of the rickslab-gpu-utils package and is available from https://github.com/Ricks-Lab/gpu-utils gpu-utils-3.6.0/requirements-venv.txt000066400000000000000000000000671402750156600177220ustar00rootroot00000000000000matplotlib>=3.1 pandas>=1.0 vext>=0.7.3 vext.gi>=0.7.0 gpu-utils-3.6.0/setup.py000077500000000000000000000065231402750156600152020ustar00rootroot00000000000000#!/usr/bin/python3 """ setup.py used in producing source and binary distributions. Usage: python3 setup.py sdist bdist_wheel Copyright (C) 2020 RicksLab This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . """ __author__ = 'RicksLab' __credits__ = [] __license__ = 'GNU General Public License - GPL-3' __program_name__ = 'setup.py' __maintainer__ = 'RueiKe' __docformat__ = 'reStructuredText' # pylint: disable=line-too-long import sys import os import pathlib from setuptools import setup, find_packages from GPUmodules import __version__, __status__ if sys.version_info < (3, 6): print('rickslab-gpu-utils requires at least Python 3.6.') sys.exit(1) with open(os.path.join(pathlib.Path(__file__).parent, 'README.md'), 'r') as file_ptr: LONG_DESCRIPTION = file_ptr.read() setup(name='rickslab-gpu-utils', version=__version__, description='Ricks-Lab GPU Utilities', long_description_content_type='text/markdown', long_description=LONG_DESCRIPTION, author='RueiKe', keywords='gpu system monitoring overclocking underclocking linux amdgpu nvidia-smi rocm amd nvidia opencl boinc', platforms='posix', author_email='rueikes.homelab@gmail.com', url='https://github.com/Ricks-Lab/gpu-utils', packages=find_packages(include=['GPUmodules']), include_package_data=True, scripts=['gpu-chk', 'gpu-ls', 'gpu-mon', 'gpu-pac', 'gpu-plot'], license='GPL-3', python_requires='>=3.6', project_urls={'Bug Tracker': 'https://github.com/Ricks-Lab/gpu-utils/issues', 'Documentation': 'https://github.com/Ricks-Lab/gpu-utils/blob/master/docs/USER_GUIDE.md', 'Source Code': 'https://github.com/Ricks-Lab/gpu-utils'}, classifiers=[__status__, 'Operating System :: POSIX', 'Natural Language :: English', 'Programming Language :: Python :: 3', 'Topic :: System :: Monitoring', 'Environment :: GPU', 'License :: OSI Approved :: GNU General Public License v3 (GPLv3)'], install_requires=['matplotlib>=3.1.3', 'pandas>=1.0.1'], data_files=[('share/rickslab-gpu-utils/icons', ['icons/gpu-mon.icon.png', 'icons/gpu-pac.icon.png', 'icons/gpu-plot.icon.png']), ('share/rickslab-gpu-utils/doc', ['README.md', 'LICENSE']), ('share/man/man1', ['man/gpu-chk.1', 'man/gpu-ls.1', 'man/gpu-mon.1', 'man/gpu-pac.1', 'man/gpu-plot.1'])])