path
stringlengths
5
312
repo_name
stringlengths
5
116
content
stringlengths
2
1.04M
www/gallery/taquin.html
molebot/brython
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en"> <head> <title>Brython - 15-puzzle demo</title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <script type="text/javascript" src="debug/brython.js"> </script> <style type="text/css" media="screen"> body { font: 12px/15px Calibri, Verdana; margin: 0px; background:#ddd; padding: 0px; } #container{ position: absolute; border-width:1px; border-radius: 10px; border-style: solid; border-color: #000; background-color: #333; } #zone { position: absolute; background-color:#666; color: #fff; font-size: 16px; line-height:20px; padding: 0px; } .square{ position: absolute; color: #000; background: #fcfff4; /* old browsers */ background: linear-gradient(to bottom, #fcfff4 0%,#dfe5d7 40%,#b3bead 100%); /* background-color: orange; */ border-width: 1px; border-style: solid; border-radius: 5px; border-color: #200; text-align: center; } </style> <meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0; user-scalable=0;"/> </head> <body onload="brython(1)"> <script type="text/python"> from browser import window, document, alert, html import random container = document['container'] # Game board zone = document['zone'] # Zone where cells move # Window dimensions width = window.innerWidth height = window.innerHeight dim = min(width, height) d = int(0.03*dim) # Distance of board to top and left of browser window padding = int(dim/25) # Board padding # Adapt container and zone dimensions to browser window dimensions container.top = container.left = d container.style.width = container.style.height = dim-2*d-2*padding container.style.padding = '%spx' %padding zwidth = dim - 2*d - 2*padding side = int(zwidth/4) zone.style.width = zone.style.height = 4*side # Global variables X0 = Y0 = None # Initial mouse or finger position allow = None # Possible move direction : 'right', 'left', 'up' or 'down' moving = [] # List of moving cells : between clicked cell and empty cell coords = [] # Initial position of moving cells def click_cell(ev): """Handler for mouse click or finger touch""" global X0, Y0, moving, allow if ev.type == 'touchstart': if len(ev.targetTouches)>1: return rect = ev.target # get row and col of clicked cell row = rect.top//side col = rect.left//side # Cell can be moved if in same row or column as the empty cell if row==erow or col==ecol: if row==erow: if col<ecol: allow = 'right' moving = [grid[row][i] for i in range(col, ecol)] else: allow = 'left' moving = [grid[row][i] for i in range(ecol+1, col+1)] else: if row<erow: allow = 'down' moving = [grid[i][col] for i in range(row, erow)] else: allow = 'up' moving = [grid[i][col] for i in range(erow+1, row+1)] # Binding for mouse/finger movement ev.target.bind('mousemove', move_cell) ev.target.bind('touchmove', move_cell) # Binding for move end ev.target.bind('mouseup', release_cell) ev.target.bind('touchend', release_cell) # Store initial position of moving cells del coords[:] for i, cell in enumerate(moving): coords.append([cell.left, cell.top]) # Store initial mouse position if ev.type == 'mousedown': X0 = ev.x Y0 = ev.y elif ev.type == 'touchstart': X0 = ev.targetTouches[0].pageX Y0 = ev.targetTouches[0].pageY def check_done(): """Test if puzzle is solved""" for cell in cells: if cell.row != cell.srow or cell.col!=cell.scol: return # Unbind mouse click / touch for cell in cells: cell.unbind('touchstart') cell.unbind('mousedown') alert('Bravo !') # Start a new game init() def release_cell(ev): """Handler for mouse or finger release""" global erow, ecol for cell in moving: cell.unbind('mousemove') cell.unbind('touchmove') target = ev.target # Row and column of cell when move stops row = round(target.top/side) col = round(target.left/side) # Detect if cell has moved to a different row / column has_moved = [row, col] != [target.row, target.col] if has_moved: # Delta row and column drow, dcol = row-target.row, col-target.col # Change attributes row and col of all moving cells for cell in moving: cell.row += drow cell.col += dcol # Recompute position of all cells # This could be done more elegantly but computing based on touch events # leads to unstable results ; this is safer full = list(range(16)) for cell in cells: cell.left = cell.col*side cell.top = cell.row*side grid[cell.row][cell.col] = cell full.remove(4*cell.row+cell.col) empty = full[0] erow, ecol = divmod(empty, 4) grid[erow][ecol] = None # Check if puzzle is solved if has_moved: check_done() def move_cell(ev): """Handler for mouse or finger move""" # New mouse / finger position if ev.type == 'mousemove': X, Y = ev.x, ev.y else: touch = ev.targetTouches[0] X, Y = touch.pageX, touch.pageY # Maximum move is the size of a cell if abs(Y-Y0)>=side or abs(X-X0)>=side: return release_cell(ev) # Move vertically if allowed if (allow=='up' and Y<Y0) or (allow=='down' and Y>Y0): for i, (cell, (x0, y0)) in enumerate(zip(moving,coords)): cell.top = y0+Y-Y0 # Else move horizontally elif (allow=='right' and X>X0) or (allow=='left' and X<X0): for i, (cell, (x0, y0)) in enumerate(zip(moving,coords)): cell.left = x0+X-X0 grid = [] # grid[row][cell] is the cell at specified row and column cells = [] # list of cells erow, ecol = None, None # row and column of the empty cell def init(*args): """Create a new game""" global erow, ecol # Remove existing cells if it is not the first game for cell in cells: cell.parent.remove(cell) del cells[:] del grid[:] ranks = list(range(15))+[None] erow, ecol = 3, 3 # Simulate permutations to make sure we have a valid game for i in range(300): movable = [] for row,col in [(erow-1, ecol), (erow+1, ecol), (erow, ecol-1), (erow, ecol+1)]: if row in range(4) and col in range(4): movable.append((row, col)) row, col = random.choice(movable) ranks[4*erow+ecol] = ranks[4*row+col] ranks[4*row+col] = None erow, ecol = row, col # Create cells at positions determined by ranks for row in range(4): cell_row = [] for col in range(4): num = ranks[4*row+col] if num is not None: # Create DIV element rect = html.DIV(num+1, style=dict( top=side*row, left=side*col, width='%spx' %(side-1), height='%spx' %(side-1), fontSize='%spx' %int(side/2), lineHeight='%spx' %int(0.8*side) ), Class="square" ) # Coordinates of cell when puzzle is solved rect.srow, rect.scol = divmod(num, 4) # Bindings for mouse click or touch rect.bind('mousedown', click_cell) rect.bind('touchstart', click_cell) # Draw cell zone <= rect cell_row.append(rect) cells.append(rect) # Current cell row and column rect.row = row rect.col = col else: # row and column of the empty cell erow = row ecol = col cell_row.append(None) grid.append(cell_row) def no_sel(ev): ev.preventDefault() ev.stopPropagation() # avoid default behaviour to select text when dragging mouse document.bind('mousedown', no_sel) document.bind('mousemove', no_sel) document.bind('touchmove', no_sel) init() </script> <div id="container"> <div id="zone"> </div> </div> </body> </html>
src/Orchard.Web/App_Data/TableTennisSiteData/Groups/group-2013-09-01.html
Imant/Tournament
<!DOCTYPE html> <html> <head> <title> Настольный теннис | Группы </title> <meta content='text/html; charset=utf-8' http-equiv='Content-type'> <meta content='width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=0' name='viewport'> <meta content='black' name='apple-mobile-web-app-status-bar-style'> <meta content='yes' name='apple-mobile-web-app-capable'> <link href='/favicon.ico' rel='shortcut icon'> <link href="/assets/application-5ee719f50c1de54ef91147e886e1a509.css" media="all" rel="stylesheet" type="text/css" /> <link href="/assets/mobile-42a633a004071d82a2e0412ef36d42c1.css" media="all" rel="stylesheet" type="text/css" /> <link href="/assets/print-bb4153dea3a83394e7458b7ac5ee80ed.css" media="print" rel="stylesheet" type="text/css" /> <meta content="authenticity_token" name="csrf-param" /> <meta content="fEQfKDnVbpH3TIa4PuCguvp7tNDr7gygtDhPxce+UI0=" name="csrf-token" /> </head> <body> <div id='app'> <div id='head'> <a class='goto goto-full' href='/?mb=0'>Полная версия</a> <a class='goto goto-mobile' href='/?mb=1'>Мобильная версия</a> <a href='/' id='logo'>Открытый турнир по настольному теннису</a> </div> <div id='container'> <div id='head-nav'> <ul id='navigation'> <li class='i' data-tip-nohover='true' data-tip='Результаты последнего турнира'><a href="/tours/latest" class="section">Рейтинг</a></li> <li class='i'><a href="/tours" class="section selected">Турниры</a></li> <li class='i'><a href="/players" class="section">Игроки</a></li> <li class='i'><a href="/photos" class="section">Фото</a></li> <li class='i'><a href="/articles" class="section">Статьи</a></li> <li class='i' data-tip-nohover='true' data-tip='Переход на forum.onliner.by'><a href="http://forum.onliner.by/viewtopic.php?t=1296589&amp;start=100000000" class="section" target="_blank">Форум</a></li> <li class='i right'><a href="/users/sign_up" class="section">Регистрация</a></li> <li class='i right'><a href="/users/sign_in" class="section">Вход</a></li> </ul> <ul id='breadcrumbs'> <li><a href="/">Главная</a></li><li><span class="divider">/</span></li><li><a href="/tours">Турниры</a></li><li><span class="divider">/</span></li><li><a href="/tours/2013-09-01">Открытый турнир Onliner 01 сентября, 2013</a></li> <li>/</li> <li>Группы</li> </ul> </div> <div id='content'> <div id='left-col'> <h2 class='title'>Открытый турнир Onliner </h2> <dl class='definitions'> <dd> Дата проведения <strong> 01 сентября, 2013 </strong> </dd> <dt>Игроки</dt> <dd> Приняло участие <strong>89</strong> игроков <br> из <strong>958</strong> зарегистрированных </dd> <dt></dt> <dd> Заархивированные: <a href="/players/barik">Barik</a>, <a href="/players/gazer">Gazer</a>, <a href="/players/bankir">Bankir</a>, <a href="/players/youhnevich">Youhnevich</a>, <a href="/players/melnikov_a">Melnikov_A</a>, <a href="/players/dmut">DMUT</a>, <a href="/players/larkin">Larkin</a> <br> Разархивированные: <a href="/players/logunov">Logunov</a>, <a href="/players/vaznic">Vaznic</a>, <a href="/players/romanenko">Romanenko</a>, <a href="/players/a_karpovich">A_Karpovich</a>, <a href="/players/laikov">Laikov</a>, <a href="/players/serj">Serj</a> <br> </dd> <dt>Рейтинг</dt> <dd> <div> Максимальный: <strong>2115.7</strong> - <a href="/players/sting">Sting</a> </div> <div> Средний: <strong>840.5</strong> </div> <div> Минимальный: <strong>36.3</strong> - <a href="/players/kulman">Kulman</a> </div> </dd> <dt>Игры</dt> <dd> <div> Всего <strong>369</strong> игр (<strong>1423</strong> сета) в <strong>55</strong> группах </div> <div class='tour-buttons'> <a href="/tours/2013-09-01" class="button"><strong>Рейтинг игроков</strong> </a></div> </dd> </dl> </div> <div id='right-col'> <dl class='tabs groups-tabs'> <dt class='tab' data-tab='league-1'>1 Лига</dt> <dd class='tab-content league-games'> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/sting">Sting</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/sikorski">Sikorski</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/pankovets">Pankovets</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/hromotron">Hromotron</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/arabina">Arabina</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/alex-b">Alex-B</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/rishelye">Rishelye</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/golotin">Golotin</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/balu">Balu</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 4 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/dimaroma">Dimaroma</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/yasha">Yasha</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/luchyts">Luchyts</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 5 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/blackheim">Blackheim</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/frenzymen">Frenzymen</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/dementev">Dementev</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 6 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/hag">Hag</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/logunov">Logunov</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/svhack">SVHack</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/leg">Leg</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/sting">Sting</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 5 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/hromotron">Hromotron</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/rishelye">Rishelye</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/yasha">Yasha</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/frenzymen">Frenzymen</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 5 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/logunov">Logunov</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 4 </td> <td class='ps'> 5 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/pankovets">Pankovets</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/alex-b">Alex-B</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 5 </td> </tr> <tr> <td class='player'> <a href="/players/golotin">Golotin</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 4 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/dimaroma">Dimaroma</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/blackheim">Blackheim</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/leg">Leg</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/sikorski">Sikorski</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 5 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/arabina">Arabina</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 4 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/balu">Balu</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 4 </td> <td class='ps'> 5 </td> </tr> <tr> <td class='player'> <a href="/players/luchyts">Luchyts</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/dementev">Dementev</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 4 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/hag">Hag</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs db'> 3 : 1 </td> <td class='wn'> 4 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/svhack">SVHack</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs db'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 5 </td> <td class='ps'> 7 </td> </tr> </tbody> </table> </dd> <dt class='tab' data-tab='league-2'>2 Лига</dt> <dd class='tab-content league-games'> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/abdeev">Abdeev</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/tylindus">Tylindus</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/makspro">MaksPro</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/thedarkprince">TheDarkPrince</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/boatswain">Boatswain</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/romanenko">Romanenko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 1 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/mr-sashka">Mr.Sashka</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/pedagog">Pedagog</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/igor">Igor</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/sergey">Sergey</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 4 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/mokorona">Mokorona</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/pilya">Pilya</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/al66">AL66</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/shevchenko">Shevchenko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 5 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/albert">Albert</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/alexmed">AlexMed</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/giantis">Giantis</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/imant">Imant</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 6 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/roman">Roman</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/wang">Wang</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/a-kunez">A.Kunez</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/a_karpovich">A_Karpovich</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/tylindus">Tylindus</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 4 </td> <td class='ps'> 5 </td> </tr> <tr> <td class='player'> <a href="/players/thedarkprince">TheDarkPrince</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/mr-sashka">Mr.Sashka</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/pilya">Pilya</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/giantis">Giantis</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 5 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/roman">Roman</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/abdeev">Abdeev</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/boatswain">Boatswain</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 4 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/pedagog">Pedagog</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 5 </td> </tr> <tr> <td class='player'> <a href="/players/mokorona">Mokorona</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/imant">Imant</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/wang">Wang</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/makspro">MaksPro</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 4 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/romanenko">Romanenko</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/igor">Igor</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/al66">AL66</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/a_karpovich">A_Karpovich</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 5 </td> <td class='ps'> 6 </td> </tr> <tr> <td class='player'> <a href="/players/alexmed">AlexMed</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 3 </td> <td class='ps'> 5 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 4 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/sergey">Sergey</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/shevchenko">Shevchenko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/albert">Albert</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3<sup>T</sup> </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/a-kunez">A.Kunez</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0<sup>T</sup> </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> </dd> <dt class='tab' data-tab='league-3'>3 Лига</dt> <dd class='tab-content league-games'> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/suvorov">Suvorov</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/volodko-s">Volodko.S</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/serg_bel">Serg_Bel</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/s_robocop">S_Robocop</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vika">Vika</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/serj">Serj</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/hodyko">Hodyko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/jade">Jade</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/hotko">Hotko</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/laikov">Laikov</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/fox">Fox</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/tao">Tao</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 4 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/amiral">Amiral</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/demjan">Demjan</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/slava">Slava</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/jcb">JCB</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 5 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/ermolkesha">Ermolkesha</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/roberto3">Roberto3</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/petrovich">Petrovich</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/artiom-86">Artiom 86</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 6 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/nikolos">Nikolos</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/legenda">Legenda</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/magic">MAGIC</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/kvn">KVN</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 7 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/alex-gray">Alex Gray</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/k-kruchenok">K.Kruchenok</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/simba">Simba</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/tanja">Tanja</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 8 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/lixach">Lixach</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/maestro">Maestro</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/desto">Desto</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/lotos">Lotos</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/suvorov">Suvorov</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/amiral">Amiral</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/roberto3">Roberto3</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/desto">Desto</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vika">Vika</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/hotko">Hotko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/nikolos">Nikolos</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/k-kruchenok">K.Kruchenok</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/suvorov">Suvorov</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs db'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/k-kruchenok">K.Kruchenok</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/vika">Vika</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/roberto3">Roberto3</a> </td> <td class='game rs db'> 2 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/desto">Desto</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs db'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/nikolos">Nikolos</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/hotko">Hotko</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/amiral">Amiral</a> </td> <td class='game rs db'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/volodko-s">Volodko.S</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/demjan">Demjan</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/artiom-86">Artiom 86</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/lixach">Lixach</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/jade">Jade</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/laikov">Laikov</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/magic">MAGIC</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/tanja">Tanja</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/lixach">Lixach</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs db'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/jade">Jade</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs db'> 3 : 2 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/magic">MAGIC</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs db'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/artiom-86">Artiom 86</a> </td> <td class='game rs db'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/demjan">Demjan</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs db'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/laikov">Laikov</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/tanja">Tanja</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/volodko-s">Volodko.S</a> </td> <td class='game rs db'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/serg_bel">Serg_Bel</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/slava">Slava</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/ermolkesha">Ermolkesha</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/lotos">Lotos</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/hodyko">Hodyko</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/fox">Fox</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/legenda">Legenda</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/alex-gray">Alex Gray</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/serg_bel">Serg_Bel</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs db'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/legenda">Legenda</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/fox">Fox</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/ermolkesha">Ermolkesha</a> </td> <td class='game rs db'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 3, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/slava">Slava</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs db'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/alex-gray">Alex Gray</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/hodyko">Hodyko</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/lotos">Lotos</a> </td> <td class='game rs db'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 4, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/s_robocop">S_Robocop</a> </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/jcb">JCB</a> </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/petrovich">Petrovich</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/maestro">Maestro</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 4, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/serj">Serj</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/tao">Tao</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/kvn">KVN</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/simba">Simba</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 4, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/maestro">Maestro</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs db'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/kvn">KVN</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/simba">Simba</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/jcb">JCB</a> </td> <td class='game rs db'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 4, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/petrovich">Petrovich</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs db'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/serj">Serj</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs db'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/tao">Tao</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs db'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/s_robocop">S_Robocop</a> </td> <td class='game rs db'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> </dd> <dt class='tab' data-tab='league-4'>4 Лига</dt> <dd class='tab-content league-games'> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vaznic">Vaznic</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/vlad96">Vlad96</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/dennis">Dennis</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/kulman">Kulman</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/zotich">Zotich</a> </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/liu">Liu</a> </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/ru">Ru</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/shadow">Shadow</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 3 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/tudasuda">TudaSuda</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/rurik">Rurik</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/baz">Baz</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/ololosha">Ololosha</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Отборочная группа 4 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/matroskin">Matroskin</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/prihodjko">Prihodjko</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/zmitr">Zmitr</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 1 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/july">July</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vaznic">Vaznic</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/tudasuda">TudaSuda</a> </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/zotich">Zotich</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/prihodjko">Prihodjko</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/liu">Liu</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/matroskin">Matroskin</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/dennis">Dennis</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/rurik">Rurik</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vaznic">Vaznic</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='game rs db'> 3 : 0 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/liu">Liu</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs db'> 3 : 0 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/matroskin">Matroskin</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs db'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/zotich">Zotich</a> </td> <td class='game rs db'> 0 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 1, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/tudasuda">TudaSuda</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 2 : 3 </td> <td class='game rs db'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/dennis">Dennis</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs db'> 3 : 2 </td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/rurik">Rurik</a> </td> <td class='game rs'> 3 : 2 </td> <td class='game rs db'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/prihodjko">Prihodjko</a> </td> <td class='game rs db'> 2 : 3 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, полуфинальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/vlad96">Vlad96</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/baz">Baz</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/shadow">Shadow</a> </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/zmitr">Zmitr</a> </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='qp'></td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, полуфинальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/ru">Ru</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/july">July</a> </td> <td class='game rs'> 0 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 2 : 3 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/kulman">Kulman</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> <tr> <td class='player'> <a href="/players/ololosha">Ololosha</a> </td> <td class='game rs'> 2 : 3 </td> <td class='game rs'> 3 : 2 </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, финальная стадия, группа 1 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/baz">Baz</a> </td> <td class='qp'></td> <td class='game rs'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs db'> 3 : 0 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/ru">Ru</a> </td> <td class='game rs'> 3 : 0 </td> <td class='qp'></td> <td class='game rs db'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/ololosha">Ololosha</a> </td> <td class='game rs'> 3 : 1 </td> <td class='game rs db'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/vlad96">Vlad96</a> </td> <td class='game rs db'> 0 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> <table cellpadding='0' cellspacing='0' class='group'> <caption> <div class='caption'> Финал 2, финальная стадия, группа 2 <div class='sub'> <span>М</span> <span>П</span> <span>В</span> </div> </div> </caption> <tbody> <tr> <td class='player'> <a href="/players/zmitr">Zmitr</a> </td> <td class='qp'></td> <td class='game rs'> 3 : 1 </td> <td class='game rs'> 3 : 0 </td> <td class='game rs db'> 3 : 2 </td> <td class='wn'> 3 </td> <td class='wn'> 0 </td> <td class='ps'> 1 </td> </tr> <tr> <td class='player'> <a href="/players/july">July</a> </td> <td class='game rs'> 1 : 3 </td> <td class='qp'></td> <td class='game rs db'> 3 : 2 </td> <td class='game rs'> 3 : 1 </td> <td class='wn'> 2 </td> <td class='wn'> 1 </td> <td class='ps'> 2 </td> </tr> <tr> <td class='player'> <a href="/players/kulman">Kulman</a> </td> <td class='game rs'> 0 : 3 </td> <td class='game rs db'> 2 : 3 </td> <td class='qp'></td> <td class='game rs'> 3 : 2 </td> <td class='wn'> 1 </td> <td class='wn'> 2 </td> <td class='ps'> 3 </td> </tr> <tr> <td class='player'> <a href="/players/shadow">Shadow</a> </td> <td class='game rs db'> 2 : 3 </td> <td class='game rs'> 1 : 3 </td> <td class='game rs'> 2 : 3 </td> <td class='qp'></td> <td class='wn'> 0 </td> <td class='wn'> 3 </td> <td class='ps'> 4 </td> </tr> </tbody> </table> </dd> <dt class='tab' id='player-search'> <input type='text'> </dt> <dd class='tab-content' id='player-search-result'> <div class='message'>Результаты поиска игр</div> </dd> </dl> </div> </div> </div> <div id='footer'> <ul> <li>&copy; 2009 - 2014, <a href="/">tabletennis.by</a></li> <li class='i' data-tip-nohover='true' data-tip='Результаты последнего турнира'><a href="/tours/latest" class="section">Рейтинг</a></li> <li class='i'><a href="/tours" class="section selected">Турниры</a></li> <li class='i'><a href="/players" class="section">Игроки</a></li> <li class='i'><a href="/photos" class="section">Фото</a></li> <li class='i'><a href="/articles" class="section">Статьи</a></li> <li class='i' data-tip-nohover='true' data-tip='Переход на forum.onliner.by'><a href="http://forum.onliner.by/viewtopic.php?t=1296589&amp;start=100000000" class="section" target="_blank">Форум</a></li> <li data-tip='&lt;ul&gt;&lt;li&gt;&lt;a href="http://baraholka.onliner.by/viewtopic.php?p=23785958" target="_blank"&gt;Продажа/покупка инвентаря&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="http://baraholka.onliner.by/viewtopic.php?p=18486407" target="_blank"&gt;Поиск тренера/партнера&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt;'>Еще</li> <li class='right'> &copy; Maksim Horbachevsky </li> </ul> <script src="/assets/application-b9c206ac2449e466bbb0bc7142ab9bcb.js" type="text/javascript"></script> <script> //<![CDATA[ window._gaq = window._gaq || []; // _gaq.push(["_setAccount", "UA-11311402-4"]); _gaq.push(['_setAccount', 'UA-11311402-3']); _gaq.push(["_trackPageview", "/tours/2013-09-01/groups"]); (function() { var ga = document.createElement("script"); ga.type = "text/javascript"; ga.async = true; ga.src = ("https:" == document.location.protocol ? "https://ssl" : "http://www") + ".google-analytics.com/ga.js"; var s = document.getElementsByTagName("script")[0]; s.parentNode.insertBefore(ga, s); })(); //]]> </script> </div> </div> </body> </html>
public/plugins/nestable-list/nestable-list.min.css
Nguimjeu/software-sandbox
.dd { position: relative; display: block; margin: 0; padding: 0; list-style: none; /*line-height: 20px;*/ } .dd-list { display: block; position: relative; margin: 0; padding: 0; list-style: none; } .dd-list .dd-list > .dd-item { padding-left: 25px; } .dd-collapsed .dd-list { display: none; } .dd-item, .dd-empty, .dd-placeholder { display: block; position: relative; margin: 0; padding: 0; } .dd-handle { margin: 3px 0; padding: 7px 10px; color: #2b425b; text-decoration: none; font-weight: normal; } .dd-handle i { vertical-align: middle; line-height: 1 } .dd-handle:hover { cursor: grab; cursor: -webkit-grab; } .dd-item > button { display: block; position: relative; cursor: pointer; float: left; width: 25px; /*height: 20px;*/ margin: 5px 0; padding: 0; text-indent: 100%; white-space: nowrap; overflow: hidden; border: 0; background: transparent; /*line-height: 1;*/ text-align: center; font-weight: bold; } .dd-item > button:before { content: '+'; color: #2b425b; font-weight: 700; font-size: 1.2em; display: block; position: absolute; width: 100%; text-align: center; text-indent: 0; } .dd-item > button[data-action="collapse"]:before { content: '-'; } .dd-placeholder, .dd-empty { margin: 3px 0; padding: 0; background-color: #fcfcc8; border: 1px dashed #a0a4a8; } .dd-empty { border: 1px dashed #a0a4a8; min-height: 100px; background-color: #fcfcc8; } .dd-dragel { position: absolute; pointer-events: none; z-index: 9999; } body.dd-dragging, body.dd-dragging * { cursor: -webkit-grabbing !important; cursor: grabbing !important; } .dd-dragel > .dd-item .dd-handle { margin-top: 0; } .dd-bg { background-color: #eef2f5; transition: all .2s } .dd-bg:hover { background-color: #e5ebf1; font-weight: bold; transition: all .2s } .dd-outline { border: 1px solid #e9e9e9; transition: all .2s } .dd-outline:hover { border: 1px solid #42a5f5; transition: all .2s } .dd-dashed { border-bottom: 1px dashed #e9e9e9; transition: all .2s } .dd-dashed:hover { border-bottom: 1px dashed #42a5f5; transition: all .2s } .changed .dd-anim { animation-name: dd-update; animation-duration: 1s; } .dd-dragel > .dd-item .dd-anim { animation-name: dd-dragging; animation-duration: .4s; animation-fill-mode: forwards; } .dd-dragel > .dd-item .dd-handle { background-color: #fff; box-shadow: 0 1px 10px rgba(0, 0, 0, .15); opacity: .9; } @keyframes dd-update { 1% { color: #fff; background-color: #42a5f5; } 100% { background-color: #eef2f5; } } @keyframes dd-dragging { 1% { background-color: #eef2f5; box-shadow: none } 100% { background-color: #42a5f5; color: #fff; box-shadow: 0 5px 5px rgba(0, 0, 0, .15) } } /**/ .dd-handle-btn { height: 30px; width: 30px; display: block; position: absolute; top: 0; float: left; margin: 0; vertical-align: middle } .dd-handle-btn:before { font-size: 12px; content: ''; height: .2em; width: .2em; background: #959595; color: #959595; display: block; position: absolute; top: 8px; left: 11px; box-shadow: .5em 0, 0 .5em, .5em .5em, 0 1em, .5em 1em; /*box-shadow: .5em 0, 1em 0, 0 .5em, .5em .5em, 1em .5em, 0 1em, .5em 1em, 1em 1em;*/ } .dd-content{ padding: 5px 0 0 35px; min-height: 30px; vertical-align: middle } .dd-list-handle-btn > .dd-item{ position: relative; } .dd-list-handle-btn .dd-item > button{ margin-left: 25px } /** * Nestable Extras 42a5f5 */ .nestable-lists { display: block; clear: both; padding: 30px 0; width: 100%; border: 0; border-top: 2px solid #ddd; border-bottom: 2px solid #ddd; } #nestable-menu { padding: 0; margin: 20px 0; } #nestable2 .dd-handle { color: #fff; border: 1px solid #999; background: #bbb; background: -webkit-linear-gradient(top, #bbb 0%, #999 100%); background: -moz-linear-gradient(top, #bbb 0%, #999 100%); background: linear-gradient(top, #bbb 0%, #999 100%); } #nestable2 .dd-handle:hover { background: #bbb; } #nestable2 .dd-item > button:before { color: #fff; } .dd-hover > .dd-handle { background: #2ea8e5 !important; } /** * Nestable Draggable Handles */ .dd3-content { display: block; height: 30px; margin: 5px 0; padding: 5px 10px 5px 40px; color: #333; text-decoration: none; font-weight: bold; border: 1px solid #ccc; background: #fafafa; background: -webkit-linear-gradient(top, #fafafa 0%, #eee 100%); background: -moz-linear-gradient(top, #fafafa 0%, #eee 100%); background: linear-gradient(top, #fafafa 0%, #eee 100%); -webkit-border-radius: 3px; border-radius: 3px; box-sizing: border-box; -moz-box-sizing: border-box; } .dd3-content:hover { color: #2ea8e5; background: #fff; } .dd-dragel > .dd3-item > .dd3-content { margin: 0; } .dd3-item > button { margin-left: 30px; } .dd3-handle { position: absolute; margin: 0; left: 0; top: 0; cursor: pointer; width: 30px; text-indent: 100%; white-space: nowrap; overflow: hidden; border: 1px solid #aaa; background: #ddd; background: -webkit-linear-gradient(top, #ddd 0%, #bbb 100%); background: -moz-linear-gradient(top, #ddd 0%, #bbb 100%); background: linear-gradient(top, #ddd 0%, #bbb 100%); border-top-right-radius: 0; border-bottom-right-radius: 0; } .dd3-handle:before { content: '≡'; display: block; position: absolute; left: 0; top: 3px; width: 100%; text-align: center; text-indent: 0; color: #fff; font-size: 20px; font-weight: normal; } .dd3-handle:hover { background: #ddd; }
dojo/templates/dojo/asciidoc_report.html
rackerlabs/django-DefectDojo
{% extends "base.html" %} {% block content %} {{ block.super }} {% load event_tags %} {% load display_tags %} {% load humanize %} {% load get_endpoint_status %} {% load get_note_status %} {% load get_notetype_availability %} <button onclick="asciidocDownload()" class="btn btn-primary" type="button"> Download Report </button> {% if product_type %} <h2>= {{ product_type }} =</h2> {% elif product %} <h2>= {{ product }} {% if endpoints %} - Endpoints {% endif %}=</h2> {% elif engagement %} <h2>= {{ engagement.product.name }}: {{ engagement }} =</h2> {% elif test %} <h2>= {{ test.engagement.product.name }}: {{ test.engagement }}, {{ test }} =</h2> {% elif endpoint %} <h2>= Endpoint Report =</h2> {% if host_view %} <h2>= {{ endpoint.host }} =</h2> {% else %} <h2>= {{ endpoint }} =</h2> {% endif %} {% endif %} Generated By {{ user.get_full_name }} &lt;{{ request.user.email }}&gt;<br> Generated On {% now "SHORT_DATE_FORMAT" %}<br> {% if include_table_of_contents%} <div class="row"> <div class="col-lg-12" id="toc"> <h3 id="table_of_contents">Table of Contents for {{ product.name }}</h3> </div> </div> <div id="contents"> {% endif %} {% if include_executive_summary and not endpoint %} <br> <h3>== Executive Summary ==</h3> <p> {% if product_type %} {% for prod in product_type.prod_type.all %} <h4>=== {{ prod.name }} ===</h4><br> {% if prod.engagement_set.all %} {% for eng in prod.engagement_set.all %} {% if eng.name and eng.name|length > 0 %} The {{ eng.name }} {% else %} An {% endif %} engagement ran from {{ eng.target_start|date:"SHORT_DATE_FORMAT" }} {% if eng.target_end %} to {{ eng.target_end|date:"SHORT_DATE_FORMAT" }}. {% else %} and is ongoing. {% endif %} {% if eng.test_set %} <br><br>The engagement also included the following tests which may be reported here:<br> <br> {% for t in eng.test_set.all %} * {{ t }} ({{ t.environment.name|default:"unknown" }}): {{ t.target_start|date:"SHORT_DATE_FORMAT" }}<br> {% endfor %} {% endif %} {% if eng.test_strategy %} <br>The test strategy for this engagement can be viewed at <a href="{{ eng.test_strategy }}">{{ eng.test_strategy }}</a><br><br> {% else %} <br> {% endif %} {% endfor %} {% else %} No engagements found for {{ prod.name }} <br><br> {% endif %} {% endfor %} A total of {{ findings|length|apnumber }} finding{{ findings|length|pluralize }} of varying severity are represented in this report. {% endif %} {% if product %} {% if product.engagement_set.all %} {% for eng in product.engagement_set.all %} <br> {% if eng.name and eng.name|length > 0 %} The {{ eng.name }} {% else %} An {% endif %} engagement ran from {{ eng.target_start|date:"SHORT_DATE_FORMAT" }} {% if eng.target_end %} to {{ eng.target_end|date:"SHORT_DATE_FORMAT" }}. {% else %} and is ongoing. {% endif %} {% if eng.test_set %} <br><br>The engagement also included the following tests which may be reported here:<br><br> {% for t in eng.test_set.all %} * {{ t }} ({{ t.environment.name|default:"unknown" }}): {{ t.target_start|date:"SHORT_DATE_FORMAT" }} <br> {% endfor %} {% endif %} {% if eng.test_strategy %} <br>The test strategy for this engagement can be viewed at <a href="{{ eng.test_strategy }}">{{ eng.test_strategy }}</a><br><br> {% else %} <br> {% endif %} {% endfor %} {% else %} No engagements found for {{ product.name }} <br><br> {% endif %} A total of {{ findings|length|apnumber }} finding{{ findings|length|pluralize }} of varying severity are represented in this report. {% endif %} {% if engagement %} <br> {% if engagement.name and engagement.name|length > 0 %} The {{ engagement.name }} {% else %} An {% endif %} engagement ran from {{ engagement.target_start|date:"SHORT_DATE_FORMAT" }} {% if engagement.target_end %} to {{ engagement.target_end|date:"SHORT_DATE_FORMAT" }}. {% else %} and is ongoing. {% endif %} {% if engagement.test_set %} <br><br>The engagement also included the following tests which may be reported here:<br><br> {% for t in engagement.test_set.all %} * {{ t }} ({{ t.environment.name|default:"unknown" }}): {{ t.target_start|date:"SHORT_DATE_FORMAT" }}<br> {% endfor %} {% endif %} {% if engagement.test_strategy %} <br>The test strategy for this engagement can be viewed at <a href="{{ engagement.test_strategy }}">{{ engagement.test_strategy }}</a><br><br> {% else %} <br> {% endif %} A total of {{ findings|length|apnumber }} finding{{ findings|length|pluralize }} of varying severity are represented in this report. {% endif %} {% if test %} <br> A {{ test }} was conducted in the {{ test.environment.name }} environment {% if test.target_end %} from {{ test.target_start|date:"SHORT_DATE_FORMAT" }} to {{ test.target_end|date:"SHORT_DATE_FORMAT" }} {% else %} on {{ test.target_start|date:"SHORT_DATE_FORMAT" }} {% endif %} which yielded a total of {{ findings|length|apnumber }} finding{{ findings|length|pluralize }} of varying severity.<br><br> The test was part of {% if test.engagement.name %} the {{ test.engagement.name }} {% else %} an {% endif %} engagement which ran from {{ test.engagement.target_start|date:"SHORT_DATE_FORMAT" }} {% if test.engagement.target_end %} to {{ test.engagement.target_end|date:"SHORT_DATE_FORMAT" }}. {% else %} and is ongoing. {% endif %} <br><br> {% if test.engagement.test_set %} The engagement also included the following tests which are not reported here:<br><br> {% for t in test.engagement.test_set.all %} {% if test.id != t.id %} * {{ t }} ({{ t.environment.name|default:"unknown" }}): {{ t.target_start|date:"SHORT_DATE_FORMAT" }}<br> {% endif %} {% endfor %} </ul> {% endif %} {% endif %} </p> {% endif %} {% if include_disclaimer%} <h4>== Disclaimer ==</h4> <h5>{{ disclaimer }}</h5> {% endif %} <br> {% if test %} {% with notes=test.notes.all|get_public_notes %} <h3>== Test Notes ==</h3> <p class="m20"> {% if notes %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {{ note }} +<br> {% endfor %} {% endif %} </p> <br> {% endwith %} {% endif %} {% if engagement.test_set.all %} <h3 id="test_notes">== Test Notes ==</h3> <p> {% for test in engagement.test_set.all %} {% with notes=test.notes.all|get_public_notes %} {% if notes %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {{ note }} +<br> {% endfor %} {% endif %} {% endwith %} {% endfor %} </p> <br> {% endif %} {% if engagement.risk_acceptance.count %} <h3 id="risk_acceptance">== ?Risk Accepted Findings ==</h3> |===<br> |Name |Date |Severity<br> {% for risk in engagement.risk_acceptance.all %} {% for finding in risk.accepted_findings.all %} |{{ finding.title }}<br> |{{ finding.date }}<br> |{{ finding.severity }}<br> {% endfor %} {% endfor %} |===<br> <br> {% endif %} {% if findings %} <h3>== Findings ==</h3> <br> {% endif %} {% for find in findings %} <h4>==== Finding {{ find.id }}: {{ find.title | nice_title }} {% if find.mitigated %} Mitigated on: {{ find.mitigated }} {% endif %} {% if find.tags %} <sup> [ {% for tag in find.tags.all %} {{ tag }} {% endfor %} ] </sup> {% endif %} ==== </h4> <br> <p><b>==== Product: ====</b> <br> {{ find.test.engagement.product.name }} </p> <br> <p><b>==== Status: ====</b> <br> {{ find.status }} </p> <br> <p><b>==== CVSS v3: ====</b> <br> {{ find.cvssv3 }} </p> <br> <p><b>==== Severity: ====</b> <br> <span style="color: {% if find.severity == 'Critical' %} Red {% elif find.severity == 'High' %} Magenta {% elif find.severity == 'Medium' %} Orange {% elif find.severity == 'Low' %} #00CC00 {% elif find.severity == 'Info' %} Blue {% endif %}"> {{ find.severity }} ({{ find.numerical_severity }}) </span> </p> <p><b>==== Description / Exploit: ====</b> <br> {{ find.description|linebreaksbr }} </p> <br> <p><b>==== Impact: ====</b> <br> {{ find.impact|linebreaksasciidocbr }} </p> <br> {% with endpoints=find|get_vulnerable_endpoints %} {% if endpoints %} <p><b>==== Vulnerable Endpoints: ====</b><br> {% for endpoint in endpoints %} {{ endpoint }} +<br/> {% endfor %} </p> <br> {% endif %} {% endwith %} {% with endpoints=find|get_mitigated_endpoints %} {% if endpoints %} <p><b>==== Remediated Endpoints: ====</b><br> {% for endpoint in endpoints %} {{ endpoint }} +<br/> {% endfor %} </p> <br> {% endif %} {% endwith %} <p><b>==== Suggested Mitigation: ====</b> <br> {{ find.mitigation|linebreaksasciidocbr }} </p> <br> <p><b>==== Further References: ====</b> <br> {{ find.references|linebreaksasciidocbr }} </p> <br> {% if include_finding_images %} <p><b>==== Finding Images: ====</b> <br> {% include "dojo/snippets/file_images.html" with size='small' obj=find format="AsciiDoc" %} </p><br> {% else %} <br> {% endif %} {% if include_finding_notes %} {% with notes=find.notes.all|get_public_notes %} {% if notes.count > 0 %} <p><b>==== Finding Notes: ====</b> <br> {% if notes|get_notetype_notes_count > 0 %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {% if note.note_type != None %}{{ note.note_type }}{% endif %} - {{ note }} +<br> {% endfor %} {% else %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {{ note }} +<br> {% endfor %} {% endif %} </p><br> {% endif %} {% endwith %} {% endif %} {% endfor %} {% if mitigated_findings %} <h3>== Mitigated Findings ==</h3> <br> {% for find in mitigated_findings %} <h4>=== Finding {{ find.id }}: {{ find.title | nice_title }} {% if find.mitigated %} Mitigated on: {{ find.mitigated }} {% endif %}===</h4> <br> <p><b>==== Severity: ====</b><br> <span style="color: {% if find.severity == 'Critical' %} Red {% elif find.severity == 'High' %} Magenta {% elif find.severity == 'Medium' %} Orange {% elif find.severity == 'Low' %} #00CC00 {% elif find.severity == 'Info' %} Blue {% endif %}"> {{ find.severity }} ({{ find.numerical_severity }}) </span> </p><br> <p><b>==== Description / Exploit: ====</b> <br> {{ find.description|linebreaksasciidocbr }} </p> {% if include_finding_images %} <p><b>==== Finding Images: ====</b> <br> {% include "dojo/snippets/file_images.html" with size='small' obj=find format="AsciiDoc" %} </p><br> {% else %} <br> {% endif %} {% if include_finding_notes %} {% with notes=find.notes.all|get_public_notes %} {% if notes.count > 0 %} <br> <p><b>==== Finding Notes: ====</b> <br> {% if notes|get_notetype_notes_count > 0 %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {% if note.note_type != None %}{{ note.note_type }}{% endif %} - {{ note }} +<br> {% endfor %} {% else %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {{ note }} +<br> {% endfor %} {% endif %} </p><br> {% endif %} {% endwith %} {% endif %} {% endfor %} {% endif %} {% if endpoints %} <h3>== Endpoints ==</h3> {% for endpoint in endpoints %} <h4>=== {{ endpoint }} ===</h4> {% for find in endpoint.active_findings %} <h5>==== Finding {{ find.id }}: {{ find.title | nice_title }} {% if find.mitigated %} Mitigated on: {{ find.mitigated }} {% endif %}====</h5> <br> <p><b>==== Product: ====</b> <br> {{ find.test.engagement.product.name }} </p> <br> <p><b>==== Status: ====</b> <br> {{ find.status }} </p> <br> <p><b>==== Severity: ====</b> <br> <span style="color: {% if find.severity == 'Critical' %} Red {% elif find.severity == 'High' %} Magenta {% elif find.severity == 'Medium' %} Orange {% elif find.severity == 'Low' %} #00CC00 {% elif find.severity == 'Info' %} Blue {% endif %}"> {{ find.severity }} ({{ find.numerical_severity }}) </span> </p> <p><b>==== Description / Exploit: ====</b> <br> {{ find.description|linebreaksbr }} </p> <br> <p><b>==== Impact: ====</b> <br> {{ find.impact|linebreaksasciidocbr }} </p> <br> {% with endpoints=find|get_vulnerable_endpoints %} {% if endpoints %} <p><b>==== Vulnerable Endpoints: ====</b><br> {% for endpoint in endpoints %} {{ endpoint }} +<br/> {% endfor %} </p> <br> {% endif %} {% endwith %} {% with endpoints=find|get_mitigated_endpoints %} {% if endpoints %} <p><b>==== Remediated Endpoints: ====</b><br> {% for endpoint in endpoints %} {{ endpoint }} +<br/> {% endfor %} </p> <br> {% endif %} {% endwith %} <br> <p><b>==== Suggested Mitigation: ====</b> <br> {{ find.mitigation|linebreaksasciidocbr }} </p> <br> <p><b>==== Further References: ====</b> <br> {{ find.references|linebreaksasciidocbr }} </p> <br> {% if include_finding_images %} <p><b>==== Finding Images: ====</b> <br> {% include "dojo/snippets/file_images.html" with size='small' obj=find format="AsciiDoc" %} </p><br> {% else %} <br> {% endif %} <br> {% if include_finding_notes %} {% with notes=find.notes.all|get_public_notes %} {% if notes.count > 0 %} <br> <p><b>==== Finding Notes: ====</b> <br> {% if notes|get_notetype_notes_count > 0 %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {% if note.note_type != None %}{{ note.note_type }}{% endif %} - {{ note }} +<br> {% endfor %} {% else %} {% for note in notes reversed %} {{ note.author }} - {{ note.date }} - {{ note|linebreaks }} +<br> {% endfor %} {% endif %} </p><br> {% endif %} {% endwith %} {% endif %} {% endfor %} {% endfor %} {% endif %} {% if include_table_of_contents %} </div> {% endif %} {% endblock %} {% block postscript %} {{ block.super }} <script type="text/javascript"> window.onload = function () { var toc = ""; var level = 3; document.getElementById("contents").innerHTML = document.getElementById("contents").innerHTML.replace( /<h([\d])([^<]*)>([^<]+)<\/h([\d])>|<h([\d])([^>]*)>([^<]+)<sup>([^<]*)<\/sup>([^<]*)<\/h([\d])>/gi, function (str, openLevel, id, titleText, closeLevel, openLevel_t, id_t, titleText_t, tags, junk, closeLevel_t) { if (openLevel != closeLevel || openLevel > 5) { return str; } if(tags) { openLevel = openLevel_t; id = id_t; titleText = titleText_t; closeLevel = closeLevel_t; } if (openLevel > level) { toc += (new Array(openLevel - level + 1)).join("<ul>"); } else if (openLevel < level) { toc += (new Array(level - openLevel + 1)).join("</ul>"); } level = parseInt(openLevel); var anchor = titleText.trim().replace(/ /g, "_"); if(tags) { if (['Info', 'Low', 'Medium', 'High', 'Critical'].indexOf(titleText) >= 0) { toc += "<li><a style=\"font-size:" + (160 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + "<span class=\"label severity severity-" + titleText + "\">" + titleText + "</span></a></li>"; } else { toc += "<li><a style=\"font-size:" + (160 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + titleText + "<sup>" + tags + "</sup></a></li>"; } return "<a style=\"color:black;\" name=\"" + anchor + "\"><h" + openLevel + "" + id + ">" + titleText + "<sup>" + tags + "</sup></h" + closeLevel + "></a>"; } else { if (['Info', 'Low', 'Medium', 'High', 'Critical'].indexOf(titleText) >= 0) { toc += "<br><li><a style=\"font-size:" + (160 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + "<span class=\"label severity severity-" + titleText + "\">" + titleText + "</span></a></li><br>"; } else { toc += "<li><a style=\"font-size:" + (160 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + titleText + "</a></li>"; } return "<a style=\"color:black;\" name=\"" + anchor + "\"><h" + openLevel + "" + id + ">" + titleText + "</h" + closeLevel + "></a>"; } return "<a style=\"color:black;\" name=\"" + anchor + "\"><h" + openLevel + "" + id + ">" + titleText + "<sup>" + tags + "</sup></h" + closeLevel + "></a>"; } ); if (level) { toc += (new Array(level + 1)).join("</ul>"); } document.getElementById("toc").innerHTML += toc; }; /* window.onload = function () { var toc = ""; var level = 3; // Handle all elements exclusive of tags document.getElementById("contents").innerHTML = document.getElementById("contents").innerHTML.replace( /<h([\d])([^<]*)>([^<]+)<\/h([\d])>/gi, function (str, openLevel, id, titleText, closeLevel) { console.log(titleText) if (openLevel != closeLevel || openLevel > 5) { return str; } if (openLevel > level) { toc += (new Array(openLevel - level + 1)).join("<ul>"); } else if (openLevel < level) { toc += (new Array(level - openLevel + 1)).join("</ul>"); } level = parseInt(openLevel); var anchor = titleText.trim().replace(/ /g, "_"); toc += "<li><a style=\"font-size:" + (140 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + titleText.replace(/=/g, "") + "</a></li>"; return "<a style=\"color:black;\" name=\"" + anchor + "\"><h" + openLevel + "" + id + ">" + titleText + "</h" + closeLevel + "></a>"; } ); // Handle findings with tags document.getElementById("contents").innerHTML = document.getElementById("contents").innerHTML.replace( /<h([\d])([^<]*)>([^<]+)<sup>([^<]+)<\/sup>([^<]*)<\/h([\d])>/gi, function (str, openLevel, id, titleText, tags, junk, closeLevel) { if (openLevel != closeLevel || openLevel > 5) { return str; } if (openLevel > level) { toc += (new Array(openLevel - level + 1)).join("<ul>"); } else if (openLevel < level) { toc += (new Array(level - openLevel + 1)).join("</ul>"); } level = parseInt(openLevel); var anchor = titleText.trim().replace(/ /g, "_"); toc += "<li><a style=\"font-size:" + (140 - (level * 7)) + "%; color:black;\" href=\"#" + anchor + "\">" + titleText.replace(/=/g, "") + "<sup>" + tags + "</sup></a></li>"; return "<a style=\"color:black;\" name=\"" + anchor + "\"><h" + openLevel + "" + id + ">" + titleText + "<sup>" + tags + "</sup></h" + closeLevel + "></a>"; } ); if (level) { toc += (new Array(level + 1)).join("</ul>"); } document.getElementById("toc").innerHTML += toc; }; */ </script> {% endblock %}
doc/api/polymer_app_layout.behaviors/RtcDtmfSender/toneChangeEvent.html
lejard-h/polymer_app_layout_templates
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>toneChangeEvent constant - RtcDtmfSender class - polymer_app_layout.behaviors library - Dart API</title> <!-- required because all the links are pseudo-absolute --> <base href="../.."> <link href='https://fonts.googleapis.com/css?family=Source+Code+Pro|Roboto:500,400italic,300,400' rel='stylesheet' type='text/css'> <link rel="stylesheet" href="static-assets/prettify.css"> <link rel="stylesheet" href="static-assets/css/bootstrap.min.css"> <link rel="stylesheet" href="static-assets/styles.css"> <meta name="description" content="API docs for the toneChangeEvent constant from the RtcDtmfSender class, for the Dart programming language."> <link rel="icon" href="static-assets/favicon.png"> <!-- Do not remove placeholder --> <!-- Header Placeholder --> </head> <body> <div id="overlay-under-drawer"></div> <header class="container-fluid" id="title"> <nav class="navbar navbar-fixed-top"> <div class="container"> <button id="sidenav-left-toggle" type="button">&nbsp;</button> <ol class="breadcrumbs gt-separated hidden-xs"> <li><a href="index.html">polymer_app_layout_template</a></li> <li><a href="polymer_app_layout.behaviors/polymer_app_layout.behaviors-library.html">polymer_app_layout.behaviors</a></li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html">RtcDtmfSender</a></li> <li class="self-crumb">toneChangeEvent</li> </ol> <div class="self-name">toneChangeEvent</div> </div> </nav> <div class="container masthead"> <ol class="breadcrumbs gt-separated visible-xs"> <li><a href="index.html">polymer_app_layout_template</a></li> <li><a href="polymer_app_layout.behaviors/polymer_app_layout.behaviors-library.html">polymer_app_layout.behaviors</a></li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html">RtcDtmfSender</a></li> <li class="self-crumb">toneChangeEvent</li> </ol> <div class="title-description"> <h1 class="title"> <div class="kind">constant</div> toneChangeEvent </h1> <!-- p class="subtitle"> Static factory designed to expose <code class="prettyprint lang-dart">tonechange</code> events to event handlers that are not necessarily instances of <a href="polymer_app_layout/RtcDtmfSender-class.html">RtcDtmfSender</a>. </p --> </div> <ul class="subnav"> </ul> </div> </header> <div class="container body"> <div class="col-xs-6 col-sm-3 sidebar sidebar-offcanvas-left"> <h5><a href="index.html">polymer_app_layout_template</a></h5> <h5><a href="polymer_app_layout.behaviors/polymer_app_layout.behaviors-library.html">polymer_app_layout.behaviors</a></h5> <h5><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html">RtcDtmfSender</a></h5> <ol> <li class="section-title"><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html#constants">Constants</a></li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/toneChangeEvent.html">toneChangeEvent</a></li> <li class="section-title"><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html#instance-properties">Properties</a></li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/canInsertDtmf.html">canInsertDtmf</a> </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/duration.html">duration</a> </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/interToneGap.html">interToneGap</a> </li> <li>on </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/onToneChange.html">onToneChange</a> </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/toneBuffer.html">toneBuffer</a> </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/track.html">track</a> </li> <li class="section-title"><a href="polymer_app_layout.behaviors/RtcDtmfSender-class.html#methods">Methods</a></li> <li>addEventListener </li> <li>dispatchEvent </li> <li><a href="polymer_app_layout.behaviors/RtcDtmfSender/insertDtmf.html">insertDtmf</a> </li> <li>removeEventListener </li> </ol> </div><!--/.sidebar-offcanvas-left--> <div class="col-xs-12 col-sm-9 col-md-6 main-content"> <section class="multi-line-signature"> <span class="returntype"><a href="polymer_app_layout/EventStreamProvider-class.html">EventStreamProvider</a>&lt;<a href="dart-html/RtcDtmfToneChangeEvent-class.html">RtcDtmfToneChangeEvent</a>&gt;</span> <span class="name ">toneChangeEvent</span> = <span class="constant-value">const <a href="polymer_app_layout/EventStreamProvider-class.html">EventStreamProvider</a>&lt;<a href="dart-html/RtcDtmfToneChangeEvent-class.html">RtcDtmfToneChangeEvent</a>&gt;<RtcDtmfToneChangeEvent>('tonechange')</span> </section> <section class="desc markdown"> <p>Static factory designed to expose <code class="prettyprint lang-dart">tonechange</code> events to event handlers that are not necessarily instances of <a href="polymer_app_layout/RtcDtmfSender-class.html">RtcDtmfSender</a>.</p> <p>See <a href="polymer_app_layout/EventStreamProvider-class.html">EventStreamProvider</a> for usage information.</p> </section> </div> <!-- /.main-content --> </div> <!-- container --> <footer> <div class="container-fluid"> <div class="container"> <p class="text-center"> <span class="no-break"> polymer_app_layout_template 0.1.0 api docs </span> &bull; <span class="copyright no-break"> <a href="https://www.dartlang.org"> <img src="static-assets/favicon.png" alt="Dart" title="Dart"width="16" height="16"> </a> </span> &bull; <span class="copyright no-break"> <a href="http://creativecommons.org/licenses/by-sa/4.0/">cc license</a> </span> </p> </div> </div> </footer> <script src="static-assets/prettify.js"></script> <script src="static-assets/script.js"></script> <!-- Do not remove placeholder --> <!-- Footer Placeholder --> </body> </html>
website/themes/default/templates/pasteview/create.html
david-xie/OldPasteCookie
{% extends theme('default/base.html') %} {% block title %}粘贴新代码{% endblock %} {% block content %} <script type="text/javascript"> $(document).ready(function() { $('#show-desc-link').toggle(function() { $('#show-desc-box').fadeIn('fast'); location.href = '#show-desc-box'; $(this).html('隐藏描述'); }, function() { $('#show-desc-box').fadeOut('fast'); $(this).html('添加描述'); }); $('#show-code-link').toggle(function() { $('#show-code-box').fadeOut('fast'); $(this).html('添加代码'); }, function() { $('#show-code-box').fadeIn('fast'); location.href = '#show-code-box'; $(this).html('隐藏代码'); }); $('#show-file-link').toggle(function() { $('#show-file-box').fadeIn('fast'); location.href = '#show-file-box'; $(this).html('隐藏文件'); }, function() { $('#show-file-box').fadeOut('fast'); $(this).html('上传文件'); }); }) </script> <div class="row"> <div class="well"> {% if g.form.code_file.errors %} <ul> {% for error in g.form.code_file.errors %} <li class="alert alert-error"> <button class="close" data-dismiss="alert">×</button> {{ error }} </li> {% endfor %} </ul> {% endif %} <form class="form-horizontal" action="{{ url_for('pasteview.create') }}" method="POST" enctype="multipart/form-data"> <fieldset> <legend>{{ _('share_my_code') }}</legend> <div class="form-group"> {{ g.form.title.label(class="control-label col-md-2") }} <div class="col-md-10"> <input type="text" name="title" class="form-control" placeholder="{{ _('form_title_placeholder') }}给你的代码起个名字, 不填就是 未知标题 哦" /> </div> </div> <div class="form-group"> {{ g.form.syntax.label(class="control-label col-md-2") }} <div class="col-md-10"> {{ g.form.syntax(class="form-control") }} </div> </div> <div class="form-group"> {{ g.form.tag.label(class="control-label col-md-2") }} <div class="col-md-10"> <input type="text" name="tag" class="form-control" placeholder="{{ _('form_tag_placeholder') }}多个标签用空格分割, 最多可以写3个标签哦" /> <div class="checkbox"> <label> {{ g.form.is_private() }}{{ _('is_private') }} </label> </div> </div> </div> <!-- <p class="clearfix"> <label class="span1 lh30 mr10"></label> <a href="javascript: void(0);" id="show-desc-link" class="mr10">添加描述</a> <a href="javascript: void(0);" id="show-code-link" class="mr10">隐藏代码</a> <a href="javascript: void(0);" id="show-file-link" class="mr10">上传文件</a> </p> --> <!-- <p id="show-desc-box" style="display: none"> <label class="span1 lh30 mr10">描述</label> {{ g.form.description(class="span7 lf") }} </p> --> <div class="form-group"> {{ g.form.content.label(class="control-label col-md-2") }} <div class="col-md-10"> <textarea class="form-control" rows="10" name="content"></textarea> <span class="help-block">{{ _('form_content_placeholder') }}在这里贴上您想分享的代码吧</span> </div> </div> <!--<p id="show-file-box" class="clearfix" style="display: none"> <label class="span1 lh30 mr10">上传文件</label> {{ g.form.code_file(class="input-file") }} </p> --> <div class="form-group"> <div class="col-md-8 col-md-offset-2"> <input type="submit" class="btn btn-primary" value="{{ _('share') }}" /> </div> </div> </fieldset> </form> </div> </div> {% endblock %} {% block sidebar %} <h2 class="new-paste-title"> <span></span> 站点介绍 </h2> <p class="lh24 pt15"> 代码段(以前的大卫粘贴)是一个什么样的网站呢? 我很难用一句话来形容. 你可以用它来贴代码, 你也可以用它来展示代码, 你也可以用它来收藏代码, 你也可以用它来观察别人都在写什么代码. </p> {% endblock %}
webapi/webapi-vehicleinfo-xwalk-tests/vehicleinfo/HVAC_steeringWheelHeater_attribute.html
xiaojunwu/crosswalk-test-suite
<!DOCTYPE html> <!-- Copyright (c) 2013 Intel Corporation. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of works must retain the original copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the original copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of Intel Corporation nor the names of its contributors may be used to endorse or promote products derived from this work without specific prior written permission. THIS SOFTWARE IS PROVIDED BY INTEL CORPORATION "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL INTEL CORPORATION BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. Authors: Hao, Yunfei <yunfeix.hao@intel.com> --> <html> <head> <title>HVAC_steeringWheelHeater_attribute</title> <meta charset="utf-8"> <script src="../resources/unitcommon.js"></script> </head> <body> <div id="log"></div> <script> test(function() { var obj = tizen.vehicle.get("HVAC"); check_attribute(obj, "steeringWheelHeater", obj.steeringWheelHeater, "boolean", !obj.steeringWheelHeater); }, "HVAC_steeringWheelHeater_attribute"); </script> </body> </html>
docs/structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html
NVIDIA/cutlass
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.11"/> <title>CUTLASS: cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::Detail Struct Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <script type="text/x-mathjax-config"> MathJax.Hub.Config({ extensions: ["tex2jax.js"], jax: ["input/TeX","output/HTML-CSS"], }); </script><script type="text/javascript" src="http://cdn.mathjax.org/mathjax/latest/MathJax.js"></script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectlogo"><img alt="Logo" src="cutlass-logo-small.png"/></td> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">CUTLASS </div> <div id="projectbrief">CUDA Templates for Linear Algebra Subroutines and Solvers</div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.11 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="modules.html"><span>Modules</span></a></li> <li><a href="namespaces.html"><span>Namespaces</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="inherits.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div id="nav-path" class="navpath"> <ul> <li class="navelem"><a class="el" href="namespacecutlass.html">cutlass</a></li><li class="navelem"><a class="el" href="namespacecutlass_1_1epilogue.html">epilogue</a></li><li class="navelem"><a class="el" href="namespacecutlass_1_1epilogue_1_1threadblock.html">threadblock</a></li><li class="navelem"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html">DefaultThreadMapWmmaTensorOp</a></li><li class="navelem"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html">Detail</a></li> </ul> </div> </div><!-- top --> <div class="header"> <div class="summary"> <a href="#pub-types">Public Types</a> &#124; <a href="#pub-static-attribs">Static Public Attributes</a> &#124; <a href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail-members.html">List of all members</a> </div> <div class="headertitle"> <div class="title">cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::Detail Struct Reference</div> </div> </div><!--header--> <div class="contents"> <p><code>#include &lt;<a class="el" href="default__thread__map__wmma__tensor__op_8h_source.html">default_thread_map_wmma_tensor_op.h</a>&gt;</code></p> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-types"></a> Public Types</h2></td></tr> <tr class="memitem:acf7d024582e535083c88c32d9e3759ac"><td class="memItemLeft" align="right" valign="top">using&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#acf7d024582e535083c88c32d9e3759ac">WarpCount</a> = <a class="el" href="structcutlass_1_1gemm_1_1GemmShape.html">gemm::GemmShape</a>&lt; ThreadblockShape::kM/WarpShape::kM, ThreadblockShape::kN/WarpShape::kN, <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html#a4c1f7afac546fd4c50f96cc24ab545cc">kPartitionsK</a> &gt;</td></tr> <tr class="memdesc:acf7d024582e535083c88c32d9e3759ac"><td class="mdescLeft">&#160;</td><td class="mdescRight">Number of warps. <a href="#acf7d024582e535083c88c32d9e3759ac">More...</a><br /></td></tr> <tr class="separator:acf7d024582e535083c88c32d9e3759ac"><td class="memSeparator" colspan="2">&#160;</td></tr> </table><table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-static-attribs"></a> Static Public Attributes</h2></td></tr> <tr class="memitem:a6b72af5c7f39ff1eeefa0eb28a9b4a6f"><td class="memItemLeft" align="right" valign="top">static int const&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#a6b72af5c7f39ff1eeefa0eb28a9b4a6f">kTensorOpRows</a> = InstructionShape::kM</td></tr> <tr class="memdesc:a6b72af5c7f39ff1eeefa0eb28a9b4a6f"><td class="mdescLeft">&#160;</td><td class="mdescRight">Wmma Tensor Operations fundamentally perform operations on InstructionShape::kM rows. <a href="#a6b72af5c7f39ff1eeefa0eb28a9b4a6f">More...</a><br /></td></tr> <tr class="separator:a6b72af5c7f39ff1eeefa0eb28a9b4a6f"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:aea2433024dde002e594b2e6da968ff88"><td class="memItemLeft" align="right" valign="top">static int const&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#aea2433024dde002e594b2e6da968ff88">kWarpSize</a> = 32</td></tr> <tr class="separator:aea2433024dde002e594b2e6da968ff88"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:afc1accef02f5b85ec0a3c8840b35c698"><td class="memItemLeft" align="right" valign="top">static int const&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#afc1accef02f5b85ec0a3c8840b35c698">kThreads</a> = <a class="el" href="structcutlass_1_1gemm_1_1GemmShape.html#a3768273d392c8e133812f2b3313f45e8">WarpCount::kCount</a> * <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#aea2433024dde002e594b2e6da968ff88">kWarpSize</a></td></tr> <tr class="memdesc:afc1accef02f5b85ec0a3c8840b35c698"><td class="mdescLeft">&#160;</td><td class="mdescRight">Number of participating threads. <a href="#afc1accef02f5b85ec0a3c8840b35c698">More...</a><br /></td></tr> <tr class="separator:afc1accef02f5b85ec0a3c8840b35c698"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> <h2 class="groupheader">Member Typedef Documentation</h2> <a class="anchor" id="acf7d024582e535083c88c32d9e3759ac"></a> <div class="memitem"> <div class="memproto"> <div class="memtemplate"> template&lt;typename ThreadblockShape_ , typename WarpShape_ , typename InstructionShape_ , int PartitionsK, typename Element_ , int ElementsPerAccess&gt; </div> <table class="memname"> <tr> <td class="memname">using <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html">cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp</a>&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::<a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#acf7d024582e535083c88c32d9e3759ac">Detail::WarpCount</a> = <a class="el" href="structcutlass_1_1gemm_1_1GemmShape.html">gemm::GemmShape</a>&lt; ThreadblockShape::kM / WarpShape::kM, ThreadblockShape::kN / WarpShape::kN, <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html#a4c1f7afac546fd4c50f96cc24ab545cc">kPartitionsK</a> &gt;</td> </tr> </table> </div><div class="memdoc"> </div> </div> <h2 class="groupheader">Member Data Documentation</h2> <a class="anchor" id="a6b72af5c7f39ff1eeefa0eb28a9b4a6f"></a> <div class="memitem"> <div class="memproto"> <div class="memtemplate"> template&lt;typename ThreadblockShape_ , typename WarpShape_ , typename InstructionShape_ , int PartitionsK, typename Element_ , int ElementsPerAccess&gt; </div> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">int const <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html">cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp</a>&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::Detail::kTensorOpRows = InstructionShape::kM</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">static</span></span> </td> </tr> </table> </div><div class="memdoc"> </div> </div> <a class="anchor" id="afc1accef02f5b85ec0a3c8840b35c698"></a> <div class="memitem"> <div class="memproto"> <div class="memtemplate"> template&lt;typename ThreadblockShape_ , typename WarpShape_ , typename InstructionShape_ , int PartitionsK, typename Element_ , int ElementsPerAccess&gt; </div> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">int const <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html">cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp</a>&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::Detail::kThreads = <a class="el" href="structcutlass_1_1gemm_1_1GemmShape.html#a3768273d392c8e133812f2b3313f45e8">WarpCount::kCount</a> * <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp_1_1Detail.html#aea2433024dde002e594b2e6da968ff88">kWarpSize</a></td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">static</span></span> </td> </tr> </table> </div><div class="memdoc"> </div> </div> <a class="anchor" id="aea2433024dde002e594b2e6da968ff88"></a> <div class="memitem"> <div class="memproto"> <div class="memtemplate"> template&lt;typename ThreadblockShape_ , typename WarpShape_ , typename InstructionShape_ , int PartitionsK, typename Element_ , int ElementsPerAccess&gt; </div> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">int const <a class="el" href="structcutlass_1_1epilogue_1_1threadblock_1_1DefaultThreadMapWmmaTensorOp.html">cutlass::epilogue::threadblock::DefaultThreadMapWmmaTensorOp</a>&lt; ThreadblockShape_, WarpShape_, InstructionShape_, PartitionsK, Element_, ElementsPerAccess &gt;::Detail::kWarpSize = 32</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">static</span></span> </td> </tr> </table> </div><div class="memdoc"> </div> </div> <hr/>The documentation for this struct was generated from the following file:<ul> <li><a class="el" href="default__thread__map__wmma__tensor__op_8h_source.html">default_thread_map_wmma_tensor_op.h</a></li> </ul> </div><!-- contents --> <!-- start footer part --> <hr class="footer"/><address class="footer"><small> Generated by &#160;<a href="http://www.doxygen.org/index.html"> <img class="footer" src="doxygen.png" alt="doxygen"/> </a> 1.8.11 </small></address> </body> </html>
resources/units/default/icon.css
jianling/MagicCss
.mg-icon { background: url(../resources/units/default/img/icon.gif) no-repeat; } .mg-icon-glass { background-position: 0 0; } .mg-icon-music { background-position: -24px 0; } .mg-icon-search { background-position: -48px 0; } .mg-icon-envelope { background-position: -72px 0; } .mg-icon-heart { background-position: -96px 0; } .mg-icon-star { background-position: -120px 0; } .mg-icon-chevron-up { background-position: -288px -120px; } .mg-icon-chevron-down { background-position: -313px -119px; } .mg-icon-chevron-left { background-position: -432px -72px; } .mg-icon-chevron-right { background-position: -456px -72px; } .mg-icon-backward { background-position: -240px -72px; } .mg-icon-forward { background-position: -336px -72px; } .mg-icon-arrow-up { background-position: -289px -96px; } .mg-icon-arrow-down { background-position: -312px -96px; } .mg-icon-remove { background-position: -312px 0; }
pimcore/lib/Deployment/Phing/docs/api/docs/classes/CommandlineMarker.html
theghostbel/pimcore
<!DOCTYPE html><html lang="en"> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0; user-scalable=0;"> <meta charset="utf-8"> <title>Phing API Documentation » \CommandlineMarker</title> <meta name="author" content="Mike van Riel"> <meta name="description" content=""> <link href="../css/template.css" rel="stylesheet" media="all"> <script src="../js/jquery-1.7.1.min.js" type="text/javascript"></script><script src="../js/jquery-ui-1.8.2.custom.min.js" type="text/javascript"></script><script src="../js/jquery.mousewheel.min.js" type="text/javascript"></script><script src="../js/bootstrap.js" type="text/javascript"></script><script src="../js/template.js" type="text/javascript"></script><script src="../js/prettify/prettify.min.js" type="text/javascript"></script><link rel="shortcut icon" href="../img/favicon.ico"> <link rel="apple-touch-icon" href="../img/apple-touch-icon.png"> <link rel="apple-touch-icon" sizes="72x72" href="../img/apple-touch-icon-72x72.png"> <link rel="apple-touch-icon" sizes="114x114" href="../img/apple-touch-icon-114x114.png"> </head> <body> <div class="navbar navbar-fixed-top"> <div class="navbar-inner"><div class="container"> <a class="btn btn-navbar" data-toggle="collapse" data-target=".nav-collapse"><span class="icon-bar"></span><span class="icon-bar"></span><span class="icon-bar"></span></a><a class="brand" href="../index.html">Phing API Documentation</a><div class="nav-collapse"><ul class="nav"> <li class="dropdown"> <a href="#api" class="dropdown-toggle" data-toggle="dropdown"> API Documentation <b class="caret"></b></a><ul class="dropdown-menu"> <li><a>Packages</a></li> <li><a href="../packages/Default.html"><i class="icon-folder-open"></i> Default</a></li> <li><a href="../packages/JSMin.html"><i class="icon-folder-open"></i> JSMin</a></li> <li><a href="../packages/Parallel.html"><i class="icon-folder-open"></i> Parallel</a></li> <li><a href="../packages/Phing.html"><i class="icon-folder-open"></i> Phing</a></li> <li><a href="../packages/phing.html"><i class="icon-folder-open"></i> phing</a></li> </ul> </li> <li class="dropdown" id="charts-menu"> <a href="#charts" class="dropdown-toggle" data-toggle="dropdown"> Charts <b class="caret"></b></a><ul class="dropdown-menu"><li><a href="../graph_class.html"><i class="icon-list-alt"></i> Class hierarchy diagram</a></li></ul> </li> <li class="dropdown" id="reports-menu"> <a href="#reports" class="dropdown-toggle" data-toggle="dropdown"> Reports <b class="caret"></b></a><ul class="dropdown-menu"> <li><a href="../errors.html"><i class="icon-remove-sign"></i> Errors  <span class="label label-info">2573</span></a></li> <li><a href="../markers.html"><i class="icon-map-marker"></i> Markers  <ul> <li>todo  <span class="label label-info">15</span> </li> <li>fixme  <span class="label label-info">8</span> </li> </ul></a></li> <li><a href="../deprecated.html"><i class="icon-stop"></i> Deprecated elements  <span class="label label-info">11</span></a></li> </ul> </li> </ul></div> </div></div> <div class="go_to_top"><a href="#___" style="color: inherit">Back to top  <i class="icon-upload icon-white"></i></a></div> </div> <div id="___" class="container"> <noscript><div class="alert alert-warning"> Javascript is disabled; several features are only available if Javascript is enabled. </div></noscript> <div class="row"> <div class="span4"> <span class="btn-group visibility" data-toggle="buttons-checkbox"><button class="btn public active" title="Show public elements">Public</button><button class="btn protected" title="Show protected elements">Protected</button><button class="btn private" title="Show private elements">Private</button><button class="btn inherited active" title="Show inherited elements">Inherited</button></span><div class="btn-group view pull-right" data-toggle="buttons-radio"> <button class="btn details" title="Show descriptions and method names"><i class="icon-list"></i></button><button class="btn simple" title="Show only method names"><i class="icon-align-justify"></i></button> </div> <ul class="side-nav nav nav-list"> <li class="nav-header"> <i class="icon-custom icon-method"></i> Methods <ul> <li class="method public "><a href="#method___construct" title="__construct :: "><span class="description">__construct() </span><pre>__construct()</pre></a></li> <li class="method public "><a href="#method_getPosition" title="getPosition :: Return the number of arguments that preceeded this marker."><span class="description">Return the number of arguments that preceeded this marker.</span><pre>getPosition()</pre></a></li> </ul> </li> <li class="nav-header"> <i class="icon-custom icon-property"></i> Properties <ul></ul> </li> <li class="nav-header private">» Private <ul> <li class="property private "><a href="#property_outer" title="$outer :: "><span class="description"></span><pre>$outer</pre></a></li> <li class="property private "><a href="#property_position" title="$position :: "><span class="description"></span><pre>$position</pre></a></li> <li class="property private "><a href="#property_realPos" title="$realPos :: "><span class="description"></span><pre>$realPos</pre></a></li> </ul> </li> </ul> </div> <div class="span8"> <a id="\CommandlineMarker"></a><ul class="breadcrumb"> <li> <a href="../index.html"><i class="icon-custom icon-class"></i></a><span class="divider">\</span> </li> <li><a href="../namespaces/global.html">global</a></li> <li class="active"> <span class="divider">\</span><a href="../classes/CommandlineMarker.html">CommandlineMarker</a> </li> </ul> <div class="element class"> <p class="short_description">Class to keep track of the position of an Argument.</p> <div class="details"> <div class="long_description"><p>This class is there to support the srcfile and targetfile elements of &lt;execon&gt; and &lt;transform&gt; - don't know whether there might be additional use cases.</p> <p>--SB</p></div> <table class="table table-bordered"><tr> <th>package</th> <td><a href="../packages/phing.types.html">phing.types</a></td> </tr></table> <h3> <i class="icon-custom icon-method"></i> Methods</h3> <a id="method___construct"></a><div class="element clickable method public method___construct" data-toggle="collapse" data-target=".method___construct .collapse"> <h2>__construct() </h2> <pre>__construct(\Comandline $outer, $position) </pre> <div class="labels"></div> <div class="row collapse"><div class="detail-description"> <div class="long_description"></div> <h3>Parameters</h3> <div class="subelement argument"><h4>$outer</h4></div> <div class="subelement argument"><h4>$position</h4></div> </div></div> </div> <a id="method_getPosition"></a><div class="element clickable method public method_getPosition" data-toggle="collapse" data-target=".method_getPosition .collapse"> <h2>Return the number of arguments that preceeded this marker.</h2> <pre>getPosition() </pre> <div class="labels"></div> <div class="row collapse"><div class="detail-description"><div class="long_description"><p>The name of the executable - if set - is counted as the very first argument.</p></div></div></div> </div> <h3> <i class="icon-custom icon-property"></i> Properties</h3> <a id="property_outer"> </a><div class="element clickable property private property_outer" data-toggle="collapse" data-target=".property_outer .collapse"> <h2></h2> <pre>$outer </pre> <div class="labels"></div> <div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div> </div> <a id="property_position"> </a><div class="element clickable property private property_position" data-toggle="collapse" data-target=".property_position .collapse"> <h2></h2> <pre>$position </pre> <div class="labels"></div> <div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div> </div> <a id="property_realPos"> </a><div class="element clickable property private property_realPos" data-toggle="collapse" data-target=".property_realPos .collapse"> <h2></h2> <pre>$realPos </pre> <div class="labels"></div> <div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div> </div> </div> </div> </div> </div> <div class="row"><footer class="span12"> Template is built using <a href="http://twitter.github.com/bootstrap/">Twitter Bootstrap 2</a> and icons provided by <a href="http://glyphicons.com/">Glyphicons</a>.<br> Documentation is powered by <a href="http://www.phpdoc.org/">phpDocumentor 2.0.0a11</a> and<br> generated on 2012-11-20T07:50:55+01:00.<br></footer></div> </div> </body> </html>
servicewrapper/doc/net/sf/taverna/cagrid/servicewrapper/ServiceInvoker.html
NCIP/taverna-grid
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.5.0_16) on Fri Jan 23 16:55:01 GMT 2009 --> <TITLE> ServiceInvoker </TITLE> <META NAME="keywords" CONTENT="net.sf.taverna.cagrid.servicewrapper.ServiceInvoker class"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { parent.document.title="ServiceInvoker"; } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ServiceInvoker.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/DataConverter.html" title="interface in net.sf.taverna.cagrid.servicewrapper"><B>PREV CLASS</B></A>&nbsp; &nbsp;<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/WrapperService.html" title="class in net.sf.taverna.cagrid.servicewrapper"><B>NEXT CLASS</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?net/sf/taverna/cagrid/servicewrapper/ServiceInvoker.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="ServiceInvoker.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> <TR> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> SUMMARY:&nbsp;NESTED&nbsp;|&nbsp;FIELD&nbsp;|&nbsp;<A HREF="#constructor_summary">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_summary">METHOD</A></FONT></TD> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> DETAIL:&nbsp;FIELD&nbsp;|&nbsp;<A HREF="#constructor_detail">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_detail">METHOD</A></FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <!-- ======== START OF CLASS DATA ======== --> <H2> <FONT SIZE="-1"> net.sf.taverna.cagrid.servicewrapper</FONT> <BR> Class ServiceInvoker</H2> <PRE> java.lang.Object <IMG SRC="../../../../../resources/inherit.gif" ALT="extended by "><B>net.sf.taverna.cagrid.servicewrapper.ServiceInvoker</B> </PRE> <HR> <DL> <DT><PRE>public class <B>ServiceInvoker</B><DT>extends java.lang.Object</DL> </PRE> <P> Invoke the actual InterProScan service using its data formats. <P> <P> <DL> <DT><B>Author:</B></DT> <DD>Alex Nenadic, Stian Soiland-Reyes</DD> </DL> <HR> <P> <!-- ======== CONSTRUCTOR SUMMARY ======== --> <A NAME="constructor_summary"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Constructor Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><CODE><B><A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/ServiceInvoker.html#ServiceInvoker()">ServiceInvoker</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;</TD> </TR> </TABLE> &nbsp; <!-- ========== METHOD SUMMARY =========== --> <A NAME="method_summary"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Method Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalServiceOutput.html" title="class in net.sf.taverna.cagrid.servicewrapper">AnalyticalServiceOutput</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/ServiceInvoker.html#invoke(net.sf.taverna.cagrid.servicewrapper.AnalyticalServiceInput)">invoke</A></B>(<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalServiceInput.html" title="class in net.sf.taverna.cagrid.servicewrapper">AnalyticalServiceInput</A>&nbsp;inputData)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Invoke <A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalService.html" title="interface in net.sf.taverna.cagrid.servicewrapper"><CODE>AnalyticalService</CODE></A> asynchronously.</TD> </TR> </TABLE> &nbsp;<A NAME="methods_inherited_from_class_java.lang.Object"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left"><B>Methods inherited from class java.lang.Object</B></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><CODE>equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait</CODE></TD> </TR> </TABLE> &nbsp; <P> <!-- ========= CONSTRUCTOR DETAIL ======== --> <A NAME="constructor_detail"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2"> <B>Constructor Detail</B></FONT></TH> </TR> </TABLE> <A NAME="ServiceInvoker()"><!-- --></A><H3> ServiceInvoker</H3> <PRE> public <B>ServiceInvoker</B>()</PRE> <DL> </DL> <!-- ============ METHOD DETAIL ========== --> <A NAME="method_detail"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2"> <B>Method Detail</B></FONT></TH> </TR> </TABLE> <A NAME="invoke(net.sf.taverna.cagrid.servicewrapper.AnalyticalServiceInput)"><!-- --></A><H3> invoke</H3> <PRE> public <A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalServiceOutput.html" title="class in net.sf.taverna.cagrid.servicewrapper">AnalyticalServiceOutput</A> <B>invoke</B>(<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalServiceInput.html" title="class in net.sf.taverna.cagrid.servicewrapper">AnalyticalServiceInput</A>&nbsp;inputData)</PRE> <DL> <DD>Invoke <A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/AnalyticalService.html" title="interface in net.sf.taverna.cagrid.servicewrapper"><CODE>AnalyticalService</CODE></A> asynchronously. <P> <DD><DL> <DT><B>Parameters:</B><DD><CODE>inputData</CODE> - InterProScan-formatted input <DT><B>Returns:</B><DD>InterProScan-formatted output</DL> </DD> </DL> <!-- ========= END OF CLASS DATA ========= --> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ServiceInvoker.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/DataConverter.html" title="interface in net.sf.taverna.cagrid.servicewrapper"><B>PREV CLASS</B></A>&nbsp; &nbsp;<A HREF="../../../../../net/sf/taverna/cagrid/servicewrapper/WrapperService.html" title="class in net.sf.taverna.cagrid.servicewrapper"><B>NEXT CLASS</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?net/sf/taverna/cagrid/servicewrapper/ServiceInvoker.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="ServiceInvoker.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> <TR> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> SUMMARY:&nbsp;NESTED&nbsp;|&nbsp;FIELD&nbsp;|&nbsp;<A HREF="#constructor_summary">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_summary">METHOD</A></FONT></TD> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> DETAIL:&nbsp;FIELD&nbsp;|&nbsp;<A HREF="#constructor_detail">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_detail">METHOD</A></FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> </BODY> </HTML>
devel/generated/statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /><meta name="generator" content="Docutils 0.17.1: http://docutils.sourceforge.net/" /> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="lang:clipboard.copy" content="Copy to clipboard"> <meta name="lang:clipboard.copied" content="Copied to clipboard"> <meta name="lang:search.language" content="en"> <meta name="lang:search.pipeline.stopwords" content="True"> <meta name="lang:search.pipeline.trimmer" content="True"> <meta name="lang:search.result.none" content="No matching documents"> <meta name="lang:search.result.one" content="1 matching document"> <meta name="lang:search.result.other" content="# matching documents"> <meta name="lang:search.tokenizer" content="[\s\-]+"> <link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin> <link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet"> <style> body, input { font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif } code, kbd, pre { font-family: "Roboto Mono", "Courier New", Courier, monospace } </style> <link rel="stylesheet" href="../_static/stylesheets/application.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/> <link rel="stylesheet" href="../_static/fonts/material-icons.css"/> <meta name="theme-color" content="#3f51b5"> <script src="../_static/javascripts/modernizr.js"></script> <title>statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t &#8212; statsmodels</title> <link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png"> <link rel="manifest" href="../_static/icons/site.webmanifest"> <link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191"> <meta name="msapplication-TileColor" content="#2b5797"> <meta name="msapplication-config" content="../_static/icons/browserconfig.xml"> <link rel="stylesheet" href="../_static/stylesheets/examples.css"> <link rel="stylesheet" href="../_static/stylesheets/deprecation.css"> <link rel="stylesheet" type="text/css" href="../_static/pygments.css" /> <link rel="stylesheet" type="text/css" href="../_static/material.css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <link rel="stylesheet" type="text/css" href="../_static/plot_directive.css" /> <script data-url_root="../" id="documentation_options" src="../_static/documentation_options.js"></script> <script src="../_static/jquery.js"></script> <script src="../_static/underscore.js"></script> <script src="../_static/doctools.js"></script> <script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script> <link rel="shortcut icon" href="../_static/favicon.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.zvalues" href="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.zvalues.html" /> <link rel="prev" title="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.tvalues" href="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.tvalues.html" /> </head> <body dir=ltr data-md-color-primary=indigo data-md-color-accent=blue> <svg class="md-svg"> <defs data-children-count="0"> <svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg> </defs> </svg> <input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer"> <input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search"> <label class="md-overlay" data-md-component="overlay" for="__drawer"></label> <a href="#generated/statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t" tabindex="1" class="md-skip"> Skip to content </a> <header class="md-header" data-md-component="header"> <nav class="md-header-nav md-grid"> <div class="md-flex navheader"> <div class="md-flex__cell md-flex__cell--shrink"> <a href="../index.html" title="statsmodels" class="md-header-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" height="26" alt="statsmodels logo"> </a> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label> </div> <div class="md-flex__cell md-flex__cell--stretch"> <div class="md-flex__ellipsis md-header-nav__title" data-md-component="title"> <span class="md-header-nav__topic">statsmodels v0.14.0.dev0 (+325)</span> <span class="md-header-nav__topic"> statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t </span> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--search md-header-nav__button" for="__search"></label> <div class="md-search" data-md-component="search" role="dialog"> <label class="md-search__overlay" for="__search"></label> <div class="md-search__inner" role="search"> <form class="md-search__form" action="../search.html" method="get" name="search"> <input type="text" class="md-search__input" name="q" placeholder="Search" autocapitalize="off" autocomplete="off" spellcheck="false" data-md-component="query" data-md-state="active"> <label class="md-icon md-search__icon" for="__search"></label> <button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1"> &#xE5CD; </button> </form> <div class="md-search__output"> <div class="md-search__scrollwrap" data-md-scrollfix> <div class="md-search-result" data-md-component="result"> <div class="md-search-result__meta"> Type to start searching </div> <ol class="md-search-result__list"></ol> </div> </div> </div> </div> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <div class="md-header-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> </div> <script src="../_static/javascripts/version_dropdown.js"></script> <script> var json_loc = "../../versions-v2.json", target_loc = "../../", text = "Versions"; $( document ).ready( add_version_dropdown(json_loc, target_loc, text)); </script> </div> </nav> </header> <div class="md-container"> <nav class="md-tabs" data-md-component="tabs"> <div class="md-tabs__inner md-grid"> <ul class="md-tabs__list"> <li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li> <li class="md-tabs__item"><a href="../statespace.html" class="md-tabs__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a></li> <li class="md-tabs__item"><a href="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.html" class="md-tabs__link">statsmodels.tsa.statespace.structural.UnobservedComponentsResults</a></li> </ul> </div> </nav> <main class="md-main"> <div class="md-main__inner md-grid" data-md-component="container"> <div class="md-sidebar md-sidebar--primary" data-md-component="navigation"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--primary" data-md-level="0"> <label class="md-nav__title md-nav__title--site" for="__drawer"> <a href="../index.html" title="statsmodels" class="md-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48"> </a> <a href="../index.html" title="statsmodels">statsmodels v0.14.0.dev0 (+325)</a> </label> <div class="md-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../install.html" class="md-nav__link">Installing statsmodels</a> </li> <li class="md-nav__item"> <a href="../gettingstarted.html" class="md-nav__link">Getting started</a> </li> <li class="md-nav__item"> <a href="../user-guide.html" class="md-nav__link">User Guide</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../user-guide.html#background" class="md-nav__link">Background</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a> </li> <li class="md-nav__item"> <a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a> </li> <li class="md-nav__item"> <a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a> </li></ul> </li> <li class="md-nav__item"> <a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a> </li></ul> </li> <li class="md-nav__item"> <a href="../examples/index.html" class="md-nav__link">Examples</a> </li> <li class="md-nav__item"> <a href="../api.html" class="md-nav__link">API Reference</a> </li> <li class="md-nav__item"> <a href="../about.html" class="md-nav__link">About statsmodels</a> </li> <li class="md-nav__item"> <a href="../dev/index.html" class="md-nav__link">Developer Page</a> </li> <li class="md-nav__item"> <a href="../release/index.html" class="md-nav__link">Release Notes</a> </li> </ul> </nav> </div> </div> </div> <div class="md-sidebar md-sidebar--secondary" data-md-component="toc"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--secondary"> <ul class="md-nav__list" data-md-scrollfix=""> <li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t.rst.txt">Show Source</a> </li> <li id="searchbox" class="md-nav__item"></li> </ul> </nav> </div> </div> </div> <div class="md-content"> <article class="md-content__inner md-typeset" role="main"> <section id="statsmodels-tsa-statespace-structural-unobservedcomponentsresults-use-t"> <h1 id="generated-statsmodels-tsa-statespace-structural-unobservedcomponentsresults-use-t--page-root">statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t<a class="headerlink" href="#generated-statsmodels-tsa-statespace-structural-unobservedcomponentsresults-use-t--page-root" title="Permalink to this headline">¶</a></h1> <dl class="py property"> <dt class="sig sig-object py" id="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t"> <em class="property"><span class="pre">property</span><span class="w"> </span></em><span class="sig-prename descclassname"><span class="pre">UnobservedComponentsResults.</span></span><span class="sig-name descname"><span class="pre">use_t</span></span><a class="headerlink" href="#statsmodels.tsa.statespace.structural.UnobservedComponentsResults.use_t" title="Permalink to this definition">¶</a></dt> <dd><p>Flag indicating to use the Student’s distribution in inference.</p> </dd></dl> </section> </article> </div> </div> </main> </div> <footer class="md-footer"> <div class="md-footer-nav"> <nav class="md-footer-nav__inner md-grid"> <a href="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.tvalues.html" title="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.tvalues" class="md-flex md-footer-nav__link md-footer-nav__link--prev" rel="prev"> <div class="md-flex__cell md-flex__cell--shrink"> <i class="md-icon md-icon--arrow-back md-footer-nav__button"></i> </div> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"> <span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.statespace.structural.UnobservedComponentsResults.tvalues </span> </div> </a> <a href="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.zvalues.html" title="statsmodels.tsa.statespace.structural.UnobservedComponentsResults.zvalues" class="md-flex md-footer-nav__link md-footer-nav__link--next" rel="next"> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Next </span> statsmodels.tsa.statespace.structural.UnobservedComponentsResults.zvalues </span> </div> <div class="md-flex__cell md-flex__cell--shrink"><i class="md-icon md-icon--arrow-forward md-footer-nav__button"></i> </div> </a> </nav> </div> <div class="md-footer-meta md-typeset"> <div class="md-footer-meta__inner md-grid"> <div class="md-footer-copyright"> <div class="md-footer-copyright__highlight"> &#169; Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. </div> Last updated on Feb 23, 2022. <br/> Created using <a href="http://www.sphinx-doc.org/">Sphinx</a> 4.4.0. and <a href="https://github.com/bashtage/sphinx-material/">Material for Sphinx</a> </div> </div> </div> </footer> <script src="../_static/javascripts/application.js"></script> <script>app.initialize({version: "1.0.4", url: {base: ".."}})</script> </body> </html>
docs/material/elastic.html
matmodlab/matmodlab2
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>Linear Elastic Material &#8212; Material Model Laboratory 3.0 documentation</title> <link rel="stylesheet" href="../_static/alabaster.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <script type="text/javascript"> var DOCUMENTATION_OPTIONS = { URL_ROOT: '../', VERSION: '3.0', COLLAPSE_INDEX: false, FILE_SUFFIX: '.html', HAS_SOURCE: true, SOURCELINK_SUFFIX: '.txt' }; </script> <script type="text/javascript" src="../_static/jquery.js"></script> <script type="text/javascript" src="../_static/underscore.js"></script> <script type="text/javascript" src="../_static/doctools.js"></script> <script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.1/MathJax.js?config=TeX-AMS-MML_HTMLorMML"></script> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="Perfectly Plastic Material" href="plastic.html" /> <link rel="prev" title="3.2. Material Library" href="builtin.html" /> <meta name="viewport" content="width=device-width, initial-scale=0.9, maximum-scale=0.9"> </head> <body> <div class="document"> <div class="documentwrapper"> <div class="bodywrapper"> <div class="body" role="main"> <div class="section" id="linear-elastic-material"> <h1>Linear Elastic Material<a class="headerlink" href="#linear-elastic-material" title="Permalink to this headline">¶</a></h1> <div class="topic"> <p class="topic-title first">See Also</p> <p>.</p> </div> <div class="section" id="overview"> <h2>Overview<a class="headerlink" href="#overview" title="Permalink to this headline">¶</a></h2> </div> <div class="section" id="usage"> <h2>Usage<a class="headerlink" href="#usage" title="Permalink to this headline">¶</a></h2> </div> <div class="section" id="description"> <h2>Description<a class="headerlink" href="#description" title="Permalink to this headline">¶</a></h2> </div> </div> </div> </div> </div> <div class="sphinxsidebar" role="navigation" aria-label="main navigation"> <div class="sphinxsidebarwrapper"> <h1 class="logo"><a href="../index.html">Material Model Laboratory</a></h1> <p> <iframe src="https://ghbtns.com/github-btn.html?user=tjfulle&repo=matmodlab&type=watch&count=true&size=large" allowtransparency="true" frameborder="0" scrolling="0" width="200px" height="35px"></iframe> </p> <h3>Navigation</h3> <ul class="current"> <li class="toctree-l1"><a class="reference internal" href="../intro/index.html">1. Introduction and Overview</a></li> <li class="toctree-l1"><a class="reference internal" href="../execution/index.html">2. Job Execution</a></li> <li class="toctree-l1 current"><a class="reference internal" href="index.html">3. Materials</a><ul class="current"> <li class="toctree-l2"><a class="reference internal" href="overview.html">3.1. Materials: Introduction</a></li> <li class="toctree-l2 current"><a class="reference internal" href="builtin.html">3.2. Material Library</a><ul class="current"> <li class="toctree-l3 current"><a class="reference internal" href="builtin.html#overview">Overview</a><ul class="current"> <li class="toctree-l4 current"><a class="reference internal" href="builtin.html#available-materials">Available Materials</a></li> </ul> </li> </ul> </li> <li class="toctree-l2"><a class="reference internal" href="user.html">3.3. User Defined Materials</a></li> </ul> </li> <li class="toctree-l1"><a class="reference internal" href="../examples/index.html">4. Examples</a></li> <li class="toctree-l1"><a class="reference internal" href="../test/index.html">5. Material Model Testing</a></li> </ul> <div id="searchbox" style="display: none" role="search"> <h3>Quick search</h3> <form class="search" action="../search.html" method="get"> <div><input type="text" name="q" /></div> <div><input type="submit" value="Go" /></div> <input type="hidden" name="check_keywords" value="yes" /> <input type="hidden" name="area" value="default" /> </form> </div> <script type="text/javascript">$('#searchbox').show(0);</script> </div> </div> <div class="clearer"></div> </div> <div class="footer"> &copy;2014, Tim Fuller, Scot Swan. | Powered by <a href="http://sphinx-doc.org/">Sphinx 1.6.3</a> &amp; <a href="https://github.com/bitprophet/alabaster">Alabaster 0.7.4</a> | <a href="../_sources/material/elastic.rst.txt" rel="nofollow">Page source</a></li> </div> </body> </html>
doc/html/structreflex_1_1_abstract_matcher_1_1_const-members.html
Genivia/RE-flex
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html> <head> <meta http-equiv="Content-Type" content="text/html;charset=utf-8"> <meta http-equiv="cache-control" content="no-cache"> <title>Member List</title> <link href="doxygen_tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="doxygen.css" rel="stylesheet" type="text/css"> <link href="doxygen_content.css" rel="stylesheet" type="text/css"> </head> <body> <div id="top"> <div id="titlearea"> <table height="72px" width="100%" cellspacing="0" cellpadding="0"> <tbody> <tr> <td width="10%">&nbsp;</td> <td><a href="https://github.com/Genivia/RE-flex"><img src="reflex-logo.png"/></a></td> <td> <div style="float: right; font-size: 18px; font-weight: bold;">Member List</div> <br> <div style="float: right; font-size: 10px;">updated Wed Feb 23 2022 by Robert van Engelen</div> </td> <td width="10%">&nbsp;</td> </tr> </tbody> </table> </div> <!-- Generated by Doxygen 1.8.11 --> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="namespaces.html"><span>Namespaces</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="inherits.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <div id="nav-path" class="navpath"> <ul> <li class="navelem"><a class="el" href="namespacereflex.html">reflex</a></li><li class="navelem"><a class="el" href="classreflex_1_1_abstract_matcher.html">AbstractMatcher</a></li><li class="navelem"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">Const</a></li> </ul> </div> </div><!-- top --> <div class="header"> <div class="headertitle"> <div class="title">reflex::AbstractMatcher::Const Member List</div> </div> </div><!--header--> <div class="contents"> <p>This is the complete list of members for <a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a>, including all inherited members.</p> <table class="directory"> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a6f7de58d1118b6f74f117a6b259359be">BLOCK</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a46cd9158d00a8322e6e9067bef692379">BOB</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a6e2bc4d2e1ce810557872f9905ababaa">BOLSZ</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a79db8b02dc5dce0da626fa2900273d87">BUFSZ</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a7c42ab60928bcc59f420876e741aae0b">EMPTY</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a71f668c0978e327266ea4d7fb271eefd">EOB</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#af03daba13cf299ee0e6be2e37ebe59b7">FIND</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#aa1fe9eb434ef5ff539b01a601977f9ee">MATCH</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a8b7d33b282be33dd8c166378e35f8e7c">NUL</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a677634d2b70980efed6ee1752dcb3085">REDO</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a57efdf6e79f50205036bc4d55e9908e7">SCAN</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#a48f6d3e22c2f018fef95b2367a2a9aa4">SPLIT</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr class="even"><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html#abc88bd33a82927a2eda437624561b4f3">UNK</a></td><td class="entry"><a class="el" href="structreflex_1_1_abstract_matcher_1_1_const.html">reflex::AbstractMatcher::Const</a></td><td class="entry"><span class="mlabel">static</span></td></tr> </table></div><!-- contents --> <hr class="footer"> <address class="footer"><small> Converted on Wed Feb 23 2022 12:51:01 by <a target="_blank" href="http://www.doxygen.org/index.html">Doxygen</a> 1.8.11</small></address> <br> <div style="height: 246px; background: #DBDBDB;"> </body> </html>
resources/hemesh/ref/html/classwblut_1_1processing_1_1_w_b___color_map_1_1_copper.html
DweebsUnited/CodeMonkey
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.10"/> <title>HE_Mesh: wblut.processing.WB_ColorMap.Copper Class Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="navtree.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="resize.js"></script> <script type="text/javascript" src="navtreedata.js"></script> <script type="text/javascript" src="navtree.js"></script> <script type="text/javascript"> $(document).ready(initResizable); $(window).load(resizeHeight); </script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">HE_Mesh &#160;<span id="projectnumber">6.0.1</span> </div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.10 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="namespaces.html"><span>Packages</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="hierarchy.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> </div><!-- top --> <div id="side-nav" class="ui-resizable side-nav-resizable"> <div id="nav-tree"> <div id="nav-tree-contents"> <div id="nav-sync" class="sync"></div> </div> </div> <div id="splitbar" style="-moz-user-select:none;" class="ui-resizable-handle"> </div> </div> <script type="text/javascript"> $(document).ready(function(){initNavTree('classwblut_1_1processing_1_1_w_b___color_map_1_1_copper.html','');}); </script> <div id="doc-content"> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div class="header"> <div class="summary"> <a href="#pub-methods">Public Member Functions</a> &#124; <a href="classwblut_1_1processing_1_1_w_b___color_map_1_1_copper-members.html">List of all members</a> </div> <div class="headertitle"> <div class="title">wblut.processing.WB_ColorMap.Copper Class Reference</div> </div> </div><!--header--> <div class="contents"> <div id="dynsection-0" onclick="return toggleVisibility(this)" class="dynheader closed" style="cursor:pointer;"> <img id="dynsection-0-trigger" src="closed.png" alt="+"/> Inheritance diagram for wblut.processing.WB_ColorMap.Copper:</div> <div id="dynsection-0-summary" class="dynsummary" style="display:block;"> </div> <div id="dynsection-0-content" class="dyncontent" style="display:none;"> <div class="center"> <img src="classwblut_1_1processing_1_1_w_b___color_map_1_1_copper.png" usemap="#wblut.processing.WB_ColorMap.Copper_map" alt=""/> <map id="wblut.processing.WB_ColorMap.Copper_map" name="wblut.processing.WB_ColorMap.Copper_map"> <area href="classwblut_1_1processing_1_1_w_b___color_map_1_1_abstract_color_map.html" alt="wblut.processing.WB_ColorMap.AbstractColorMap" shape="rect" coords="0,56,300,80"/> <area href="interfacewblut_1_1processing_1_1_w_b___color_map.html" alt="wblut.processing.WB_ColorMap" shape="rect" coords="0,0,300,24"/> </map> </div></div> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-methods"></a> Public Member Functions</h2></td></tr> <tr class="memitem:a0d00ae4fcef0a61f9581e11711c17ceb"><td class="memItemLeft" align="right" valign="top">int&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classwblut_1_1processing_1_1_w_b___color_map_1_1_copper.html#a0d00ae4fcef0a61f9581e11711c17ceb">getColor</a> (final double f)</td></tr> <tr class="separator:a0d00ae4fcef0a61f9581e11711c17ceb"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> <h2 class="groupheader">Member Function Documentation</h2> <a class="anchor" id="a0d00ae4fcef0a61f9581e11711c17ceb"></a> <div class="memitem"> <div class="memproto"> <table class="memname"> <tr> <td class="memname">int wblut.processing.WB_ColorMap.Copper.getColor </td> <td>(</td> <td class="paramtype">final double&#160;</td> <td class="paramname"><em>f</em></td><td>)</td> <td></td> </tr> </table> </div><div class="memdoc"> <p>Implements <a class="el" href="interfacewblut_1_1processing_1_1_w_b___color_map.html#a74a04c84bc62734fef0434e6300cc2b5">wblut.processing.WB_ColorMap</a>.</p> </div> </div> <hr/>The documentation for this class was generated from the following file:<ul> <li>src/processing/wblut/processing/<a class="el" href="_w_b___color_map_8java.html">WB_ColorMap.java</a></li> </ul> </div><!-- contents --> </div><!-- doc-content --> <!-- start footer part --> <div id="nav-path" class="navpath"><!-- id is needed for treeview function! --> <ul> <li class="navelem"><a class="el" href="namespacewblut.html">wblut</a></li><li class="navelem"><a class="el" href="namespacewblut_1_1processing.html">processing</a></li><li class="navelem"><a class="el" href="interfacewblut_1_1processing_1_1_w_b___color_map.html">WB_ColorMap</a></li><li class="navelem"><a class="el" href="classwblut_1_1processing_1_1_w_b___color_map_1_1_copper.html">Copper</a></li> <li class="footer">Generated on Tue Dec 19 2017 21:21:02 for HE_Mesh by <a href="http://www.doxygen.org/index.html"> <img class="footer" src="doxygen.png" alt="doxygen"/></a> 1.8.10 </li> </ul> </div> </body> </html>
v0.12.0/generated/statsmodels.tsa.statespace.sarimax.SARIMAX.hessian.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="lang:clipboard.copy" content="Copy to clipboard"> <meta name="lang:clipboard.copied" content="Copied to clipboard"> <meta name="lang:search.language" content="en"> <meta name="lang:search.pipeline.stopwords" content="True"> <meta name="lang:search.pipeline.trimmer" content="True"> <meta name="lang:search.result.none" content="No matching documents"> <meta name="lang:search.result.one" content="1 matching document"> <meta name="lang:search.result.other" content="# matching documents"> <meta name="lang:search.tokenizer" content="[\s\-]+"> <link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin> <link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet"> <style> body, input { font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif } code, kbd, pre { font-family: "Roboto Mono", "Courier New", Courier, monospace } </style> <link rel="stylesheet" href="../_static/stylesheets/application.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/> <link rel="stylesheet" href="../_static/fonts/material-icons.css"/> <meta name="theme-color" content="#3f51b5"> <script src="../_static/javascripts/modernizr.js"></script> <title>statsmodels.tsa.statespace.sarimax.SARIMAX.hessian &#8212; statsmodels</title> <link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png"> <link rel="manifest" href="../_static/icons/site.webmanifest"> <link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191"> <meta name="msapplication-TileColor" content="#2b5797"> <meta name="msapplication-config" content="../_static/icons/browserconfig.xml"> <link rel="stylesheet" href="../_static/stylesheets/examples.css"> <link rel="stylesheet" href="../_static/stylesheets/deprecation.css"> <link rel="stylesheet" href="../_static/material.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <script id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script> <script src="../_static/jquery.js"></script> <script src="../_static/underscore.js"></script> <script src="../_static/doctools.js"></script> <script src="../_static/language_data.js"></script> <script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script> <script async="async" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.7/latest.js?config=TeX-AMS-MML_HTMLorMML"></script> <script type="text/x-mathjax-config">MathJax.Hub.Config({"tex2jax": {"inlineMath": [["$", "$"], ["\\(", "\\)"]], "processEscapes": true, "ignoreClass": "document", "processClass": "math|output_area"}})</script> <link rel="shortcut icon" href="../_static/favicon.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.tsa.statespace.sarimax.SARIMAX.impulse_responses" href="statsmodels.tsa.statespace.sarimax.SARIMAX.impulse_responses.html" /> <link rel="prev" title="statsmodels.tsa.statespace.sarimax.SARIMAX.handle_params" href="statsmodels.tsa.statespace.sarimax.SARIMAX.handle_params.html" /> </head> <body dir=ltr data-md-color-primary=indigo data-md-color-accent=blue> <svg class="md-svg"> <defs data-children-count="0"> <svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg> </defs> </svg> <input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer"> <input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search"> <label class="md-overlay" data-md-component="overlay" for="__drawer"></label> <a href="#generated/statsmodels.tsa.statespace.sarimax.SARIMAX.hessian" tabindex="1" class="md-skip"> Skip to content </a> <header class="md-header" data-md-component="header"> <nav class="md-header-nav md-grid"> <div class="md-flex navheader"> <div class="md-flex__cell md-flex__cell--shrink"> <a href="../index.html" title="statsmodels" class="md-header-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" height="26" alt="statsmodels logo"> </a> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label> </div> <div class="md-flex__cell md-flex__cell--stretch"> <div class="md-flex__ellipsis md-header-nav__title" data-md-component="title"> <span class="md-header-nav__topic">statsmodels v0.12.0</span> <span class="md-header-nav__topic"> statsmodels.tsa.statespace.sarimax.SARIMAX.hessian </span> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--search md-header-nav__button" for="__search"></label> <div class="md-search" data-md-component="search" role="dialog"> <label class="md-search__overlay" for="__search"></label> <div class="md-search__inner" role="search"> <form class="md-search__form" action="../search.html" method="GET" name="search"> <input type="text" class="md-search__input" name="q" placeholder="Search" autocapitalize="off" autocomplete="off" spellcheck="false" data-md-component="query" data-md-state="active"> <label class="md-icon md-search__icon" for="__search"></label> <button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1"> &#xE5CD; </button> </form> <div class="md-search__output"> <div class="md-search__scrollwrap" data-md-scrollfix> <div class="md-search-result" data-md-component="result"> <div class="md-search-result__meta"> Type to start searching </div> <ol class="md-search-result__list"></ol> </div> </div> </div> </div> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <div class="md-header-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> </div> <script src="../_static/javascripts/version_dropdown.js"></script> <script> var json_loc = "../_static/versions.json", target_loc = "../../", text = "Versions"; $( document ).ready( add_version_dropdown(json_loc, target_loc, text)); </script> </div> </nav> </header> <div class="md-container"> <nav class="md-tabs" data-md-component="tabs"> <div class="md-tabs__inner md-grid"> <ul class="md-tabs__list"> <li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li> <li class="md-tabs__item"><a href="../statespace.html" class="md-tabs__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a></li> <li class="md-tabs__item"><a href="statsmodels.tsa.statespace.sarimax.SARIMAX.html" class="md-tabs__link">statsmodels.tsa.statespace.sarimax.SARIMAX</a></li> </ul> </div> </nav> <main class="md-main"> <div class="md-main__inner md-grid" data-md-component="container"> <div class="md-sidebar md-sidebar--primary" data-md-component="navigation"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--primary" data-md-level="0"> <label class="md-nav__title md-nav__title--site" for="__drawer"> <a href="../index.html" title="statsmodels" class="md-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48"> </a> <a href="../index.html" title="statsmodels">statsmodels v0.12.0</a> </label> <div class="md-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../install.html" class="md-nav__link">Installing statsmodels</a> </li> <li class="md-nav__item"> <a href="../gettingstarted.html" class="md-nav__link">Getting started</a> </li> <li class="md-nav__item"> <a href="../user-guide.html" class="md-nav__link">User Guide</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../user-guide.html#background" class="md-nav__link">Background</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a> </li> <li class="md-nav__item"> <a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a> </li> <li class="md-nav__item"> <a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a> </li></ul> </li> <li class="md-nav__item"> <a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a> </li></ul> </li> <li class="md-nav__item"> <a href="../examples/index.html" class="md-nav__link">Examples</a> </li> <li class="md-nav__item"> <a href="../api.html" class="md-nav__link">API Reference</a> </li> <li class="md-nav__item"> <a href="../about.html" class="md-nav__link">About statsmodels</a> </li> <li class="md-nav__item"> <a href="../dev/index.html" class="md-nav__link">Developer Page</a> </li> <li class="md-nav__item"> <a href="../release/index.html" class="md-nav__link">Release Notes</a> </li> </ul> </nav> </div> </div> </div> <div class="md-sidebar md-sidebar--secondary" data-md-component="toc"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--secondary"> <ul class="md-nav__list" data-md-scrollfix=""> <li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.statespace.sarimax.SARIMAX.hessian.rst.txt">Show Source</a> </li> <li id="searchbox" class="md-nav__item"></li> </ul> </nav> </div> </div> </div> <div class="md-content"> <article class="md-content__inner md-typeset" role="main"> <h1 id="generated-statsmodels-tsa-statespace-sarimax-sarimax-hessian--page-root">statsmodels.tsa.statespace.sarimax.SARIMAX.hessian<a class="headerlink" href="#generated-statsmodels-tsa-statespace-sarimax-sarimax-hessian--page-root" title="Permalink to this headline">¶</a></h1> <dl class="py method"> <dt id="statsmodels.tsa.statespace.sarimax.SARIMAX.hessian"> <code class="sig-prename descclassname">SARIMAX.</code><code class="sig-name descname">hessian</code><span class="sig-paren">(</span><em class="sig-param"><span class="n">params</span></em>, <em class="sig-param"><span class="o">*</span><span class="n">args</span></em>, <em class="sig-param"><span class="o">**</span><span class="n">kwargs</span></em><span class="sig-paren">)</span><a class="headerlink" href="#statsmodels.tsa.statespace.sarimax.SARIMAX.hessian" title="Permalink to this definition">¶</a></dt> <dd><p>Hessian matrix of the likelihood function, evaluated at the given parameters</p> <dl class="field-list"> <dt class="field-odd">Parameters</dt> <dd class="field-odd"><dl> <dt><strong>params</strong><span class="classifier"><a class="reference external" href="https://numpy.org/doc/stable/glossary.html#term-array-like" title="(in NumPy v1.19)"><span>array_like</span></a></span></dt><dd><p>Array of parameters at which to evaluate the hessian.</p> </dd> <dt><strong>*args</strong></dt><dd><p>Additional positional arguments to the <cite>loglike</cite> method.</p> </dd> <dt><strong>**kwargs</strong></dt><dd><p>Additional keyword arguments to the <cite>loglike</cite> method.</p> </dd> </dl> </dd> <dt class="field-even">Returns</dt> <dd class="field-even"><dl> <dt><strong>hessian</strong><span class="classifier"><a class="reference external" href="https://numpy.org/doc/stable/reference/generated/numpy.ndarray.html#numpy.ndarray" title="(in NumPy v1.19)"><code class="xref py py-obj docutils literal notranslate"><span class="pre">ndarray</span></code></a></span></dt><dd><p>Hessian matrix evaluated at <cite>params</cite></p> </dd> </dl> </dd> </dl> <p class="rubric">Notes</p> <p>This is a numerical approximation.</p> <p>Both args and kwargs are necessary because the optimizer from <cite>fit</cite> must call this function and only supports passing arguments via args (for example <cite>scipy.optimize.fmin_l_bfgs</cite>).</p> </dd></dl> </article> </div> </div> </main> </div> <footer class="md-footer"> <div class="md-footer-nav"> <nav class="md-footer-nav__inner md-grid"> <a href="statsmodels.tsa.statespace.sarimax.SARIMAX.handle_params.html" title="statsmodels.tsa.statespace.sarimax.SARIMAX.handle_params" class="md-flex md-footer-nav__link md-footer-nav__link--prev" rel="prev"> <div class="md-flex__cell md-flex__cell--shrink"> <i class="md-icon md-icon--arrow-back md-footer-nav__button"></i> </div> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"> <span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.statespace.sarimax.SARIMAX.handle_params </span> </div> </a> <a href="statsmodels.tsa.statespace.sarimax.SARIMAX.impulse_responses.html" title="statsmodels.tsa.statespace.sarimax.SARIMAX.impulse_responses" class="md-flex md-footer-nav__link md-footer-nav__link--next" rel="next"> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Next </span> statsmodels.tsa.statespace.sarimax.SARIMAX.impulse_responses </span> </div> <div class="md-flex__cell md-flex__cell--shrink"><i class="md-icon md-icon--arrow-forward md-footer-nav__button"></i> </div> </a> </nav> </div> <div class="md-footer-meta md-typeset"> <div class="md-footer-meta__inner md-grid"> <div class="md-footer-copyright"> <div class="md-footer-copyright__highlight"> &#169; Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. </div> Last updated on Aug 27, 2020. <br/> Created using <a href="http://www.sphinx-doc.org/">Sphinx</a> 3.2.1. and <a href="https://github.com/bashtage/sphinx-material/">Material for Sphinx</a> </div> </div> </div> </footer> <script src="../_static/javascripts/application.js"></script> <script>app.initialize({version: "1.0.4", url: {base: ".."}})</script> </body> </html>
app/elements/elements.html
HackITtoday/hi9-updata
<!-- Iron elements --> <link rel="import" href="../bower_components/iron-flex-layout/classes/iron-flex-layout.html"> <link rel="import" href="../bower_components/iron-icons/iron-icons.html"> <link rel="import" href="../bower_components/iron-pages/iron-pages.html"> <link rel="import" href="../bower_components/iron-selector/iron-selector.html"> <!-- Paper elements --> <link rel="import" href="../bower_components/paper-drawer-panel/paper-drawer-panel.html"> <link rel="import" href="../bower_components/paper-header-panel/paper-header-panel.html"> <link rel="import" href="../bower_components/paper-icon-button/paper-icon-button.html"> <link rel="import" href="../bower_components/paper-item/paper-item.html"> <link rel="import" href="../bower_components/paper-material/paper-material.html"> <link rel="import" href="../bower_components/paper-menu/paper-menu.html"> <link rel="import" href="../bower_components/paper-styles/paper-styles-classes.html"> <link rel="import" href="../bower_components/paper-toast/paper-toast.html"> <link rel="import" href="../bower_components/paper-toolbar/paper-toolbar.html"> <!-- Platinum elements --> <link rel="import" href="../bower_components/platinum-sw/platinum-sw-cache.html"> <link rel="import" href="../bower_components/platinum-sw/platinum-sw-register.html"> <!-- Add your elements here --> <link rel="import" href="../styles/app-theme.html"> <link rel="import" href="../bower_components/site-list/site-list.html"> <link rel="import" href="../bower_components/hi9-login/hi9-login.html"> <link rel="import" href="privacy-page/privacy-page.html"> <link rel="import" href="contact-page/contact-page.html"> <link rel="import" href="user-page/user-page.html"> <!-- Configure your routes here --> <link rel="import" href="routing.html">
djangocms_revealjs/templates/djangocms_revealjs/revealjs_fragment_block.html
nephila/djangocms-revealjs
<div class="fragment {{instance.effects}}"> {{ body|safe }} </div>
src/views/cgu.view.html
cursed-duo/shop-webapp
<link rel="import" href="../../bower_components/polymer/polymer.html"> <link rel="import" href="../components/section.component.html"> <link rel="import" href="../behaviors/page.behavior.html"> <link rel="import" href="../styles/page.style.html"> <link rel="import" href="../styles/tile.style.html"> <link rel="import" href="../styles/colors.style.html"> <dom-module id="cgu-view"> <template> <style include="tile-style page-style colors-style"> :host { display: block; } </style> <app-section back="true" heading="Conditions générales de vente et d'utilisation du site" main-background="--app-section-header-background-color" fill-background="--app-section-fill-color"> <div class="tile"> <h2>INTRODUCTION</h2> <p> Les conditions générales de ventes décrites ci-après détaillent les droits et obligations de l’entreprise UN P’TIT COIN D’SAVONNERIE, entreprise individuelle de Annelies Douhard et de ses Clients dans le cadre de la vente des marchandises suivantes : savons, autres cosmétiques bio, accessoires. Elles s’appliquent à l’exclusion de tout autre document Le site <a>https://ptitcoinsavonnerie.fr</a> est un site d’information et de commerce électronique accessible par le réseau Internet, ouvert à tout utilisateur de ce réseau. Il est édité par la société UN P’TIT COIN D’SAVONNERIE et permet de proposer à la vente des savons fabriqués par UN P’TIT COIN D’SAVONNERIE et autres cosmétiques ou accessoires à des Internautes naviguant sur le site, ci-après dénommés « Utilisateurs ». L’Utilisateur ayant validé une commande sera dénommé « Client ». Les droits et obligations de l’Utilisateur s’appliquent nécessairement au Client. Toute commande d’un produit proposé sur le site suppose la consultation et l’acceptation expresse des présentes conditions générales de vente et de rétractation. En validant sa commande, le client déclare avoir lu et accepté sans réserve les présentes "Conditions Générales de Vente et d’Utilisation du site ». </p> <h2>IDENTITÉ DE L’ENTREPRISE</h2> <p> Annelies DOUHARD, entreprise individuelle, désignée ci-après par son nom commercial UN P’TIT COIN D’SAVONNERIE, enregistrée au Registre du Commerce de Créteil depuis le 28 mars 2017 sous le N° 379 707 714 N°SIRET 37970771400026 / Code APE 2042Z Adresse postale : Un p’tit coin d’Savonnerie 4 bis avenue des Sorbiers F-94210 – La Varenne Saint Hilaire Personne responsable : Annelies Douhard Tél : 06 37 45 56 33 <a href="mailto: contact@ptitcoinsavonnerie.fr">contact@ptitcoinsavonnerie.fr</a> </p> <h2>PRODUITS</h2> <p> Conformément à l’Article L 111-1 du Code de la consommation, le Client doit pouvoir prendre connaissance des caractéristiques essentielles des produits avant la commande. UN P’TIT COIN D’SAVONNERIE présente les caractéristiques de ses produits avec la plus grande précision possible. En cas d’erreur, UN P’TIT COIN D’SAVONNERIE ne pourra pas être tenu pour responsable. Les photographies et textes illustrant les produits n’entrent pas dans le champ contractuel. UN P’TIT COIN D’SAVONNERIE se réserve le droit de remplacer un savon de forme rectangulaire par une autre forme du même poids. Les offres présentées par UN P’TIT COIN D’SAVONNERIE ne sont valables que dans la limite des stocks disponibles. En cas d’indisponibilité d’un produit, le Client sera informé au plus vite. Afin de préserver toutes leurs propriétés, les savons doivent être conservés jusqu’à leur utilisation à l’abri de l’humidité, de la lumière et d’une température élevée. La revente des produits fabriqués par UN P’TIT COIN D’SAVONNERIE n’est pas autorisée sauf accord écrit et contractuel avec la société détentrice de la marque. </p> <h2>PRIX</h2> <p> Les prix des marchandises vendues sont ceux en vigueur le jour de la prise de commande. Ils sont libellés en Euro TTC (toutes taxes comprises). Ils seront majorés des frais de transport applicables le jour de la commande. UN P’TIT COIN D’SAVONNERIE s'accorde le droit de modifier ses tarifs à tout moment. Toutefois, UN P’TIT COIN D’SAVONNERIE s'engage à facturer les marchandises commandées aux prix indiqués lors de l'enregistrement de la commande. </p> <h2>ENREGISTREMENT ET VALIDATION DE COMMANDE</h2> <p> L'Utilisateur peut prendre connaissance des produits proposés à le vente, naviguer librement sur les différentes pages du site et ajouter des produits au panier sans être engagé au titre d’une commande. Il pourra obtenir un récapitulatif des produits qu’il a sélectionnés en cliquant sur le panier. L'Utilisateur qui souhaite commander un produit doit suivre la procédure suivante : <ul> <li> Créer un compte en remplissant la fiche d'identification sur laquelle il indiquera toutes les coordonnées demandées. </li> <li> Ou s’identifier en saisissant son adresse e-mail et le mot de passe confidentiel qu’il aura préalablement choisi lors de la création de son compte. </li> <li> L'Utilisateur est informé et accepte que la saisie de ces deux identifiants (adresse e-mail et mot de passe) vaut preuve de son identité et manifeste son consentement. </li> <li> L'Utilisateur devra valider le bon de commande après avoir vérifié la nature, la quantité et le prix des produits sélectionnés, le montant total de la commande, les frais de port et l’adresse de livraison. </li> <li> L'Utilisateur devra effectuer le paiement par les moyens proposés. </li> <li> En validant sa commande, l'Utilisateur est considéré comme ayant accepté en connaissance de cause et sans réserve les présentes conditions générales de vente, ainsi que les prix affichés, volumes et quantités des produits proposés à la vente et commandés. Cette validation à valeur de « signature numérique ». </li> <li> Une modification de la commande après validation n’est pas possible. </li> </ul> Cependant, l’Utilisateur peut annuler sa commande par e-mail dans l'heure suivant sa validation. La vente ne sera considérée comme définitive qu'après envoi à l'Utilisateur de la confirmation de la commande par UN P’TIT COIN D’SAVONNERIE et encaissement de l'intégralité du prix. La date de livraison indiquée sur le site ou le récapitulatif de commande est estimative. UN P’TIT COIN D’SAVONNERIE s’engage à livrer le bien sans retard injustifié et au plus tard trente jours après la conclusion du contrat, conformément aux articles L.216-1 à L.216-3 du code de la consommation. </p> <h2>MODALITÉS DE PAIEMENT</h2> <p> Les commandes sont payables en Euro, par l’un des moyens de paiement proposés : <ul> <li>Paypal</li> <li>Carte bancaire</li> </ul> Il est précisé qu'en effectuant un règlement par carte bancaire ou Paypal, l'Utilisateur sera alors basculé automatiquement sur le serveur monétique de la plateforme de paiement sécurisé. Cette plateforme fait l'objet d'une sécurisation par cryptage S.S.L. (Secure Socket Layer) de manière à protéger toutes les données liées aux moyens de paiement, et qu'à aucun moment les données bancaires de l'Utilisateur ne sont persistées sur le système informatique d’UN P’TIT COIN D’SAVONNERIE. Dès la validation du paiement par l’Utilisateur, la commande est enregistrée. L'Utilisateur devient Client. UN P’TIT COIN D’SAVONNERIE envoie au Client une confirmation de commande qui sera considéré comme preuve des relations contractuelles intervenues entre les parties. Conformément à l'article « Droit de rétractation » ci-après, le Client dispose d'un droit de rétractation et de remboursement, pendant un délai de quatorze (14) jours ouvrables à compter de la date de réception des produits par le Client. Le Client a également la possibilité d’acheter les produits présentés sur le site en se rendant à l’atelier de fabrication situé au 4bis avenue des Sorbiers, 94210 La Varenne Saint Hilaire, aux horaires d’ouverture spécifiés sur le site. UN P’TIT COIN D’SAVONNERIE accepte les moyens de paiement suivants pour une vente à l’Atelier : <ul> <li>Carte bancaire</li> <li>Espèces en Euro</li> <li>Chèque bancaire ou postal</li> <li>Monnaie locale « La Pêche »</li> </ul> Preuve de la transaction et du paiement : Les données enregistrées par le système informatique d’UN P’TIT COIN D’SAVONNERIE ont force probante, sauf erreur manifeste dont le Client a la charge de la preuve. </p> <h2>MODALITÉS DE LIVRAISON</h2> <p> Livraison uniquement en France métropolitaine. Les commandes sont traitées du lundi au vendredi, elles sont expédiées dans un délai de 48 heures ouvrées après réception du règlement, en enveloppe à bulles ou carton selon la quantité de produits commandés. La livraison en France métropolitaine est effectuée par Colissimo, en 2 à 3 jours ouvrables, avec livraison en boîte aux lettres (si la taille du colis le permet). Le délai de livraison indiqué lors de l'enregistrement de la commande est donné à titre indicatif. UN P’TIT COIN D’SAVONNERIE s’engage à livrer le bien sans retard injustifié et au plus tard trente jours après la conclusion du contrat, conformément aux articles L.216-1 à L.216-3 du code de la consommation. Les produits sont livrés à l’adresse indiquée par l’Utilisateur sur le bon de commande. Toute réclamation résultant d’un renseignement erroné de la part de l’Utilisateur ne sera prise en compte en cas de livraison retardée ou non distribuée. Toute anomalie concernant la livraison (colis ouvert, colis endommagé, produits endommagés…) devra être impérativement indiquée sur le bon de transport sous forme de "réserves manuscrites", accompagnée de la signature du Client, en cas de remise du colis contre signature, et signalée immédiatement par e-mail à UN P’TIT COIN D’SAVONNERIE, avec photo pour les colis livrés en boîte aux lettres, afin qu’une réclamation puisse être faite auprès de Coliposte. En cas de produits endommagés, UN P’TIT COIN D’SAVONNERIE renverra au Client le ou les produits de remplacement, à ses frais. Si le ou les produits perdus n’étaient plus disponibles à ce moment, UN P’TIT COIN D’SAVONNERIE rembourserait au Client le montant de ces produits. </p> <h2>DROIT DE RÉTRACTATION</h2> <p> Conformément à l’article L. 221-18 du Code de la Consommation, le Client dispose d'un droit de rétractation de quatorze (14) jours à compter de la réception de la totalité de sa commande sans nécessairement donner de motif. Pour exercer le droit de rétractation, le client doit notifier sa décision de rétractation de sa commande par une déclaration écrite dénuée d’ambigüité en précisant son nom et prénom, e-mail, adresse, numéro et date de commande, ou en utilisant le <a href="https://firebasestorage.googleapis.com/v0/b/savon-1df9a.appspot.com/o/legal%2FFormulaire%20de%20re%CC%81tractation.pdf?alt=media&token=275e288c-9b7b-4de4-a3af-1cea9dba8ac6" target="_blank">formulaire de rétractation téléchargeable ici</a>, conformément à l’article 221-21du Code de la Consommation. La demande de rétractation doit être envoyée par courriel à <a href="mailto: contact@ptitcoinsavonnerie.fr">contact@ptitcoinsavonnerie.fr</a> ou par courrier à Un p’tit coin d’Savonnerie - 4 bis avenue des Sorbiers – F-94210 – La Varenne Saint Hilaire. Le Client renvoie ou restitue les biens à UN P’TIT COIN D’SAVONNERIE, sans retard excessif et, au plus tard, dans les quatorze jours suivant la communication de sa décision de se rétracter. Les produits retournés doivent être non utilisés, complets, non abîmés et emballés correctement. Le retour des colis doit s'effectuer à l'adresse suivante : Un p’tit coin d’Savonnerie 4 bis avenue des Sorbiers F-94210 La Varenne Saint Hilaire, accompagné du <a href="https://firebasestorage.googleapis.com/v0/b/savon-1df9a.appspot.com/o/legal%2FFormulaire%20de%20retour.pdf?alt=media&token=2d820519-572e-482c-a1d5-2765307f87d4" target="_blank">bon de retour téléchargeable ici</a> ou des informations suivantes sur papier libre : nom et prénom, e-mail, adresse, numéro et date de commande. Le Client prend en charge les frais de renvoi de la commande complète ou des produits, conformément à l’article L221-23 du Code de la Consommation. Conformément aux dispositions de l’article L. 221-24 du Code de la Consommation, dans le cadre de l’exercice du droit de rétractation, le remboursement sera effectué, au plus tard dans les 14 jours à compter du jour où UN P’TIT COIN D’SAVONNERIE est informé de la décision de rétractation du Client et en utilisant le même mode de paiement que celui utilisé par le client. UN P’TIT COIN D’SAVONNERIE pourra différer ce remboursement jusqu'à récupération des biens ou jusqu'à ce que le client ait fourni une preuve de l'expédition de ces biens, la date retenue étant celle du premier de ces faits. </p> <h2>GARANTIE LEGALE DE CONFORMITE (articles L.217- 7 à L.217-14 du Code de la consommation)</h2> <p> Un p’tit coin d’Savonnerie doit livrer un bien conforme au contrat. <br> <b>Conformité du bien</b> <br> Un bien est conforme, selon l’article L.217-5, lorsqu’il est soit propre à l’usage habituellement attendu d’un bien similaire, le cas échéant, etc. : <ul> <li>qu'il correspond à la description du vendeur.</li> <li> qu’il présente les qualités qu’un consommateur peut légitimement attendre suite aux déclarations publiques du vendeur, producteur ou représentant (publicité, étiquetage, etc,). Les déclarations de ces deux derniers professionnels ne lient pas le vendeur lorsque celui-ci ne les connaît pas et n’est pas en mesure légitime de les connaître. </li> <li> présente les caractéristiques définies par les parties ou être propre à l’usage spécial recherché par l’acheteur, connu du vendeur et accepté. </li> </ul> <b>Délais</b> L’action en garantie de conformité se prescrit par 2 ans à compter de la délivrance du bien. <table> <tbody> <tr> <td> Le Client bénéficie d’un délai de deux ans à compter de la délivrance du bien pour agir. Le Client peut choisir entre la réparation ou le remplacement du bien, sous réserve des conditions de coût prévues par l’article L. 217-9 du code de la consommation. Le Client est dispensé de rapporter la preuve de l’existence du défaut de conformité du bien durant les six mois suivant la délivrance du bien. Ce délai est porté à vingt-quatre mois à compter du 18 mars 2016. </td> </tr> </tbody> </table> <b>Exceptions</b> Le consommateur ne peut pas faire jouer la garantie de conformité de l’article L.217-8 dans trois cas : <ul> <li>lorsqu’il avait connaissance du défaut au moment de contracter.</li> <li>lorsqu’il ne pouvait ignorer le défaut au moment de contracter.</li> <li>lorsque le défaut résulte de matériaux qu’il a lui-même fournis.</li> </ul> <b>Mise en œuvre de la garantie de conformité</b> Lorsqu’il y a défaut de conformité, Un p’tit coin d’Savonnerie propose au Client le remplacement du bien. Le consommateur peut obtenir la résolution du contrat ou sa réfaction (réduction du prix du bien) si le défaut est majeur et que le délai de la solution choisie excède 1 mois à partir de la demande ; ou qu’aucune modalité de mise en conformité n’est possible. Aucun frais ne peut être demandé au consommateur pour le remplacement, la réparation, la résolution ou la réfaction du contrat. </p> <h2>GARANTIE LEGALE CONTRE LES VICES CACHES (articles 1641 à 1649 du Code civil)</h2> <p> Le vendeur est tenu de la garantie à raison des défauts cachés de la chose vendue qui la rendent impropre à l'usage auquel on la destine, ou qui diminuent tellement cet usage, que l'acheteur ne l'aurait pas acquise, ou n'en aurait donné qu'un moindre prix, s'il les avait connus. La garantie légale couvre tous les frais entraînés par les vices cachés. Le professionnel n'est pas tenu des vices apparents et dont l'acheteur a pu se convaincre lui-même, mais des vices cachés, quand bien même il ne les aurait pas connus, à moins que, dans ce cas, il n'ait stipulé qu'il ne sera obligé à aucune garantie. Le défaut doit être antérieur à la vente et rendre les biens impropres à l'usage auquel ils sont destinés. L'acheteur a le choix de : <ul> <li>rendre la chose et se faire restituer le prix.</li> <li> garder la chose et se faire rendre une partie du prix. Le délai pour agir est de 2 ans à compter de la découverte du vice. Ce sont les juges du fond qui apprécient souverainement si la chose vendue est impropre à sa destination. </li> </ul> Pour faire valoir la garantie légale de conformité ou la garantie des vices cachés pour un produit directement vendu par UN P’TIT COIN D’SAVONNERIE, écrivez à <a href="mailto: contact@ptitcoinsavonnerie.fr">contact@ptitcoinsavonnerie.fr</a> . ou envoyez un courrier à UN P’TIT COIN D’SAVONNERIE, 4 bis avenue des Sorbiers, 94210 La Varenne Saint-Hilaire, France. </p> <h2>LITIGES</h2> <p> Les présentes conditions générales sont soumises au droit français. UN P’TIT COIN D’SAVONNERIE ne peut être tenu pour responsable des dommages de toute nature, tant matériels qu'immatériels ou corporels, qui pourraient résulter de la mauvaise utilisation des produits commercialisés. En cas de litige, le Client s'adressera par priorité à UN P’TIT COIN D’SAVONNERIE pour obtenir une solution amiable. Les réclamations ou contestations seront toujours reçues avec bienveillance. Conformément à l’article R631-3 du Code de la consommation, le consommateur peut saisir, soit l'une des juridictions territorialement compétentes en vertu du code de procédure civile, soit la juridiction du lieu où il demeurait au moment de la conclusion du contrat ou de la survenance du fait dommageable. </p> <h2>TRAITEMENT DE VOS DONNÉES PERSONNELLES</h2> <p> Conformément à la loi Informatique et Libertés du 6 janvier 1978, l’Utilisateur bénéficie d’un droit d’accès, de rectification et de suppression des informations le concernant, qu’il peut exercer en écrivant à <a href="mailto: contact@ptitcoinsavonnerie.fr">contact@ptitcoinsavonnerie.fr</a> ou à UN P’TIT COIN D’SAVONNERIE - 4 bis avenue des Sorbiers – F-94210 – La Varenne Saint Hilaire. Les données collectées ont fait l’objet d’une déclaration n° 2054806 v O à la CNIL en date du 14/04/2017. </p> <h2>PROPRIÉTÉ INTELLECTUELLE</h2> <p>« UN P’TIT COIN D’SAVONNERIE » est une marque protégée.</p> </div> </app-section> </template> <script> 'user strict'; Polymer({ is: 'cgu-view', properties: { pageData: { type: Object, computed: '_computePageData(appData)' }, }, behaviors: [window.PageBehavior], _computePageData: function (appData) { return { title: 'CGU', description: "Conditions générales d'utilisation de " + appData.name + "." } }, }); </script> </dom-module>
dist/bower_components/chart.js/samples/polar-area.html
Spittal/resume
<!doctype html> <html> <head> <title>Polar Area Chart</title> <script src="../Chart.js"></script> <script src="http://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js"></script> </head> <body> <div id="canvas-holder" style="width:100%"> <canvas id="chart-area" width="300" height="300" /> </div> <button id="randomizeData">Randomize Data</button> <script> var randomScalingFactor = function() { return Math.round(Math.random() * 100); }; var randomColorFactor = function() { return Math.round(Math.random() * 255); }; var config = { data: { datasets: [{ data: [ randomScalingFactor(), randomScalingFactor(), randomScalingFactor(), randomScalingFactor(), randomScalingFactor(), ], backgroundColor: [ "#F7464A", "#46BFBD", "#FDB45C", "#949FB1", "#4D5360", ], labels: [ "Red", "Green", "Yellow", "Grey", "Dark Grey" ] }], }, options: { responsive: true } }; window.onload = function() { var ctx = document.getElementById("chart-area").getContext("2d"); window.myPolarArea = new Chart(ctx).PolarArea(config); }; $('#randomizeData').click(function() { $.each(config.data.datasets, function(i, piece) { $.each(piece.data, function(j, value) { config.data.datasets[i].data[j] = randomScalingFactor(); //config.data.datasets.backgroundColor[i] = 'rgba(' + randomColorFactor() + ',' + randomColorFactor() + ',' + randomColorFactor() + ',.7)'; }); }); window.myPolarArea.update(); }); </script> </body> </html>
docs/haishinkit/com.haishinkit.view/-hk-texture-view/on-surface-texture-updated.html
shogo4405/HaishinKit.java
<html> <head> <meta name="viewport" content="width=device-width, initial-scale=1" charset="UTF-8"> <title>onSurfaceTextureUpdated</title> <link href="../../../images/logo-icon.svg" rel="icon" type="image/svg"><script>var pathToRoot = "../../../";</script> <script>const storage = localStorage.getItem("dokka-dark-mode") const savedDarkMode = storage ? JSON.parse(storage) : false if(savedDarkMode === true){ document.getElementsByTagName("html")[0].classList.add("theme-dark") }</script> <script type="text/javascript" src="../../../scripts/sourceset_dependencies.js" async="async"></script><link href="../../../styles/style.css" rel="Stylesheet"><link href="../../../styles/jetbrains-mono.css" rel="Stylesheet"><link href="../../../styles/main.css" rel="Stylesheet"><link href="../../../styles/prism.css" rel="Stylesheet"><link href="../../../styles/logo-styles.css" rel="Stylesheet"><script type="text/javascript" src="../../../scripts/clipboard.js" async="async"></script><script type="text/javascript" src="../../../scripts/navigation-loader.js" async="async"></script><script type="text/javascript" src="../../../scripts/platform-content-handler.js" async="async"></script><script type="text/javascript" src="../../../scripts/main.js" defer="defer"></script><script type="text/javascript" src="../../../scripts/prism.js" async="async"></script> </head> <body> <div class="navigation-wrapper" id="navigation-wrapper"> <div id="leftToggler"><span class="icon-toggler"></span></div> <div class="library-name"><a href="../../../index.html">haishinkit</a></div> <div>0.5.1</div> <div class="pull-right d-flex"><button id="theme-toggle-button"><span id="theme-toggle"></span></button> <div id="searchBar"></div> </div> </div> <div id="container"> <div id="leftColumn"> <div id="sideMenu"></div> </div> <div id="main"> <div class="main-content" id="content" pageIds="haishinkit::com.haishinkit.view/HkTextureView/onSurfaceTextureUpdated/#android.graphics.SurfaceTexture/PointingToDeclaration//-473192002"> <div class="breadcrumbs"><a href="../../../index.html">haishinkit</a>/<a href="../index.html">com.haishinkit.view</a>/<a href="index.html">HkTextureView</a>/<a href="on-surface-texture-updated.html">onSurfaceTextureUpdated</a></div> <div class="cover "> <h1 class="cover"><span>on</span><wbr></wbr><span>Surface</span><wbr></wbr><span>Texture</span><wbr></wbr><span><span>Updated</span></span></h1> </div> <div class="platform-hinted " data-platform-hinted="data-platform-hinted"><div class="content sourceset-depenent-content" data-active="" data-togglable=":haishinkit:dokkaHtml/release"><div class="symbol monospace"><span class="token keyword">open </span><span class="token keyword">override </span><span class="token keyword">fun </span><a href="on-surface-texture-updated.html"><span class="token function">onSurfaceTextureUpdated</span></a><span class="token punctuation">(</span>surface<span class="token operator">: </span><a href="https://developer.android.com/reference/kotlin/android/graphics/SurfaceTexture.html">SurfaceTexture</a><span class="token punctuation">)</span><span class="top-right-position"><span class="copy-icon"></span><div class="copy-popup-wrapper popup-to-left"><span class="copy-popup-icon"></span><span>Content copied to clipboard</span></div></span></div></div></div> </div> <div class="footer"><span class="go-to-top-icon"><a href="#content" id="go-to-top-link"></a></span><span>© 2022 Copyright</span><span class="pull-right"><span>Generated by </span><a href="https://github.com/Kotlin/dokka"><span>dokka</span><span class="padded-icon"></span></a></span></div> </div> </div> </body> </html>
templates/topic/messages.html
vvovo/vvo
{% extends 'snippet/layout.html' %} {% block stylesheet %} <link rel="stylesheet" href="/static/css/codehilite.css" /> {% endblock %} {% block javascript %} <script type="text/x-mathjax-config"> MathJax.Hub.Config({ tex2jax: {inlineMath: [['$','$'], ['\\(','\\)']]} }); </script> <script type="text/javascript" src="https://c328740.ssl.cf1.rackcdn.com/mathjax/latest/MathJax.js?config=TeX-AMS-MML_HTMLorMML"></script> {% endblock %} {% block main %} <div class="notifications container-box"> <div class="ui-header"> <span class="bread-nav">叁年壹班 › 私信提醒</span> </div> <div class="ui-content"> {% for message in messages.list %} <div class="notification-item"> <a href="/u/{{ message.from_user_username }}"> <img src="/static/avatar/m_{{ message.from_user_avatar or 'default.png' }}" alt="" class="avatar" /> </a> <div class="main"> <span class="title"> <a href="/u/{{ message.from_user_username }}"> {% if message.from_user_username == user_info.username: %} 我 {% else: %} {{ message.from_user_username }} {% endif %} </a> 发送给 <a href="/t/{{ message.to_user_username }}"> {% if message.to_user_username == user_info.username: %} 我 {% else: %} {{ message.to_user_username }} {% endif %} </a> </span> <span class="floor fr"> <a href="/m/{{ message.from_user_username }}"> <img src="/static/images/reply.png" alt="" /> </a> </span> <span class="floor fr">{{ message.created|pretty_date }}</span> <div class="content">{{ message.content }}</div> </div> </div> {% endfor %} {% if messages.page.total == 0 %} <div class="pl10 pr10"> <div class="alert mt20">您暂时还没有私信哦。</div> </div> {% endif %} </div> <div class="ui-footer"> <div class="pagination">{{ messages.page|pagination(request.uri) }}</div> </div> </div> {% endblock %} {% block sidebar %} {% if current_user %} <div class="usercard container-box"> <div class="ui-header"> <a href="/u/{{ user_info.username }}"> <img src="/static/avatar/m_{{ user_info.avatar or 'default.png' }}?t={{ gen_random() }}" alt="" class="avatar" /> </a> <div class="username">{{ user_info.username }}</div> <div class="collegename">{{ user_info.collegename }}</div> <div class="website"> <a href="{{ user_info.website or '' }}">{{ user_info.website or '' }}</a> </div> </div> <div class="ui-content"> <div class="status status-topic"> <strong><a href="/u/{{ user_info.username }}/topics">{{ user_info.counter.topics }}</a></strong> 话题 </div> <div class="status status-reply"> <strong><a href="/u/{{ user_info.username }}/replies">{{ user_info.counter.replies }}</a></strong> 回复 </div> <div class="status status-favorite"> <strong> <a href="/u/{{ user_info.username }}/favorites">{{ user_info.counter.favorites }}</a> </strong> 收藏 </div> <div class="status status-reputation"> <strong>{{ user_info.reputation or 0 }}</strong> 声望 </div> </div> </div> {% else %} <div class="login-box container-box"> <div class="ui-content tc"> <a class="btn btn-small" type="button" href="/login">登录</a> <a class="btn btn-small" type="button" href="/register">注册</a> <a class="btn btn-small" type="button" href="/forgot">找回密码</a> </div> </div> {% endif %} {% endblock %}
Client/Documentation/Javadoc/fi/vtt/physicalactivitylibrary/internal/utils/class-use/MyTimer.html
cavtt/VTTPhysicalActivityLibrary
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_24) on Mon Feb 11 11:49:50 EET 2013 --> <TITLE> Uses of Class fi.vtt.physicalactivitylibrary.internal.utils.MyTimer </TITLE> <META NAME="date" CONTENT="2013-02-11"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class fi.vtt.physicalactivitylibrary.internal.utils.MyTimer"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../../index.html?fi/vtt/physicalactivitylibrary/internal/utils/\class-useMyTimer.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="MyTimer.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <CENTER> <H2> <B>Uses of Class<br>fi.vtt.physicalactivitylibrary.internal.utils.MyTimer</B></H2> </CENTER> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> Packages that use <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils">MyTimer</A></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><A HREF="#fi.vtt.physicalactivitylibrary.internal"><B>fi.vtt.physicalactivitylibrary.internal</B></A></TD> <TD>&nbsp;&nbsp;</TD> </TR> </TABLE> &nbsp; <P> <A NAME="fi.vtt.physicalactivitylibrary.internal"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> Uses of <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils">MyTimer</A> in <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/package-summary.html">fi.vtt.physicalactivitylibrary.internal</A></FONT></TH> </TR> </TABLE> &nbsp; <P> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left" COLSPAN="2">Fields in <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/package-summary.html">fi.vtt.physicalactivitylibrary.internal</A> declared as <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils">MyTimer</A></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>private &nbsp;<A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils">MyTimer</A></CODE></FONT></TD> <TD><CODE><B>DataCollector.</B><B><A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/DataCollector.html#myTimer">myTimer</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;</TD> </TR> </TABLE> &nbsp; <P> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../fi/vtt/physicalactivitylibrary/internal/utils/MyTimer.html" title="class in fi.vtt.physicalactivitylibrary.internal.utils"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../../index.html?fi/vtt/physicalactivitylibrary/internal/utils/\class-useMyTimer.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="MyTimer.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> </BODY> </HTML>
corehq/apps/users/templates/users/edit_web_user.html
puttarajubr/commcare-hq
{% extends 'users/base_template.html' %} {# This is for editing WebUsers who are not the current user #} {% load crispy_forms_tags %} {% load hq_shared_tags %} {% load i18n %} {% block main_column %} <div class="form form-horizontal"> <fieldset> <legend>{% blocktrans with couch_user.human_friendly_name as friendly_name %}Information for {{ friendly_name }}{% endblocktrans %}</legend> <dl class="dl-horizontal hq-dl-userinfo"> <dt>{% trans 'Username' %}</dt> <dd>{{ couch_user.html_username|safe }}</dd> {% for field in form_uneditable.visible_fields %} <dt>{{ field.label }}</dt> <dd class="hq-dd-userinfo">{{ couch_user|getattr:field.name }}</dd> {% endfor %} <dt>{% trans 'Phone Numbers' %}</dt> {% if phonenumbers %} <dd> <ul> {% for phonenumber in phonenumbers %} <li>+{{ phonenumber.number }}</li> {% endfor %} </ul> </dd> {% endif %} </dl> </fieldset> </div> <form class="form form-horizontal" name="user_role" method="post"> <input type="hidden" name="form_type" value="update-user" /> <fieldset> <legend>{% blocktrans with couch_user.human_friendly_name as friendly_name %}Change {{ friendly_name }}'s Role{% endblocktrans %}</legend> {% crispy form_user_update %} <div class="form-actions"> <button type="submit" class="btn btn-primary">{% trans 'Update Role' %}</button> </div> </fieldset> </form> {% if update_permissions %} <form class="form form-horizontal" name="user_permissions" method="post"> <input type="hidden" name="form_type" value="update-user-permissions" /> <fieldset> <legend>{% blocktrans with couch_user.human_friendly_name as friendly_name %}Change {{ friendly_name }}'s Staff Permissions{% endblocktrans %}</legend> {% crispy form_user_update_permissions %} <div class="form-actions"> <button type="submit" class="btn btn-primary">{% trans 'Update Permissions' %}</button> </div> </fieldset> </form> {% endif %} {% if update_form %} <form id="commtrack_form" class="form form-horizontal" name="" method="post"> <input type="hidden" name="form_type" value="commtrack" /> <fieldset> {% if commtrack_enabled %} <legend>{% trans 'CommCare Supply Settings' %}</legend> {% else %} <legend>{% trans 'Location Settings' %}</legend> {% endif %} {% include 'hqstyle/forms/basic_fieldset.html' with form=update_form %} </fieldset> <div class="form-actions"> <button type="submit" class="btn btn-primary">{% trans 'Update CommCare Supply Settings' %}</button> </div> </form> {% endif %} {% endblock %}
v0.11.0/generated/statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml" lang="en"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="lang:clipboard.copy" content="Copy to clipboard"> <meta name="lang:clipboard.copied" content="Copied to clipboard"> <meta name="lang:search.language" content="en"> <meta name="lang:search.pipeline.stopwords" content="True"> <meta name="lang:search.pipeline.trimmer" content="True"> <meta name="lang:search.result.none" content="No matching documents"> <meta name="lang:search.result.one" content="1 matching document"> <meta name="lang:search.result.other" content="# matching documents"> <meta name="lang:search.tokenizer" content="[\s\-]+"> <link href="https://fonts.gstatic.com" rel="preconnect" crossorigin=""> <link rel="stylesheet" href="https://fonts.googleapis.com/css?family=Roboto:300,400,400i,700%7CRoboto+Mono:400,500,700&display=fallback"> <style> body, input { font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif } code, kbd, pre { font-family: "Roboto Mono", "Courier New", Courier, monospace } </style> <link rel="stylesheet" href="../_static/stylesheets/application.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/> <link rel="stylesheet" href="../_static/fonts/material-icons.css"/> <meta name="theme-color" content="#3f51b5"> <script src="../_static/javascripts/modernizr.js"></script> <title>statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula &#8212; statsmodels</title> <link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png"> <link rel="manifest" href="../_static/icons/site.webmanifest"> <link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191"> <meta name="msapplication-TileColor" content="#2b5797"> <meta name="msapplication-config" content="../_static/icons/browserconfig.xml"> <link rel="stylesheet" href="../_static/stylesheets/examples.css"> <link rel="stylesheet" href="../_static/material.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <script type="text/javascript" id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script> <script type="text/javascript" src="../_static/jquery.js"></script> <script type="text/javascript" src="../_static/underscore.js"></script> <script type="text/javascript" src="../_static/doctools.js"></script> <script type="text/javascript" src="../_static/language_data.js"></script> <script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script> <script async="async" type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/latest.js?config=TeX-AMS-MML_HTMLorMML"></script> <script type="text/x-mathjax-config">MathJax.Hub.Config({"tex2jax": {"inlineMath": [["$", "$"], ["\\(", "\\)"]], "processEscapes": true, "ignoreClass": "document", "processClass": "math|output_area"}})</script> <link rel="shortcut icon" href="../_static/favicon.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.tsa.statespace.structural.UnobservedComponents.handle_params" href="statsmodels.tsa.statespace.structural.UnobservedComponents.handle_params.html" /> <link rel="prev" title="statsmodels.tsa.statespace.structural.UnobservedComponents.fix_params" href="statsmodels.tsa.statespace.structural.UnobservedComponents.fix_params.html" /> <script src="../_static/javascripts/version_dropdown.js"></script> <script> var json_loc = "../_static/versions.json", target_loc = "../../", text = "Versions"; $( document ).ready( add_version_dropdown(json_loc, target_loc, text)); </script> </head> <body dir=ltr data-md-color-primary=indigo data-md-color-accent=blue> <svg class="md-svg"> <defs data-children-count="0"> <svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg> </defs> </svg> <input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer"> <input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search"> <label class="md-overlay" data-md-component="overlay" for="__drawer"></label> <a href="#generated/statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula" tabindex="1" class="md-skip"> Skip to content </a> <header class="md-header" data-md-component="header"> <nav class="md-header-nav md-grid"> <div class="md-flex navheader"> <div class="md-flex__cell md-flex__cell--shrink"> <a href="../index.html" title="statsmodels" class="md-header-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" height="26" alt="statsmodels logo"> </a> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label> </div> <div class="md-flex__cell md-flex__cell--stretch"> <div class="md-flex__ellipsis md-header-nav__title" data-md-component="title"> <span class="md-header-nav__topic">statsmodels 0.11.0</span> <span class="md-header-nav__topic"> statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula </span> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--search md-header-nav__button" for="__search"></label> <div class="md-search" data-md-component="search" role="dialog"> <label class="md-search__overlay" for="__search"></label> <div class="md-search__inner" role="search"> <form class="md-search__form" action="../search.html" method="GET" name="search"> <input type="text" class="md-search__input" name="q" placeholder="Search" autocapitalize="off" autocomplete="off" spellcheck="false" data-md-component="query" data-md-state="active"> <label class="md-icon md-search__icon" for="__search"></label> <button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1"> &#xE5CD; </button> </form> <div class="md-search__output"> <div class="md-search__scrollwrap" data-md-scrollfix> <div class="md-search-result" data-md-component="result"> <div class="md-search-result__meta"> Type to start searching </div> <ol class="md-search-result__list"></ol> </div> </div> </div> </div> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <div class="md-header-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> </div> </div> </nav> </header> <div class="md-container"> <nav class="md-tabs" data-md-component="tabs"> <div class="md-tabs__inner md-grid"> <ul class="md-tabs__list"> <li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li> <li class="md-tabs__item"><a href="../statespace.html" class="md-tabs__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a></li> <li class="md-tabs__item"><a href="statsmodels.tsa.statespace.structural.UnobservedComponents.html" class="md-tabs__link">statsmodels.tsa.statespace.structural.UnobservedComponents</a></li> </ul> </div> </nav> <main class="md-main"> <div class="md-main__inner md-grid" data-md-component="container"> <div class="md-sidebar md-sidebar--primary" data-md-component="navigation"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--primary" data-md-level="0"> <label class="md-nav__title md-nav__title--site" for="__drawer"> <a href="../index.html" title="statsmodels" class="md-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48"> </a> <a href="../index.html" title="statsmodels">statsmodels 0.11.0</a> </label> <div class="md-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../install.html" class="md-nav__link">Installing statsmodels</a> </li> <li class="md-nav__item"> <a href="../gettingstarted.html" class="md-nav__link">Getting started</a> </li> <li class="md-nav__item"> <a href="../user-guide.html" class="md-nav__link">User Guide</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../user-guide.html#background" class="md-nav__link">Background</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a> </li> <li class="md-nav__item"> <a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a> </li> <li class="md-nav__item"> <a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a> </li></ul> </li> <li class="md-nav__item"> <a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a> </li></ul> </li> <li class="md-nav__item"> <a href="../examples/index.html" class="md-nav__link">Examples</a> </li> <li class="md-nav__item"> <a href="../api.html" class="md-nav__link">API Reference</a> </li> <li class="md-nav__item"> <a href="../about.html" class="md-nav__link">About statsmodels</a> </li> <li class="md-nav__item"> <a href="../dev/index.html" class="md-nav__link">Developer Page</a> </li> <li class="md-nav__item"> <a href="../release/index.html" class="md-nav__link">Release Notes</a> </li> </ul> </nav> </div> </div> </div> <div class="md-sidebar md-sidebar--secondary" data-md-component="toc"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--secondary"> <ul class="md-nav__list" data-md-scrollfix=""> <li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula.rst.txt">Show Source</a> </li> <li id="searchbox" class="md-nav__item"></li> </ul> </nav> </div> </div> </div> <div class="md-content"> <article class="md-content__inner md-typeset" role="main"> <h1 id="generated-statsmodels-tsa-statespace-structural-unobservedcomponents-from-formula--page-root">statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula<a class="headerlink" href="#generated-statsmodels-tsa-statespace-structural-unobservedcomponents-from-formula--page-root" title="Permalink to this headline">¶</a></h1> <dl class="method"> <dt id="statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula"> <em class="property">classmethod </em><code class="sig-prename descclassname">UnobservedComponents.</code><code class="sig-name descname">from_formula</code><span class="sig-paren">(</span><em class="sig-param">formula</em>, <em class="sig-param">data</em>, <em class="sig-param">subset=None</em><span class="sig-paren">)</span><a class="headerlink" href="#statsmodels.tsa.statespace.structural.UnobservedComponents.from_formula" title="Permalink to this definition">¶</a></dt> <dd><p>Not implemented for state space models</p> </dd></dl> </article> </div> </div> </main> </div> <footer class="md-footer"> <div class="md-footer-nav"> <nav class="md-footer-nav__inner md-grid"> <a href="statsmodels.tsa.statespace.structural.UnobservedComponents.fix_params.html" title="Material" class="md-flex md-footer-nav__link md-footer-nav__link--prev" rel="prev"> <div class="md-flex__cell md-flex__cell--shrink"> <i class="md-icon md-icon--arrow-back md-footer-nav__button"></i> </div> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"> <span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.statespace.structural.UnobservedComponents.fix_params </span> </div> </a> <a href="statsmodels.tsa.statespace.structural.UnobservedComponents.handle_params.html" title="Admonition" class="md-flex md-footer-nav__link md-footer-nav__link--next" rel="next"> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Next </span> statsmodels.tsa.statespace.structural.UnobservedComponents.handle_params </span> </div> <div class="md-flex__cell md-flex__cell--shrink"><i class="md-icon md-icon--arrow-forward md-footer-nav__button"></i> </div> </a> </nav> </div> <div class="md-footer-meta md-typeset"> <div class="md-footer-meta__inner md-grid"> <div class="md-footer-copyright"> <div class="md-footer-copyright__highlight"> &#169; Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. </div> Last updated on Jan 22, 2020. <br/> Created using <a href="http://sphinx-doc.org/">Sphinx</a> 2.3.1. and <a href="https://github.com/bashtage/sphinx-material/">Material for Sphinx</a> </div> </div> </div> </footer> <script src="../_static/javascripts/application.js"></script> <script>app.initialize({version: "1.0.4", url: {base: ".."}})</script> </body> </html>
backend/web/RGraph/demos/effects-generic-fadecircularininwards.html
mkiwebs/churchapp
<!DOCTYPE html > <html> <head> <link rel="stylesheet" href="demos.css" type="text/css" media="screen" /> <script src="../libraries/RGraph.common.core.js" ></script> <script src="../libraries/RGraph.common.effects.js" ></script> <script src="../libraries/RGraph.bar.js" ></script> <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.10.2/jquery.min.js"></script> <title>RGraph demo: Generic fadeCircularInInwards effect</title> <meta name="robots" content="noindex,nofollow" /> </head> <body> <!-- Share buttons --> <p style="float: right"> <script> document.write('<a href="" target="_blank" onclick="window.open(\'https://www.facebook.com/sharer/sharer.php?u=http://www.rgraph.net' + location.pathname + '\', null, \'top=50,left=50,width=600,height=368\'); return false"><img src="../images/facebook-large.png" width="200" height="43" alt="Share on Facebook" border="0" title="Visit the RGraph Facebook page" id="facebook_link" /></a>&nbsp;'); document.write('<a href="https://twitter.com/_rgraph" target="_blank" onclick="window.open(\'https://twitter.com/intent/tweet?text=Check%20out%20this%20demo%20of%20RGraph:%202D/3D%20JavaScript%20charts%20-%20Free%20and%20Open%20Source%20http://www.rgraph.net' + location.pathname + '\', null, \'top=50,left=50,width=700,height=400\'); return false"><img src="../images/twitter-large.png" width="200" height="43" alt="Share on Twitter" border="0" title="Mention RGraph on Twitter" id="twitter_link" /></a>'); </script> </p> <h1>Generic fadeCircularInInwards effect</h1> <p> <span style="color: red; font-weight: bold">This effect requires jQuery</span> </p> <canvas id="cvs" width="600" height="250">[No canvas support]</canvas> <script> window.onload = function () { var data = [4,8,6,3,1,2,5]; var bar = new RGraph.Bar({ id: 'cvs', data: data, options: { labels: ['Monday','Tuesday','Wednesday','Thursday','Friday','Saturday','Sunday'], textAccessible: false } }).fadeCircularInInwards({frames: 300}) }; </script> <p></p> This goes in the documents header: <pre class="code"> &lt;script src="http://ajax.googleapis.com/ajax/libs/jquery/1.10.2/jquery.min.js"&gt;&lt;/script&gt; &lt;script src="RGraph.common.core.js"&gt;&lt;/script&gt; &lt;script src="RGraph.common.effects.js"&gt;&lt;/script&gt; &lt;script src="RGraph.bar.js"&gt;&lt;/script&gt; </pre> Put this where you want the chart to show up: <pre class="code"> &lt;canvas id="cvs" width="600" height="250"&gt; [No canvas support] &lt;/canvas&gt; </pre> This is the code that generates the chart: <pre class="code"> &lt;script&gt; window.onload = function () { var data = [4,8,6,3,1,2,5]; var bar = new RGraph.Bar({ id: 'cvs', data: data, options: { labels: ['Monday','Tuesday','Wednesday','Thursday','Friday','Saturday','Sunday'], textAccessible: false } }).fadeCircularInInwards({frames: 300}) }; &lt;/script&gt; </pre> <p> <a href="./">&laquo; Back</a> </p> </body> </html>
wagtail_embed_videos/templates/wagtail_embed_videos/embed_videos/edit.html
infoportugal/wagtail-embedvideos
{% extends "wagtailadmin/base.html" %} {% load embed_video_tags static wagtailadmin_tags wagtailimages_tags %} {% load i18n %} {% block titletag %}{% blocktrans with title=embed_video.title %}Editing video {{ title }}{% endblocktrans %}{% endblock %} {% block bodyclass %}menu-embed-videos{% endblock %} {% block extra_css %} {% endblock %} {% block extra_js %} {% url 'wagtailadmin_tag_autocomplete' as autocomplete_url %} <script> $(function() { $('#id_tags').tagit({ autocomplete: {source: "{{ autocomplete_url|addslashes }}"} }); }); </script> {# TODO: Find a way to inject page editor handler in the return of the view and not injecting it here #} <script type="text/javascript" src="{% static 'wagtailimages/js/image-chooser-modal.js' %}"></script> <script type="text/javascript" src="{% static 'wagtailimages/js/image-chooser.js' %}"></script> <script type="text/javascript" src="{% static 'wagtailadmin/js/modal-workflow.js' %}"></script> <script type="text/javascript"> window.chooserUrls = { 'pageChooser': '{% url "wagtailadmin_choose_page" %}' }; window.chooserUrls.imageChooser = "{% url 'wagtailimages:chooser' %}"; </script> {% endblock %} {% block content %} {% trans "Editing" as editing_str %} {% include "wagtailadmin/shared/header.html" with title=editing_str subtitle=embed_video.title icon="media" usage_object=embed_video %} <div class="row row-flush nice-padding"> <div class="col6"> <form action="{% url 'wagtail_embed_videos_edit_embed_video' embed_video.id %}" method="POST" enctype="multipart/form-data"> {% csrf_token %} <ul class="fields"> {% for field in form %} {% include "wagtailadmin/shared/field_as_li.html" %} {% endfor %} <li><input type="submit" value="{% trans 'Save' %}" class="button" /><a href="{% url 'wagtail_embed_videos_delete_embed_video' embed_video.id %}" class="button button-secondary no">{% trans "Delete video" %}</a></li> </ul> </form> </div> <div class="col6 divider-before"> {% video embed_video.url as my_video %} {% video my_video "small" %} <br /> <strong>Backend</strong>: {{ my_video.backend }} {% endvideo %} </div> </div> {% endblock %}
v0.10.0/generated/statsmodels.tools.numdiff.approx_fprime_cs.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta charset="utf-8" /> <title>statsmodels.tools.numdiff.approx_fprime_cs &#8212; statsmodels v0.10.0 documentation</title> <link rel="stylesheet" href="../_static/nature.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <script type="text/javascript" id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script> <script type="text/javascript" src="../_static/jquery.js"></script> <script type="text/javascript" src="../_static/underscore.js"></script> <script type="text/javascript" src="../_static/doctools.js"></script> <script type="text/javascript" src="../_static/language_data.js"></script> <script async="async" type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/latest.js?config=TeX-AMS-MML_HTMLorMML"></script> <link rel="shortcut icon" href="../_static/statsmodels_hybi_favico.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.tools.numdiff.approx_hess1" href="statsmodels.tools.numdiff.approx_hess1.html" /> <link rel="prev" title="statsmodels.tools.numdiff.approx_fprime" href="statsmodels.tools.numdiff.approx_fprime.html" /> <link rel="stylesheet" href="../_static/examples.css" type="text/css" /> <link rel="stylesheet" href="../_static/facebox.css" type="text/css" /> <script type="text/javascript" src="../_static/scripts.js"> </script> <script type="text/javascript" src="../_static/facebox.js"> </script> <script type="text/javascript"> $.facebox.settings.closeImage = "../_static/closelabel.png" $.facebox.settings.loadingImage = "../_static/loading.gif" </script> <script> $(document).ready(function() { $.getJSON("../../versions.json", function(versions) { var dropdown = document.createElement("div"); dropdown.className = "dropdown"; var button = document.createElement("button"); button.className = "dropbtn"; button.innerHTML = "Other Versions"; var content = document.createElement("div"); content.className = "dropdown-content"; dropdown.appendChild(button); dropdown.appendChild(content); $(".header").prepend(dropdown); for (var i = 0; i < versions.length; i++) { if (versions[i].substring(0, 1) == "v") { versions[i] = [versions[i], versions[i].substring(1)]; } else { versions[i] = [versions[i], versions[i]]; }; }; for (var i = 0; i < versions.length; i++) { var a = document.createElement("a"); a.innerHTML = versions[i][1]; a.href = "../../" + versions[i][0] + "/index.html"; a.title = versions[i][1]; $(".dropdown-content").append(a); }; }); }); </script> </head><body> <div class="headerwrap"> <div class = "header"> <a href = "../index.html"> <img src="../_static/statsmodels_hybi_banner.png" alt="Logo" style="padding-left: 15px"/></a> </div> </div> <div class="related" role="navigation" aria-label="related navigation"> <h3>Navigation</h3> <ul> <li class="right" style="margin-right: 10px"> <a href="../genindex.html" title="General Index" accesskey="I">index</a></li> <li class="right" > <a href="../py-modindex.html" title="Python Module Index" >modules</a> |</li> <li class="right" > <a href="statsmodels.tools.numdiff.approx_hess1.html" title="statsmodels.tools.numdiff.approx_hess1" accesskey="N">next</a> |</li> <li class="right" > <a href="statsmodels.tools.numdiff.approx_fprime.html" title="statsmodels.tools.numdiff.approx_fprime" accesskey="P">previous</a> |</li> <li><a href ="../install.html">Install</a></li> &nbsp;|&nbsp; <li><a href="https://groups.google.com/forum/?hl=en#!forum/pystatsmodels">Support</a></li> &nbsp;|&nbsp; <li><a href="https://github.com/statsmodels/statsmodels/issues">Bugs</a></li> &nbsp;|&nbsp; <li><a href="../dev/index.html">Develop</a></li> &nbsp;|&nbsp; <li><a href="../examples/index.html">Examples</a></li> &nbsp;|&nbsp; <li><a href="../faq.html">FAQ</a></li> &nbsp;|&nbsp; <li class="nav-item nav-item-1"><a href="../tools.html" accesskey="U">Tools</a> |</li> </ul> </div> <div class="document"> <div class="documentwrapper"> <div class="bodywrapper"> <div class="body" role="main"> <div class="section" id="statsmodels-tools-numdiff-approx-fprime-cs"> <h1>statsmodels.tools.numdiff.approx_fprime_cs<a class="headerlink" href="#statsmodels-tools-numdiff-approx-fprime-cs" title="Permalink to this headline">¶</a></h1> <dl class="function"> <dt id="statsmodels.tools.numdiff.approx_fprime_cs"> <code class="sig-prename descclassname">statsmodels.tools.numdiff.</code><code class="sig-name descname">approx_fprime_cs</code><span class="sig-paren">(</span><em class="sig-param">x</em>, <em class="sig-param">f</em>, <em class="sig-param">epsilon=None</em>, <em class="sig-param">args=()</em>, <em class="sig-param">kwargs={}</em><span class="sig-paren">)</span><a class="reference internal" href="../_modules/statsmodels/tools/numdiff.html#approx_fprime_cs"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#statsmodels.tools.numdiff.approx_fprime_cs" title="Permalink to this definition">¶</a></dt> <dd><p>Calculate gradient or Jacobian with complex step derivative approximation</p> <dl class="field-list simple"> <dt class="field-odd">Parameters</dt> <dd class="field-odd"><dl class="simple"> <dt><strong>x</strong><span class="classifier">array</span></dt><dd><p>parameters at which the derivative is evaluated</p> </dd> <dt><strong>f</strong><span class="classifier">function</span></dt><dd><p><cite>f(*((x,)+args), **kwargs)</cite> returning either one value or 1d array</p> </dd> <dt><strong>epsilon</strong><span class="classifier">float, optional</span></dt><dd><p>Stepsize, if None, optimal stepsize is used. Optimal step-size is EPS*x. See note.</p> </dd> <dt><strong>args</strong><span class="classifier">tuple</span></dt><dd><p>Tuple of additional arguments for function <cite>f</cite>.</p> </dd> <dt><strong>kwargs</strong><span class="classifier">dict</span></dt><dd><p>Dictionary of additional keyword arguments for function <cite>f</cite>.</p> </dd> </dl> </dd> <dt class="field-even">Returns</dt> <dd class="field-even"><dl class="simple"> <dt><strong>partials</strong><span class="classifier">ndarray</span></dt><dd><p>array of partial derivatives, Gradient or Jacobian</p> </dd> </dl> </dd> </dl> <p class="rubric">Notes</p> <p>The complex-step derivative has truncation error O(epsilon**2), so truncation error can be eliminated by choosing epsilon to be very small. The complex-step derivative avoids the problem of round-off error with small epsilon because there is no subtraction.</p> </dd></dl> </div> </div> </div> </div> <div class="sphinxsidebar" role="navigation" aria-label="main navigation"> <div class="sphinxsidebarwrapper"> <h4>Previous topic</h4> <p class="topless"><a href="statsmodels.tools.numdiff.approx_fprime.html" title="previous chapter">statsmodels.tools.numdiff.approx_fprime</a></p> <h4>Next topic</h4> <p class="topless"><a href="statsmodels.tools.numdiff.approx_hess1.html" title="next chapter">statsmodels.tools.numdiff.approx_hess1</a></p> <div role="note" aria-label="source link"> <h3>This Page</h3> <ul class="this-page-menu"> <li><a href="../_sources/generated/statsmodels.tools.numdiff.approx_fprime_cs.rst.txt" rel="nofollow">Show Source</a></li> </ul> </div> <div id="searchbox" style="display: none" role="search"> <h3 id="searchlabel">Quick search</h3> <div class="searchformwrapper"> <form class="search" action="../search.html" method="get"> <input type="text" name="q" aria-labelledby="searchlabel" /> <input type="submit" value="Go" /> </form> </div> </div> <script type="text/javascript">$('#searchbox').show(0);</script> </div> </div> <div class="clearer"></div> </div> <div class="footer" role="contentinfo"> &#169; Copyright 2009-2018, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. Created using <a href="http://sphinx-doc.org/">Sphinx</a> 2.1.2. </div> </body> </html>
devel/generated/statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /><meta name="generator" content="Docutils 0.17.1: http://docutils.sourceforge.net/" /> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="lang:clipboard.copy" content="Copy to clipboard"> <meta name="lang:clipboard.copied" content="Copied to clipboard"> <meta name="lang:search.language" content="en"> <meta name="lang:search.pipeline.stopwords" content="True"> <meta name="lang:search.pipeline.trimmer" content="True"> <meta name="lang:search.result.none" content="No matching documents"> <meta name="lang:search.result.one" content="1 matching document"> <meta name="lang:search.result.other" content="# matching documents"> <meta name="lang:search.tokenizer" content="[\s\-]+"> <link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin> <link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet"> <style> body, input { font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif } code, kbd, pre { font-family: "Roboto Mono", "Courier New", Courier, monospace } </style> <link rel="stylesheet" href="../_static/stylesheets/application.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/> <link rel="stylesheet" href="../_static/fonts/material-icons.css"/> <meta name="theme-color" content="#3f51b5"> <script src="../_static/javascripts/modernizr.js"></script> <title>statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names &#8212; statsmodels</title> <link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png"> <link rel="manifest" href="../_static/icons/site.webmanifest"> <link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191"> <meta name="msapplication-TileColor" content="#2b5797"> <meta name="msapplication-config" content="../_static/icons/browserconfig.xml"> <link rel="stylesheet" href="../_static/stylesheets/examples.css"> <link rel="stylesheet" href="../_static/stylesheets/deprecation.css"> <link rel="stylesheet" type="text/css" href="../_static/pygments.css" /> <link rel="stylesheet" type="text/css" href="../_static/material.css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <link rel="stylesheet" type="text/css" href="../_static/plot_directive.css" /> <script data-url_root="../" id="documentation_options" src="../_static/documentation_options.js"></script> <script src="../_static/jquery.js"></script> <script src="../_static/underscore.js"></script> <script src="../_static/doctools.js"></script> <script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script> <link rel="shortcut icon" href="../_static/favicon.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.k_params" href="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.k_params.html" /> <link rel="prev" title="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.endog_names" href="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.endog_names.html" /> </head> <body dir=ltr data-md-color-primary=indigo data-md-color-accent=blue> <svg class="md-svg"> <defs data-children-count="0"> <svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg> </defs> </svg> <input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer"> <input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search"> <label class="md-overlay" data-md-component="overlay" for="__drawer"></label> <a href="#generated/statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names" tabindex="1" class="md-skip"> Skip to content </a> <header class="md-header" data-md-component="header"> <nav class="md-header-nav md-grid"> <div class="md-flex navheader"> <div class="md-flex__cell md-flex__cell--shrink"> <a href="../index.html" title="statsmodels" class="md-header-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" height="26" alt="statsmodels logo"> </a> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label> </div> <div class="md-flex__cell md-flex__cell--stretch"> <div class="md-flex__ellipsis md-header-nav__title" data-md-component="title"> <span class="md-header-nav__topic">statsmodels v0.14.0.dev0 (+325)</span> <span class="md-header-nav__topic"> statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names </span> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--search md-header-nav__button" for="__search"></label> <div class="md-search" data-md-component="search" role="dialog"> <label class="md-search__overlay" for="__search"></label> <div class="md-search__inner" role="search"> <form class="md-search__form" action="../search.html" method="get" name="search"> <input type="text" class="md-search__input" name="q" placeholder="Search" autocapitalize="off" autocomplete="off" spellcheck="false" data-md-component="query" data-md-state="active"> <label class="md-icon md-search__icon" for="__search"></label> <button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1"> &#xE5CD; </button> </form> <div class="md-search__output"> <div class="md-search__scrollwrap" data-md-scrollfix> <div class="md-search-result" data-md-component="result"> <div class="md-search-result__meta"> Type to start searching </div> <ol class="md-search-result__list"></ol> </div> </div> </div> </div> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <div class="md-header-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> </div> <script src="../_static/javascripts/version_dropdown.js"></script> <script> var json_loc = "../../versions-v2.json", target_loc = "../../", text = "Versions"; $( document ).ready( add_version_dropdown(json_loc, target_loc, text)); </script> </div> </nav> </header> <div class="md-container"> <nav class="md-tabs" data-md-component="tabs"> <div class="md-tabs__inner md-grid"> <ul class="md-tabs__list"> <li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li> <li class="md-tabs__item"><a href="../tsa.html" class="md-tabs__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a></li> <li class="md-tabs__item"><a href="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.html" class="md-tabs__link">statsmodels.tsa.regime_switching.markov_regression.MarkovRegression</a></li> </ul> </div> </nav> <main class="md-main"> <div class="md-main__inner md-grid" data-md-component="container"> <div class="md-sidebar md-sidebar--primary" data-md-component="navigation"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--primary" data-md-level="0"> <label class="md-nav__title md-nav__title--site" for="__drawer"> <a href="../index.html" title="statsmodels" class="md-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48"> </a> <a href="../index.html" title="statsmodels">statsmodels v0.14.0.dev0 (+325)</a> </label> <div class="md-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../install.html" class="md-nav__link">Installing statsmodels</a> </li> <li class="md-nav__item"> <a href="../gettingstarted.html" class="md-nav__link">Getting started</a> </li> <li class="md-nav__item"> <a href="../user-guide.html" class="md-nav__link">User Guide</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../user-guide.html#background" class="md-nav__link">Background</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../tsa.html" class="md-nav__link">Time Series analysis <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa</span></code></a> </li> <li class="md-nav__item"> <a href="../statespace.html" class="md-nav__link">Time Series Analysis by State Space Methods <code class="xref py py-mod docutils literal notranslate"><span class="pre">statespace</span></code></a> </li> <li class="md-nav__item"> <a href="../vector_ar.html" class="md-nav__link">Vector Autoregressions <code class="xref py py-mod docutils literal notranslate"><span class="pre">tsa.vector_ar</span></code></a> </li></ul> </li> <li class="md-nav__item"> <a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a> </li></ul> </li> <li class="md-nav__item"> <a href="../examples/index.html" class="md-nav__link">Examples</a> </li> <li class="md-nav__item"> <a href="../api.html" class="md-nav__link">API Reference</a> </li> <li class="md-nav__item"> <a href="../about.html" class="md-nav__link">About statsmodels</a> </li> <li class="md-nav__item"> <a href="../dev/index.html" class="md-nav__link">Developer Page</a> </li> <li class="md-nav__item"> <a href="../release/index.html" class="md-nav__link">Release Notes</a> </li> </ul> </nav> </div> </div> </div> <div class="md-sidebar md-sidebar--secondary" data-md-component="toc"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--secondary"> <ul class="md-nav__list" data-md-scrollfix=""> <li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names.rst.txt">Show Source</a> </li> <li id="searchbox" class="md-nav__item"></li> </ul> </nav> </div> </div> </div> <div class="md-content"> <article class="md-content__inner md-typeset" role="main"> <section id="statsmodels-tsa-regime-switching-markov-regression-markovregression-exog-names"> <h1 id="generated-statsmodels-tsa-regime-switching-markov-regression-markovregression-exog-names--page-root">statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names<a class="headerlink" href="#generated-statsmodels-tsa-regime-switching-markov-regression-markovregression-exog-names--page-root" title="Permalink to this headline">¶</a></h1> <dl class="py property"> <dt class="sig sig-object py" id="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names"> <em class="property"><span class="pre">property</span><span class="w"> </span></em><span class="sig-prename descclassname"><span class="pre">MarkovRegression.</span></span><span class="sig-name descname"><span class="pre">exog_names</span></span><a class="headerlink" href="#statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.exog_names" title="Permalink to this definition">¶</a></dt> <dd><p>The names of the exogenous variables.</p> </dd></dl> </section> </article> </div> </div> </main> </div> <footer class="md-footer"> <div class="md-footer-nav"> <nav class="md-footer-nav__inner md-grid"> <a href="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.endog_names.html" title="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.endog_names" class="md-flex md-footer-nav__link md-footer-nav__link--prev" rel="prev"> <div class="md-flex__cell md-flex__cell--shrink"> <i class="md-icon md-icon--arrow-back md-footer-nav__button"></i> </div> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"> <span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Previous </span> statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.endog_names </span> </div> </a> <a href="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.k_params.html" title="statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.k_params" class="md-flex md-footer-nav__link md-footer-nav__link--next" rel="next"> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Next </span> statsmodels.tsa.regime_switching.markov_regression.MarkovRegression.k_params </span> </div> <div class="md-flex__cell md-flex__cell--shrink"><i class="md-icon md-icon--arrow-forward md-footer-nav__button"></i> </div> </a> </nav> </div> <div class="md-footer-meta md-typeset"> <div class="md-footer-meta__inner md-grid"> <div class="md-footer-copyright"> <div class="md-footer-copyright__highlight"> &#169; Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. </div> Last updated on Feb 23, 2022. <br/> Created using <a href="http://www.sphinx-doc.org/">Sphinx</a> 4.4.0. and <a href="https://github.com/bashtage/sphinx-material/">Material for Sphinx</a> </div> </div> </div> </footer> <script src="../_static/javascripts/application.js"></script> <script>app.initialize({version: "1.0.4", url: {base: ".."}})</script> </body> </html>
doc/com/sun/squawk/io/ConnectionBaseAdapter.html
VulcanRobotics/Vector
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_29) on Wed Jan 01 17:06:53 EST 2014 --> <TITLE> ConnectionBaseAdapter (2013 FRC Java API) </TITLE> <META NAME="date" CONTENT="2014-01-01"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="ConnectionBaseAdapter (2013 FRC Java API)"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ConnectionBaseAdapter.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> "<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io"><B>PREV CLASS</B></A>&nbsp; &nbsp;<A HREF="../../../../com/sun/squawk/io/MulticastOutputStream.html" title="class in com.sun.squawk.io"><B>NEXT CLASS</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../index.html?com/sun/squawk/io/ConnectionBaseAdapter.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="ConnectionBaseAdapter.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> <TR> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> SUMMARY:&nbsp;NESTED&nbsp;|&nbsp;<A HREF="#field_summary">FIELD</A>&nbsp;|&nbsp;<A HREF="#constructor_summary">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_summary">METHOD</A></FONT></TD> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> DETAIL:&nbsp;<A HREF="#field_detail">FIELD</A>&nbsp;|&nbsp;<A HREF="#constructor_detail">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_detail">METHOD</A></FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <!-- ======== START OF CLASS DATA ======== --> <H2> <FONT SIZE="-1"> com.sun.squawk.io</FONT> <BR> Class ConnectionBaseAdapter</H2> <PRE> <A HREF="../../../../java/lang/Object.html" title="class in java.lang">java.lang.Object</A> <IMG SRC="../../../../resources/inherit.gif" ALT="extended by "><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">com.sun.squawk.io.ConnectionBase</A> <IMG SRC="../../../../resources/inherit.gif" ALT="extended by "><B>com.sun.squawk.io.ConnectionBaseAdapter</B> </PRE> <DL> <DT><B>All Implemented Interfaces:</B> <DD><A HREF="../../../../javax/microedition/io/Connection.html" title="interface in javax.microedition.io">Connection</A>, <A HREF="../../../../javax/microedition/io/InputConnection.html" title="interface in javax.microedition.io">InputConnection</A>, <A HREF="../../../../javax/microedition/io/OutputConnection.html" title="interface in javax.microedition.io">OutputConnection</A>, <A HREF="../../../../javax/microedition/io/StreamConnection.html" title="interface in javax.microedition.io">StreamConnection</A></DD> </DL> <DL> <DT><B>Direct Known Subclasses:</B> <DD><A HREF="../../../../com/sun/squawk/io/j2me/file/Protocol.html" title="class in com.sun.squawk.io.j2me.file">Protocol</A></DD> </DL> <HR> <DL> <DT><PRE>public abstract class <B>ConnectionBaseAdapter</B><DT>extends <A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A><DT>implements <A HREF="../../../../javax/microedition/io/StreamConnection.html" title="interface in javax.microedition.io">StreamConnection</A></DL> </PRE> <P> Protocol classes extend this class to gain some of the common functionality needed to implement a CLDC Generic Connection. <p> The common functionality includes:</p> <ul> <li>Supplies the input and output stream classes for a StreamConnection</li> <li>Limits the number of streams opened according to mode, but the limit can be overridden. Read-write allows 1 input and 1 output, write-only allows 1 output, read-only allows 1 input</li> <li>Only "disconnects" when the connection and all streams are closed</li> <li>Throws I/O exceptions when used after being closed</li> <li>Provides a more efficient implementation of <A HREF="../../../../java/io/InputStream.html#read(byte[], int, int)"><CODE>InputStream.read(byte[], int, int)</CODE></A>, which is called by <A HREF="../../../../java/io/InputStream.html#read()"><CODE>InputStream.read()</CODE></A> <li>Provides a more efficient implementation of <A HREF="../../../../java/io/OutputStream.html#write(byte[], int, int)"><CODE>OutputStream.write(byte[], int, int)</CODE></A>, which is called by <A HREF="../../../../java/io/OutputStream.html#write(int)"><CODE>OutputStream.write(int)</CODE></A> </ul> <p align="center"> <b>Class Relationship Diagram</b></p> <p align="center"> <img src="doc-files/ConnectionBaseAdapter.gif" border=0></p> <P> <P> <DL> <DT><B>Version:</B></DT> <DD>3.0 9/1/2000</DD> </DL> <HR> <P> <!-- =========== FIELD SUMMARY =========== --> <A NAME="field_summary"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Field Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;boolean</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#connectionOpen">connectionOpen</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Flag indicating if the connection is open.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#iStreams">iStreams</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Number of input streams that were opened.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#maxIStreams">maxIStreams</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Maximum number of open input streams.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#maxOStreams">maxOStreams</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Maximum number of output streams.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#oStreams">oStreams</A></B></CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Number of output streams were opened.</TD> </TR> </TABLE> &nbsp; <!-- ======== CONSTRUCTOR SUMMARY ======== --> <A NAME="constructor_summary"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Constructor Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#ConnectionBaseAdapter()">ConnectionBaseAdapter</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;</TD> </TR> </TABLE> &nbsp; <!-- ========== METHOD SUMMARY =========== --> <A NAME="method_summary"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Method Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#available()">available</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Returns the number of bytes that can be read (or skipped over) from this input stream without blocking by the next caller of a method for this input stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#close()">close</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Close the connection.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#closeInputStream()">closeInputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Called once by each child input stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#closeOutputStream()">closeOutputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Called once by each child output stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected abstract &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#disconnect()">disconnect</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Free up the connection resources.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#ensureOpen()">ensureOpen</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Check if the connection is open.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#flush()">flush</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Forces any buffered output bytes to be written out.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#initStreamConnection(int)">initStreamConnection</A></B>(int&nbsp;mode)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Check the mode argument and initialize the StreamConnection.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#mark(int)">mark</A></B>(int&nbsp;readlimit)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Marks the current position in input stream for a connection.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;boolean</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#markSupported()">markSupported</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Tests if input stream for a connection supports the <code>mark</code> and <code>reset</code> methods.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#notifyClosedInput()">notifyClosedInput</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Notify blocked Java threads waiting for an input data that all InputStream instances of the connection are closed</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected &nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#notifyClosedOutput()">notifyClosedOutput</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Notify blocked Java threads trying to output data that all OutputStream instances of the connection are closed</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../java/io/DataInputStream.html" title="class in java.io">DataInputStream</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#openDataInputStream()">openDataInputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Open and return a data input stream for a connection.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../java/io/DataOutputStream.html" title="class in java.io">DataOutputStream</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#openDataOutputStream()">openDataOutputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Open and return a data output stream for a connection.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../java/io/InputStream.html" title="class in java.io">InputStream</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#openInputStream()">openInputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Returns an input stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../java/io/OutputStream.html" title="class in java.io">OutputStream</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#openOutputStream()">openOutputStream</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Returns an output stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>abstract &nbsp;<A HREF="../../../../javax/microedition/io/Connection.html" title="interface in javax.microedition.io">Connection</A></CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#openPrim(java.lang.String, int, boolean)">openPrim</A></B>(<A HREF="../../../../java/lang/String.html" title="class in java.lang">String</A>&nbsp;name, int&nbsp;mode, boolean&nbsp;timeouts)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Initialize the StreamConnection and return it.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected abstract &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#readBytes(byte[], int, int)">readBytes</A></B>(byte[]&nbsp;b, int&nbsp;off, int&nbsp;len)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Reads up to <code>len</code> bytes of data from the input stream into an array of bytes, blocks until at least one byte is available.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;void</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#reset()">reset</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Repositions input stream for a connection to the position at the time the <code>mark</code> method was last called on this input stream.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>protected abstract &nbsp;int</CODE></FONT></TD> <TD><CODE><B><A HREF="../../../../com/sun/squawk/io/ConnectionBaseAdapter.html#writeBytes(byte[], int, int)">writeBytes</A></B>(byte[]&nbsp;b, int&nbsp;off, int&nbsp;len)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Writes <code>len</code> bytes from the specified byte array starting at offset <code>off</code> to this output stream.</TD> </TR> </TABLE> &nbsp;<A NAME="methods_inherited_from_class_com.sun.squawk.io.ConnectionBase"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left"><B>Methods inherited from class com.sun.squawk.io.<A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></B></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#open(java.lang.String, java.lang.String, int, boolean)">open</A></CODE></TD> </TR> </TABLE> &nbsp;<A NAME="methods_inherited_from_class_java.lang.Object"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left"><B>Methods inherited from class java.lang.<A HREF="../../../../java/lang/Object.html" title="class in java.lang">Object</A></B></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><CODE><A HREF="../../../../java/lang/Object.html#equals(java.lang.Object)">equals</A>, <A HREF="../../../../java/lang/Object.html#getClass()">getClass</A>, <A HREF="../../../../java/lang/Object.html#hashCode()">hashCode</A>, <A HREF="../../../../java/lang/Object.html#notify()">notify</A>, <A HREF="../../../../java/lang/Object.html#notifyAll()">notifyAll</A>, <A HREF="../../../../java/lang/Object.html#toString()">toString</A>, <A HREF="../../../../java/lang/Object.html#wait()">wait</A>, <A HREF="../../../../java/lang/Object.html#wait(long)">wait</A>, <A HREF="../../../../java/lang/Object.html#wait(long, int)">wait</A></CODE></TD> </TR> </TABLE> &nbsp; <P> <!-- ============ FIELD DETAIL =========== --> <A NAME="field_detail"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2"> <B>Field Detail</B></FONT></TH> </TR> </TABLE> <A NAME="connectionOpen"><!-- --></A><H3> connectionOpen</H3> <PRE> protected boolean <B>connectionOpen</B></PRE> <DL> <DD>Flag indicating if the connection is open. <P> <DL> </DL> </DL> <HR> <A NAME="iStreams"><!-- --></A><H3> iStreams</H3> <PRE> protected int <B>iStreams</B></PRE> <DL> <DD>Number of input streams that were opened. <P> <DL> </DL> </DL> <HR> <A NAME="maxIStreams"><!-- --></A><H3> maxIStreams</H3> <PRE> protected int <B>maxIStreams</B></PRE> <DL> <DD>Maximum number of open input streams. Set this to zero to prevent openInputStream from giving out a stream in write-only mode. <P> <DL> </DL> </DL> <HR> <A NAME="oStreams"><!-- --></A><H3> oStreams</H3> <PRE> protected int <B>oStreams</B></PRE> <DL> <DD>Number of output streams were opened. <P> <DL> </DL> </DL> <HR> <A NAME="maxOStreams"><!-- --></A><H3> maxOStreams</H3> <PRE> protected int <B>maxOStreams</B></PRE> <DL> <DD>Maximum number of output streams. Set this to zero to prevent openOutputStream from giving out a stream in read-only mode. <P> <DL> </DL> </DL> <!-- ========= CONSTRUCTOR DETAIL ======== --> <A NAME="constructor_detail"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2"> <B>Constructor Detail</B></FONT></TH> </TR> </TABLE> <A NAME="ConnectionBaseAdapter()"><!-- --></A><H3> ConnectionBaseAdapter</H3> <PRE> public <B>ConnectionBaseAdapter</B>()</PRE> <DL> </DL> <!-- ============ METHOD DETAIL ========== --> <A NAME="method_detail"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2"> <B>Method Detail</B></FONT></TH> </TR> </TABLE> <A NAME="openPrim(java.lang.String, int, boolean)"><!-- --></A><H3> openPrim</H3> <PRE> public abstract <A HREF="../../../../javax/microedition/io/Connection.html" title="interface in javax.microedition.io">Connection</A> <B>openPrim</B>(<A HREF="../../../../java/lang/String.html" title="class in java.lang">String</A>&nbsp;name, int&nbsp;mode, boolean&nbsp;timeouts) throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Initialize the StreamConnection and return it. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Parameters:</B><DD><CODE>name</CODE> - URL for the connection, without the without the protocol part<DD><CODE>mode</CODE> - I/O access mode, see <A HREF="../../../../javax/microedition/io/Connector.html" title="class in javax.microedition.io"><CODE>Connector</CODE></A><DD><CODE>timeouts</CODE> - flag to indicate that the caller wants timeout exceptions <DT><B>Returns:</B><DD>this Connection object <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/lang/IllegalArgumentException.html" title="class in java.lang">IllegalArgumentException</A></CODE> - If a parameter is invalid. <DD><CODE><A HREF="../../../../javax/microedition/io/ConnectionNotFoundException.html" title="class in javax.microedition.io">ConnectionNotFoundException</A></CODE> - If the connection cannot be found. <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - If some other kind of I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="initStreamConnection(int)"><!-- --></A><H3> initStreamConnection</H3> <PRE> public void <B>initStreamConnection</B>(int&nbsp;mode) throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Check the mode argument and initialize the StreamConnection. Any permissions checks should be checked before this method is called because the TCK expects the security check to fail before the arguments are called even though the spec does not mandate it. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Parameters:</B><DD><CODE>mode</CODE> - I/O access mode, see <A HREF="../../../../javax/microedition/io/Connector.html" title="class in javax.microedition.io"><CODE>Connector</CODE></A> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/lang/IllegalArgumentException.html" title="class in java.lang">IllegalArgumentException</A></CODE> - If a parameter is invalid. <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - If some other kind of I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="openInputStream()"><!-- --></A><H3> openInputStream</H3> <PRE> public <A HREF="../../../../java/io/InputStream.html" title="class in java.io">InputStream</A> <B>openInputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Returns an input stream. <P> <DD><DL> <DT><B>Specified by:</B><DD><CODE><A HREF="../../../../javax/microedition/io/InputConnection.html#openInputStream()">openInputStream</A></CODE> in interface <CODE><A HREF="../../../../javax/microedition/io/InputConnection.html" title="interface in javax.microedition.io">InputConnection</A></CODE><DT><B>Overrides:</B><DD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#openInputStream()">openInputStream</A></CODE> in class <CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></CODE></DL> </DD> <DD><DL> <DT><B>Returns:</B><DD>an input stream for writing bytes to this port. <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs when creating the output stream.</DL> </DD> </DL> <HR> <A NAME="openDataInputStream()"><!-- --></A><H3> openDataInputStream</H3> <PRE> public <A HREF="../../../../java/io/DataInputStream.html" title="class in java.io">DataInputStream</A> <B>openDataInputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Open and return a data input stream for a connection. <P> <DD><DL> <DT><B>Specified by:</B><DD><CODE><A HREF="../../../../javax/microedition/io/InputConnection.html#openDataInputStream()">openDataInputStream</A></CODE> in interface <CODE><A HREF="../../../../javax/microedition/io/InputConnection.html" title="interface in javax.microedition.io">InputConnection</A></CODE><DT><B>Overrides:</B><DD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#openDataInputStream()">openDataInputStream</A></CODE> in class <CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></CODE></DL> </DD> <DD><DL> <DT><B>Returns:</B><DD>An input stream <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - If an I/O error occurs</DL> </DD> </DL> <HR> <A NAME="openOutputStream()"><!-- --></A><H3> openOutputStream</H3> <PRE> public <A HREF="../../../../java/io/OutputStream.html" title="class in java.io">OutputStream</A> <B>openOutputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Returns an output stream. <P> <DD><DL> <DT><B>Specified by:</B><DD><CODE><A HREF="../../../../javax/microedition/io/OutputConnection.html#openOutputStream()">openOutputStream</A></CODE> in interface <CODE><A HREF="../../../../javax/microedition/io/OutputConnection.html" title="interface in javax.microedition.io">OutputConnection</A></CODE><DT><B>Overrides:</B><DD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#openOutputStream()">openOutputStream</A></CODE> in class <CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></CODE></DL> </DD> <DD><DL> <DT><B>Returns:</B><DD>an output stream for writing bytes to this port. <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs when creating the output stream.</DL> </DD> </DL> <HR> <A NAME="openDataOutputStream()"><!-- --></A><H3> openDataOutputStream</H3> <PRE> public <A HREF="../../../../java/io/DataOutputStream.html" title="class in java.io">DataOutputStream</A> <B>openDataOutputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Open and return a data output stream for a connection. <P> <DD><DL> <DT><B>Specified by:</B><DD><CODE><A HREF="../../../../javax/microedition/io/OutputConnection.html#openDataOutputStream()">openDataOutputStream</A></CODE> in interface <CODE><A HREF="../../../../javax/microedition/io/OutputConnection.html" title="interface in javax.microedition.io">OutputConnection</A></CODE><DT><B>Overrides:</B><DD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#openDataOutputStream()">openDataOutputStream</A></CODE> in class <CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></CODE></DL> </DD> <DD><DL> <DT><B>Returns:</B><DD>An input stream <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - If an I/O error occurs</DL> </DD> </DL> <HR> <A NAME="close()"><!-- --></A><H3> close</H3> <PRE> public void <B>close</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Close the connection. <P> <DD><DL> <DT><B>Specified by:</B><DD><CODE><A HREF="../../../../javax/microedition/io/Connection.html#close()">close</A></CODE> in interface <CODE><A HREF="../../../../javax/microedition/io/Connection.html" title="interface in javax.microedition.io">Connection</A></CODE><DT><B>Overrides:</B><DD><CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html#close()">close</A></CODE> in class <CODE><A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io">ConnectionBase</A></CODE></DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs when closing the connection.</DL> </DD> </DL> <HR> <A NAME="closeInputStream()"><!-- --></A><H3> closeInputStream</H3> <PRE> protected void <B>closeInputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Called once by each child input stream. If the input stream is marked open, it will be marked closed and the if the connection and output stream are closed the disconnect method will be called. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if the subclass throws one</DL> </DD> </DL> <HR> <A NAME="closeOutputStream()"><!-- --></A><H3> closeOutputStream</H3> <PRE> protected void <B>closeOutputStream</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Called once by each child output stream. If the output stream is marked open, it will be marked closed and the if the connection and input stream are closed the disconnect method will be called. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if the subclass throws one</DL> </DD> </DL> <HR> <A NAME="notifyClosedInput()"><!-- --></A><H3> notifyClosedInput</H3> <PRE> protected void <B>notifyClosedInput</B>()</PRE> <DL> <DD>Notify blocked Java threads waiting for an input data that all InputStream instances of the connection are closed <P> <DD><DL> </DL> </DD> <DD><DL> </DL> </DD> </DL> <HR> <A NAME="notifyClosedOutput()"><!-- --></A><H3> notifyClosedOutput</H3> <PRE> protected void <B>notifyClosedOutput</B>()</PRE> <DL> <DD>Notify blocked Java threads trying to output data that all OutputStream instances of the connection are closed <P> <DD><DL> </DL> </DD> <DD><DL> </DL> </DD> </DL> <HR> <A NAME="ensureOpen()"><!-- --></A><H3> ensureOpen</H3> <PRE> protected void <B>ensureOpen</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Check if the connection is open. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - is thrown, if the stream is not open.</DL> </DD> </DL> <HR> <A NAME="disconnect()"><!-- --></A><H3> disconnect</H3> <PRE> protected abstract void <B>disconnect</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Free up the connection resources. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="readBytes(byte[], int, int)"><!-- --></A><H3> readBytes</H3> <PRE> protected abstract int <B>readBytes</B>(byte[]&nbsp;b, int&nbsp;off, int&nbsp;len) throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Reads up to <code>len</code> bytes of data from the input stream into an array of bytes, blocks until at least one byte is available. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Parameters:</B><DD><CODE>b</CODE> - the buffer into which the data is read.<DD><CODE>off</CODE> - the start offset in array <code>b</code> at which the data is written.<DD><CODE>len</CODE> - the maximum number of bytes to read. <DT><B>Returns:</B><DD>the total number of bytes read into the buffer, or <code>-1</code> if there is no more data because the end of the stream has been reached. <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="available()"><!-- --></A><H3> available</H3> <PRE> public int <B>available</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Returns the number of bytes that can be read (or skipped over) from this input stream without blocking by the next caller of a method for this input stream. The next caller might be the same thread or another thread. This classes implementation always returns <code>0</code>. It is up to subclasses to override this method. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Returns:</B><DD>the number of bytes that can be read from this input stream without blocking. <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="writeBytes(byte[], int, int)"><!-- --></A><H3> writeBytes</H3> <PRE> protected abstract int <B>writeBytes</B>(byte[]&nbsp;b, int&nbsp;off, int&nbsp;len) throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Writes <code>len</code> bytes from the specified byte array starting at offset <code>off</code> to this output stream. <p> Polling the native code is done here to allow for simple asynchronous native code to be written. Not all implementations work this way (they block in the native code) but the same Java code works for both. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Parameters:</B><DD><CODE>b</CODE> - the data.<DD><CODE>off</CODE> - the start offset in the data.<DD><CODE>len</CODE> - the number of bytes to write. <DT><B>Returns:</B><DD>number of bytes written <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs. In particular, an <code>IOException</code> is thrown if the output stream is closed.</DL> </DD> </DL> <HR> <A NAME="flush()"><!-- --></A><H3> flush</H3> <PRE> protected void <B>flush</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Forces any buffered output bytes to be written out. The general contract of <code>flush</code> is that calling it is an indication that, if any bytes previously written that have been buffered by the connection, should immediately be written to their intended destination. <p> The <code>flush</code> method of <code>ConnectionBaseAdapter</code> does nothing. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if an I/O error occurs.</DL> </DD> </DL> <HR> <A NAME="markSupported()"><!-- --></A><H3> markSupported</H3> <PRE> public boolean <B>markSupported</B>()</PRE> <DL> <DD>Tests if input stream for a connection supports the <code>mark</code> and <code>reset</code> methods. <p> The <code>markSupported</code> method of <code>ConnectionBaseAdapter</code> returns <code>false</code>. <p> Subclasses should override this method if they support own mark/reset functionality. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Returns:</B><DD><code>true</code> if input stream for this connection supports the <code>mark</code> and <code>reset</code> methods; <code>false</code> otherwise.<DT><B>See Also:</B><DD><A HREF="../../../../java/io/InputStream.html#mark(int)"><CODE>InputStream.mark(int)</CODE></A>, <A HREF="../../../../java/io/InputStream.html#reset()"><CODE>InputStream.reset()</CODE></A></DL> </DD> </DL> <HR> <A NAME="mark(int)"><!-- --></A><H3> mark</H3> <PRE> public void <B>mark</B>(int&nbsp;readlimit)</PRE> <DL> <DD>Marks the current position in input stream for a connection. A subsequent call to the <code>reset</code> method repositions this stream at the last marked position so that subsequent reads re-read the same bytes. <p> The <code>mark</code> method of <code>ConnectionBaseAdapter</code> does nothing. <p> Subclasses should override this method if they support own mark/reset functionality. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Parameters:</B><DD><CODE>readlimit</CODE> - the maximum limit of bytes that can be read before the mark position becomes invalid.<DT><B>See Also:</B><DD><A HREF="../../../../java/io/InputStream.html#reset()"><CODE>InputStream.reset()</CODE></A></DL> </DD> </DL> <HR> <A NAME="reset()"><!-- --></A><H3> reset</H3> <PRE> public void <B>reset</B>() throws <A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></PRE> <DL> <DD>Repositions input stream for a connection to the position at the time the <code>mark</code> method was last called on this input stream. <p> The method <code>reset</code> for <code>ConnectionBaseAdapter</code> class does nothing and always throws an <code>IOException</code>. <p> Subclasses should override this method if they support own mark/reset functionality. <P> <DD><DL> </DL> </DD> <DD><DL> <DT><B>Throws:</B> <DD><CODE><A HREF="../../../../java/io/IOException.html" title="class in java.io">IOException</A></CODE> - if this stream has not been marked or if the mark has been invalidated.<DT><B>See Also:</B><DD><A HREF="../../../../java/io/InputStream.html#reset()"><CODE>InputStream.reset()</CODE></A>, <A HREF="../../../../java/io/InputStream.html#mark(int)"><CODE>InputStream.mark(int)</CODE></A>, <A HREF="../../../../java/io/IOException.html" title="class in java.io"><CODE>IOException</CODE></A></DL> </DD> </DL> <!-- ========= END OF CLASS DATA ========= --> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ConnectionBaseAdapter.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> "<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../com/sun/squawk/io/ConnectionBase.html" title="class in com.sun.squawk.io"><B>PREV CLASS</B></A>&nbsp; &nbsp;<A HREF="../../../../com/sun/squawk/io/MulticastOutputStream.html" title="class in com.sun.squawk.io"><B>NEXT CLASS</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../index.html?com/sun/squawk/io/ConnectionBaseAdapter.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="ConnectionBaseAdapter.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> <TR> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> SUMMARY:&nbsp;NESTED&nbsp;|&nbsp;<A HREF="#field_summary">FIELD</A>&nbsp;|&nbsp;<A HREF="#constructor_summary">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_summary">METHOD</A></FONT></TD> <TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2"> DETAIL:&nbsp;<A HREF="#field_detail">FIELD</A>&nbsp;|&nbsp;<A HREF="#constructor_detail">CONSTR</A>&nbsp;|&nbsp;<A HREF="#method_detail">METHOD</A></FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> "<center><i><font size=\"-1\">For updated information see the <a href=\"http://www.usfirst.org/roboticsprograms/frc/\">Java FRC site</a></font></i></center>" </BODY> </HTML>
v0.10.1/generated/statsmodels.regression.linear_model.OLSResults.outlier_test.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta charset="utf-8" /> <title>statsmodels.regression.linear_model.OLSResults.outlier_test &#8212; statsmodels v0.10.1 documentation</title> <link rel="stylesheet" href="../_static/nature.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <script type="text/javascript" id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script> <script type="text/javascript" src="../_static/jquery.js"></script> <script type="text/javascript" src="../_static/underscore.js"></script> <script type="text/javascript" src="../_static/doctools.js"></script> <script type="text/javascript" src="../_static/language_data.js"></script> <script async="async" type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/latest.js?config=TeX-AMS-MML_HTMLorMML"></script> <link rel="shortcut icon" href="../_static/statsmodels_hybi_favico.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.regression.linear_model.OLSResults.predict" href="statsmodels.regression.linear_model.OLSResults.predict.html" /> <link rel="prev" title="statsmodels.regression.linear_model.OLSResults.normalized_cov_params" href="statsmodels.regression.linear_model.OLSResults.normalized_cov_params.html" /> <link rel="stylesheet" href="../_static/examples.css" type="text/css" /> <link rel="stylesheet" href="../_static/facebox.css" type="text/css" /> <script type="text/javascript" src="../_static/scripts.js"> </script> <script type="text/javascript" src="../_static/facebox.js"> </script> <script type="text/javascript"> $.facebox.settings.closeImage = "../_static/closelabel.png" $.facebox.settings.loadingImage = "../_static/loading.gif" </script> <script> $(document).ready(function() { $.getJSON("../../versions.json", function(versions) { var dropdown = document.createElement("div"); dropdown.className = "dropdown"; var button = document.createElement("button"); button.className = "dropbtn"; button.innerHTML = "Other Versions"; var content = document.createElement("div"); content.className = "dropdown-content"; dropdown.appendChild(button); dropdown.appendChild(content); $(".header").prepend(dropdown); for (var i = 0; i < versions.length; i++) { if (versions[i].substring(0, 1) == "v") { versions[i] = [versions[i], versions[i].substring(1)]; } else { versions[i] = [versions[i], versions[i]]; }; }; for (var i = 0; i < versions.length; i++) { var a = document.createElement("a"); a.innerHTML = versions[i][1]; a.href = "../../" + versions[i][0] + "/index.html"; a.title = versions[i][1]; $(".dropdown-content").append(a); }; }); }); </script> </head><body> <div class="headerwrap"> <div class = "header"> <a href = "../index.html"> <img src="../_static/statsmodels_hybi_banner.png" alt="Logo" style="padding-left: 15px"/></a> </div> </div> <div class="related" role="navigation" aria-label="related navigation"> <h3>Navigation</h3> <ul> <li class="right" style="margin-right: 10px"> <a href="../genindex.html" title="General Index" accesskey="I">index</a></li> <li class="right" > <a href="../py-modindex.html" title="Python Module Index" >modules</a> |</li> <li class="right" > <a href="statsmodels.regression.linear_model.OLSResults.predict.html" title="statsmodels.regression.linear_model.OLSResults.predict" accesskey="N">next</a> |</li> <li class="right" > <a href="statsmodels.regression.linear_model.OLSResults.normalized_cov_params.html" title="statsmodels.regression.linear_model.OLSResults.normalized_cov_params" accesskey="P">previous</a> |</li> <li><a href ="../install.html">Install</a></li> &nbsp;|&nbsp; <li><a href="https://groups.google.com/forum/?hl=en#!forum/pystatsmodels">Support</a></li> &nbsp;|&nbsp; <li><a href="https://github.com/statsmodels/statsmodels/issues">Bugs</a></li> &nbsp;|&nbsp; <li><a href="../dev/index.html">Develop</a></li> &nbsp;|&nbsp; <li><a href="../examples/index.html">Examples</a></li> &nbsp;|&nbsp; <li><a href="../faq.html">FAQ</a></li> &nbsp;|&nbsp; <li class="nav-item nav-item-1"><a href="../regression.html" >Linear Regression</a> |</li> <li class="nav-item nav-item-2"><a href="statsmodels.regression.linear_model.OLSResults.html" accesskey="U">statsmodels.regression.linear_model.OLSResults</a> |</li> </ul> </div> <div class="document"> <div class="documentwrapper"> <div class="bodywrapper"> <div class="body" role="main"> <div class="section" id="statsmodels-regression-linear-model-olsresults-outlier-test"> <h1>statsmodels.regression.linear_model.OLSResults.outlier_test<a class="headerlink" href="#statsmodels-regression-linear-model-olsresults-outlier-test" title="Permalink to this headline">¶</a></h1> <p>method</p> <dl class="method"> <dt id="statsmodels.regression.linear_model.OLSResults.outlier_test"> <code class="sig-prename descclassname">OLSResults.</code><code class="sig-name descname">outlier_test</code><span class="sig-paren">(</span><em class="sig-param">method='bonf'</em>, <em class="sig-param">alpha=0.05</em>, <em class="sig-param">labels=None</em>, <em class="sig-param">order=False</em>, <em class="sig-param">cutoff=None</em><span class="sig-paren">)</span><a class="reference internal" href="../_modules/statsmodels/regression/linear_model.html#OLSResults.outlier_test"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#statsmodels.regression.linear_model.OLSResults.outlier_test" title="Permalink to this definition">¶</a></dt> <dd><p>Test observations for outliers according to method</p> <dl class="field-list"> <dt class="field-odd">Parameters</dt> <dd class="field-odd"><dl> <dt><strong>method</strong><span class="classifier">str</span></dt><dd><ul class="simple"> <li><p><cite>bonferroni</cite> : one-step correction</p></li> <li><p><cite>sidak</cite> : one-step correction</p></li> <li><p><cite>holm-sidak</cite> :</p></li> <li><p><cite>holm</cite> :</p></li> <li><p><cite>simes-hochberg</cite> :</p></li> <li><p><cite>hommel</cite> :</p></li> <li><p><cite>fdr_bh</cite> : Benjamini/Hochberg</p></li> <li><p><cite>fdr_by</cite> : Benjamini/Yekutieli</p></li> </ul> <p>See <cite>statsmodels.stats.multitest.multipletests</cite> for details.</p> </dd> <dt><strong>alpha</strong><span class="classifier">float</span></dt><dd><p>familywise error rate</p> </dd> <dt><strong>labels</strong><span class="classifier">None or array_like</span></dt><dd><p>If <cite>labels</cite> is not None, then it will be used as index to the returned pandas DataFrame. See also Returns below</p> </dd> <dt><strong>order</strong><span class="classifier">bool</span></dt><dd><p>Whether or not to order the results by the absolute value of the studentized residuals. If labels are provided they will also be sorted.</p> </dd> <dt><strong>cutoff</strong><span class="classifier">None or float in [0, 1]</span></dt><dd><p>If cutoff is not None, then the return only includes observations with multiple testing corrected p-values strictly below the cutoff. The returned array or dataframe can be empty if t</p> </dd> </dl> </dd> <dt class="field-even">Returns</dt> <dd class="field-even"><dl class="simple"> <dt><strong>table</strong><span class="classifier">ndarray or DataFrame</span></dt><dd><p>Returns either an ndarray or a DataFrame if labels is not None. Will attempt to get labels from model_results if available. The columns are the Studentized residuals, the unadjusted p-value, and the corrected p-value according to method.</p> </dd> </dl> </dd> </dl> <p class="rubric">Notes</p> <p>The unadjusted p-value is stats.t.sf(abs(resid), df) where df = df_resid - 1.</p> </dd></dl> </div> </div> </div> </div> <div class="sphinxsidebar" role="navigation" aria-label="main navigation"> <div class="sphinxsidebarwrapper"> <h4>Previous topic</h4> <p class="topless"><a href="statsmodels.regression.linear_model.OLSResults.normalized_cov_params.html" title="previous chapter">statsmodels.regression.linear_model.OLSResults.normalized_cov_params</a></p> <h4>Next topic</h4> <p class="topless"><a href="statsmodels.regression.linear_model.OLSResults.predict.html" title="next chapter">statsmodels.regression.linear_model.OLSResults.predict</a></p> <div role="note" aria-label="source link"> <h3>This Page</h3> <ul class="this-page-menu"> <li><a href="../_sources/generated/statsmodels.regression.linear_model.OLSResults.outlier_test.rst.txt" rel="nofollow">Show Source</a></li> </ul> </div> <div id="searchbox" style="display: none" role="search"> <h3 id="searchlabel">Quick search</h3> <div class="searchformwrapper"> <form class="search" action="../search.html" method="get"> <input type="text" name="q" aria-labelledby="searchlabel" /> <input type="submit" value="Go" /> </form> </div> </div> <script type="text/javascript">$('#searchbox').show(0);</script> </div> </div> <div class="clearer"></div> </div> <div class="footer" role="contentinfo"> &#169; Copyright 2009-2018, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. Created using <a href="http://sphinx-doc.org/">Sphinx</a> 2.1.2. </div> </body> </html>
corehq/apps/orgs/templates/orgs/partials/undo_leave_team.html
gmimano/commcaretest
{% load url from future %} <form class="form-inline" action="{% url "join_team" org team_id %}" method="POST"> <input type="hidden" name="username" value="{{ user.username }}"/> You have removed {{ user.username }} from this team. <a href="#" class="form-submit-link">Undo</a> </form>
v0.12.0/generated/statsmodels.discrete.discrete_model.CountResults.bse.html
statsmodels/statsmodels.github.io
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="lang:clipboard.copy" content="Copy to clipboard"> <meta name="lang:clipboard.copied" content="Copied to clipboard"> <meta name="lang:search.language" content="en"> <meta name="lang:search.pipeline.stopwords" content="True"> <meta name="lang:search.pipeline.trimmer" content="True"> <meta name="lang:search.result.none" content="No matching documents"> <meta name="lang:search.result.one" content="1 matching document"> <meta name="lang:search.result.other" content="# matching documents"> <meta name="lang:search.tokenizer" content="[\s\-]+"> <link href="https://fonts.gstatic.com/" rel="preconnect" crossorigin> <link href="https://fonts.googleapis.com/css?family=Roboto+Mono:400,500,700|Roboto:300,400,400i,700&display=fallback" rel="stylesheet"> <style> body, input { font-family: "Roboto", "Helvetica Neue", Helvetica, Arial, sans-serif } code, kbd, pre { font-family: "Roboto Mono", "Courier New", Courier, monospace } </style> <link rel="stylesheet" href="../_static/stylesheets/application.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-palette.css"/> <link rel="stylesheet" href="../_static/stylesheets/application-fixes.css"/> <link rel="stylesheet" href="../_static/fonts/material-icons.css"/> <meta name="theme-color" content="#3f51b5"> <script src="../_static/javascripts/modernizr.js"></script> <title>statsmodels.discrete.discrete_model.CountResults.bse &#8212; statsmodels</title> <link rel="icon" type="image/png" sizes="32x32" href="../_static/icons/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="16x16" href="../_static/icons/favicon-16x16.png"> <link rel="manifest" href="../_static/icons/site.webmanifest"> <link rel="mask-icon" href="../_static/icons/safari-pinned-tab.svg" color="#919191"> <meta name="msapplication-TileColor" content="#2b5797"> <meta name="msapplication-config" content="../_static/icons/browserconfig.xml"> <link rel="stylesheet" href="../_static/stylesheets/examples.css"> <link rel="stylesheet" href="../_static/stylesheets/deprecation.css"> <link rel="stylesheet" href="../_static/material.css" type="text/css" /> <link rel="stylesheet" href="../_static/pygments.css" type="text/css" /> <link rel="stylesheet" type="text/css" href="../_static/graphviz.css" /> <script id="documentation_options" data-url_root="../" src="../_static/documentation_options.js"></script> <script src="../_static/jquery.js"></script> <script src="../_static/underscore.js"></script> <script src="../_static/doctools.js"></script> <script src="../_static/language_data.js"></script> <script crossorigin="anonymous" integrity="sha256-Ae2Vz/4ePdIu6ZyI/5ZGsYnb+m0JlOmKPjt6XZ9JJkA=" src="https://cdnjs.cloudflare.com/ajax/libs/require.js/2.3.4/require.min.js"></script> <script async="async" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.7/latest.js?config=TeX-AMS-MML_HTMLorMML"></script> <script type="text/x-mathjax-config">MathJax.Hub.Config({"tex2jax": {"inlineMath": [["$", "$"], ["\\(", "\\)"]], "processEscapes": true, "ignoreClass": "document", "processClass": "math|output_area"}})</script> <link rel="shortcut icon" href="../_static/favicon.ico"/> <link rel="author" title="About these documents" href="../about.html" /> <link rel="index" title="Index" href="../genindex.html" /> <link rel="search" title="Search" href="../search.html" /> <link rel="next" title="statsmodels.discrete.discrete_model.CountResults.fittedvalues" href="statsmodels.discrete.discrete_model.CountResults.fittedvalues.html" /> <link rel="prev" title="statsmodels.discrete.discrete_model.CountResults.bic" href="statsmodels.discrete.discrete_model.CountResults.bic.html" /> </head> <body dir=ltr data-md-color-primary=indigo data-md-color-accent=blue> <svg class="md-svg"> <defs data-children-count="0"> <svg xmlns="http://www.w3.org/2000/svg" width="416" height="448" viewBox="0 0 416 448" id="__github"><path fill="currentColor" d="M160 304q0 10-3.125 20.5t-10.75 19T128 352t-18.125-8.5-10.75-19T96 304t3.125-20.5 10.75-19T128 256t18.125 8.5 10.75 19T160 304zm160 0q0 10-3.125 20.5t-10.75 19T288 352t-18.125-8.5-10.75-19T256 304t3.125-20.5 10.75-19T288 256t18.125 8.5 10.75 19T320 304zm40 0q0-30-17.25-51T296 232q-10.25 0-48.75 5.25Q229.5 240 208 240t-39.25-2.75Q130.75 232 120 232q-29.5 0-46.75 21T56 304q0 22 8 38.375t20.25 25.75 30.5 15 35 7.375 37.25 1.75h42q20.5 0 37.25-1.75t35-7.375 30.5-15 20.25-25.75T360 304zm56-44q0 51.75-15.25 82.75-9.5 19.25-26.375 33.25t-35.25 21.5-42.5 11.875-42.875 5.5T212 416q-19.5 0-35.5-.75t-36.875-3.125-38.125-7.5-34.25-12.875T37 371.5t-21.5-28.75Q0 312 0 260q0-59.25 34-99-6.75-20.5-6.75-42.5 0-29 12.75-54.5 27 0 47.5 9.875t47.25 30.875Q171.5 96 212 96q37 0 70 8 26.25-20.5 46.75-30.25T376 64q12.75 25.5 12.75 54.5 0 21.75-6.75 42 34 40 34 99.5z"/></svg> </defs> </svg> <input class="md-toggle" data-md-toggle="drawer" type="checkbox" id="__drawer"> <input class="md-toggle" data-md-toggle="search" type="checkbox" id="__search"> <label class="md-overlay" data-md-component="overlay" for="__drawer"></label> <a href="#generated/statsmodels.discrete.discrete_model.CountResults.bse" tabindex="1" class="md-skip"> Skip to content </a> <header class="md-header" data-md-component="header"> <nav class="md-header-nav md-grid"> <div class="md-flex navheader"> <div class="md-flex__cell md-flex__cell--shrink"> <a href="../index.html" title="statsmodels" class="md-header-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" height="26" alt="statsmodels logo"> </a> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--menu md-header-nav__button" for="__drawer"></label> </div> <div class="md-flex__cell md-flex__cell--stretch"> <div class="md-flex__ellipsis md-header-nav__title" data-md-component="title"> <span class="md-header-nav__topic">statsmodels v0.12.0</span> <span class="md-header-nav__topic"> statsmodels.discrete.discrete_model.CountResults.bse </span> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <label class="md-icon md-icon--search md-header-nav__button" for="__search"></label> <div class="md-search" data-md-component="search" role="dialog"> <label class="md-search__overlay" for="__search"></label> <div class="md-search__inner" role="search"> <form class="md-search__form" action="../search.html" method="GET" name="search"> <input type="text" class="md-search__input" name="q" placeholder="Search" autocapitalize="off" autocomplete="off" spellcheck="false" data-md-component="query" data-md-state="active"> <label class="md-icon md-search__icon" for="__search"></label> <button type="reset" class="md-icon md-search__icon" data-md-component="reset" tabindex="-1"> &#xE5CD; </button> </form> <div class="md-search__output"> <div class="md-search__scrollwrap" data-md-scrollfix> <div class="md-search-result" data-md-component="result"> <div class="md-search-result__meta"> Type to start searching </div> <ol class="md-search-result__list"></ol> </div> </div> </div> </div> </div> </div> <div class="md-flex__cell md-flex__cell--shrink"> <div class="md-header-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> </div> <script src="../_static/javascripts/version_dropdown.js"></script> <script> var json_loc = "../_static/versions.json", target_loc = "../../", text = "Versions"; $( document ).ready( add_version_dropdown(json_loc, target_loc, text)); </script> </div> </nav> </header> <div class="md-container"> <nav class="md-tabs" data-md-component="tabs"> <div class="md-tabs__inner md-grid"> <ul class="md-tabs__list"> <li class="md-tabs__item"><a href="../user-guide.html" class="md-tabs__link">User Guide</a></li> <li class="md-tabs__item"><a href="../discretemod.html" class="md-tabs__link">Regression with Discrete Dependent Variable</a></li> <li class="md-tabs__item"><a href="statsmodels.discrete.discrete_model.CountResults.html" class="md-tabs__link">statsmodels.discrete.discrete_model.CountResults</a></li> </ul> </div> </nav> <main class="md-main"> <div class="md-main__inner md-grid" data-md-component="container"> <div class="md-sidebar md-sidebar--primary" data-md-component="navigation"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--primary" data-md-level="0"> <label class="md-nav__title md-nav__title--site" for="__drawer"> <a href="../index.html" title="statsmodels" class="md-nav__button md-logo"> <img src="../_static/statsmodels-logo-v2-bw.svg" alt=" logo" width="48" height="48"> </a> <a href="../index.html" title="statsmodels">statsmodels v0.12.0</a> </label> <div class="md-nav__source"> <a href="https://github.com/statsmodels/statsmodels" title="Go to repository" class="md-source" data-md-source="github"> <div class="md-source__icon"> <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" viewBox="0 0 24 24" width="28" height="28"> <use xlink:href="#__github" width="24" height="24"></use> </svg> </div> <div class="md-source__repository"> statsmodels </div> </a> </div> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../install.html" class="md-nav__link">Installing statsmodels</a> </li> <li class="md-nav__item"> <a href="../gettingstarted.html" class="md-nav__link">Getting started</a> </li> <li class="md-nav__item"> <a href="../user-guide.html" class="md-nav__link">User Guide</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../user-guide.html#background" class="md-nav__link">Background</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#regression-and-linear-models" class="md-nav__link">Regression and Linear Models</a> <ul class="md-nav__list"> <li class="md-nav__item"> <a href="../regression.html" class="md-nav__link">Linear Regression</a> </li> <li class="md-nav__item"> <a href="../glm.html" class="md-nav__link">Generalized Linear Models</a> </li> <li class="md-nav__item"> <a href="../gee.html" class="md-nav__link">Generalized Estimating Equations</a> </li> <li class="md-nav__item"> <a href="../gam.html" class="md-nav__link">Generalized Additive Models (GAM)</a> </li> <li class="md-nav__item"> <a href="../rlm.html" class="md-nav__link">Robust Linear Models</a> </li> <li class="md-nav__item"> <a href="../mixed_linear.html" class="md-nav__link">Linear Mixed Effects Models</a> </li> <li class="md-nav__item"> <a href="../discretemod.html" class="md-nav__link">Regression with Discrete Dependent Variable</a> </li> <li class="md-nav__item"> <a href="../mixed_glm.html" class="md-nav__link">Generalized Linear Mixed Effects Models</a> </li> <li class="md-nav__item"> <a href="../anova.html" class="md-nav__link">ANOVA</a> </li></ul> </li> <li class="md-nav__item"> <a href="../user-guide.html#time-series-analysis" class="md-nav__link">Time Series Analysis</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#other-models" class="md-nav__link">Other Models</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#statistics-and-tools" class="md-nav__link">Statistics and Tools</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#data-sets" class="md-nav__link">Data Sets</a> </li> <li class="md-nav__item"> <a href="../user-guide.html#sandbox" class="md-nav__link">Sandbox</a> </li></ul> </li> <li class="md-nav__item"> <a href="../examples/index.html" class="md-nav__link">Examples</a> </li> <li class="md-nav__item"> <a href="../api.html" class="md-nav__link">API Reference</a> </li> <li class="md-nav__item"> <a href="../about.html" class="md-nav__link">About statsmodels</a> </li> <li class="md-nav__item"> <a href="../dev/index.html" class="md-nav__link">Developer Page</a> </li> <li class="md-nav__item"> <a href="../release/index.html" class="md-nav__link">Release Notes</a> </li> </ul> </nav> </div> </div> </div> <div class="md-sidebar md-sidebar--secondary" data-md-component="toc"> <div class="md-sidebar__scrollwrap"> <div class="md-sidebar__inner"> <nav class="md-nav md-nav--secondary"> <ul class="md-nav__list" data-md-scrollfix=""> <li class="md-nav__item"><a class="md-nav__extra_link" href="../_sources/generated/statsmodels.discrete.discrete_model.CountResults.bse.rst.txt">Show Source</a> </li> <li id="searchbox" class="md-nav__item"></li> </ul> </nav> </div> </div> </div> <div class="md-content"> <article class="md-content__inner md-typeset" role="main"> <h1 id="generated-statsmodels-discrete-discrete-model-countresults-bse--page-root">statsmodels.discrete.discrete_model.CountResults.bse<a class="headerlink" href="#generated-statsmodels-discrete-discrete-model-countresults-bse--page-root" title="Permalink to this headline">¶</a></h1> <dl class="py attribute"> <dt id="statsmodels.discrete.discrete_model.CountResults.bse"> <code class="sig-prename descclassname">CountResults.</code><code class="sig-name descname">bse</code><a class="headerlink" href="#statsmodels.discrete.discrete_model.CountResults.bse" title="Permalink to this definition">¶</a></dt> <dd><p>The standard errors of the parameter estimates.</p> </dd></dl> </article> </div> </div> </main> </div> <footer class="md-footer"> <div class="md-footer-nav"> <nav class="md-footer-nav__inner md-grid"> <a href="statsmodels.discrete.discrete_model.CountResults.bic.html" title="statsmodels.discrete.discrete_model.CountResults.bic" class="md-flex md-footer-nav__link md-footer-nav__link--prev" rel="prev"> <div class="md-flex__cell md-flex__cell--shrink"> <i class="md-icon md-icon--arrow-back md-footer-nav__button"></i> </div> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"> <span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Previous </span> statsmodels.discrete.discrete_model.CountResults.bic </span> </div> </a> <a href="statsmodels.discrete.discrete_model.CountResults.fittedvalues.html" title="statsmodels.discrete.discrete_model.CountResults.fittedvalues" class="md-flex md-footer-nav__link md-footer-nav__link--next" rel="next"> <div class="md-flex__cell md-flex__cell--stretch md-footer-nav__title"><span class="md-flex__ellipsis"> <span class="md-footer-nav__direction"> Next </span> statsmodels.discrete.discrete_model.CountResults.fittedvalues </span> </div> <div class="md-flex__cell md-flex__cell--shrink"><i class="md-icon md-icon--arrow-forward md-footer-nav__button"></i> </div> </a> </nav> </div> <div class="md-footer-meta md-typeset"> <div class="md-footer-meta__inner md-grid"> <div class="md-footer-copyright"> <div class="md-footer-copyright__highlight"> &#169; Copyright 2009-2019, Josef Perktold, Skipper Seabold, Jonathan Taylor, statsmodels-developers. </div> Last updated on Aug 27, 2020. <br/> Created using <a href="http://www.sphinx-doc.org/">Sphinx</a> 3.2.1. and <a href="https://github.com/bashtage/sphinx-material/">Material for Sphinx</a> </div> </div> </div> </footer> <script src="../_static/javascripts/application.js"></script> <script>app.initialize({version: "1.0.4", url: {base: ".."}})</script> </body> </html>
public/css/dashboard.css
settermjd/zf2forbeginners-old
/** * This is taken directly from: http://getbootstrap.com/examples/dashboard/ */ /* * Base structure */ /* Move down content because we have a fixed navbar that is 50px tall */ body { padding-top: 50px; } /* * Global add-ons */ .sub-header { padding-bottom: 10px; border-bottom: 1px solid #eee; } /* * Sidebar */ /* Hide for mobile, show later */ .sidebar { display: none; } @media (min-width: 768px) { .sidebar { position: fixed; top: 51px; bottom: 0; left: 0; z-index: 1000; display: block; padding: 20px; overflow-x: hidden; overflow-y: auto; /* Scrollable contents if viewport is shorter than content. */ background-color: #f5f5f5; border-right: 1px solid #eee; } } /* Sidebar navigation */ .nav-sidebar { margin-right: -21px; /* 20px padding + 1px border */ margin-bottom: 20px; margin-left: -20px; } .nav-sidebar > li > a { padding-right: 20px; padding-left: 20px; } .nav-sidebar > .active > a { color: #fff; background-color: #428bca; } /* * Main content */ .main { padding: 20px; } @media (min-width: 768px) { .main { padding-right: 40px; padding-left: 40px; } } .main .page-header { margin-top: 0; } /* * Placeholder dashboard ideas */ .placeholders { margin-bottom: 30px; text-align: center; } .placeholders h4 { margin-bottom: 0; } .placeholder { margin-bottom: 20px; } .placeholder img { display: inline-block; border-radius: 50%; }
doc/src-html/org/usfirst/frc330/Beachbot2014Java/commands/TurnGyroRel.html
Beachbot330/Beachbot2014Java
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <html lang="en"> <head> <title>Source code</title> <link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style"> </head> <body> <div class="sourceContainer"> <pre><span class="sourceLineNo">001</span>// RobotBuilder Version: 0.0.2<a name="line.1"></a> <span class="sourceLineNo">002</span>//<a name="line.2"></a> <span class="sourceLineNo">003</span>// This file was generated by RobotBuilder. It contains sections of<a name="line.3"></a> <span class="sourceLineNo">004</span>// code that are automatically generated and assigned by robotbuilder.<a name="line.4"></a> <span class="sourceLineNo">005</span>// These sections will be updated in the future when you export to<a name="line.5"></a> <span class="sourceLineNo">006</span>// Java from RobotBuilder. Do not put any code or make any change in<a name="line.6"></a> <span class="sourceLineNo">007</span>// the blocks indicating autogenerated code or it will be lost on an<a name="line.7"></a> <span class="sourceLineNo">008</span>// update. Deleting the comments indicating the section will prevent<a name="line.8"></a> <span class="sourceLineNo">009</span>// it from being updated in th future.<a name="line.9"></a> <span class="sourceLineNo">010</span>package org.usfirst.frc330.Beachbot2014Java.commands;<a name="line.10"></a> <span class="sourceLineNo">011</span>import edu.wpi.first.wpilibj.command.AutoSpreadsheetCommand;<a name="line.11"></a> <span class="sourceLineNo">012</span>import edu.wpi.first.wpilibj.command.Command;<a name="line.12"></a> <span class="sourceLineNo">013</span>import org.usfirst.frc330.Beachbot2014Java.Robot;<a name="line.13"></a> <span class="sourceLineNo">014</span>import org.usfirst.frc330.Beachbot2014Java.commands.TurnGyroAbs;<a name="line.14"></a> <span class="sourceLineNo">015</span>/*<a name="line.15"></a> <span class="sourceLineNo">016</span> * $Log$<a name="line.16"></a> <span class="sourceLineNo">017</span> */<a name="line.17"></a> <span class="sourceLineNo">018</span> <a name="line.18"></a> <span class="sourceLineNo">019</span>/**<a name="line.19"></a> <span class="sourceLineNo">020</span> *<a name="line.20"></a> <span class="sourceLineNo">021</span> */<a name="line.21"></a> <span class="sourceLineNo">022</span>public class TurnGyroRel extends TurnGyroAbs{<a name="line.22"></a> <span class="sourceLineNo">023</span> double origAngle = 0;<a name="line.23"></a> <span class="sourceLineNo">024</span> public TurnGyroRel(double angle) {<a name="line.24"></a> <span class="sourceLineNo">025</span> // Use requires() here to declare subsystem dependencies<a name="line.25"></a> <span class="sourceLineNo">026</span> // eg. requires(chassis);<a name="line.26"></a> <span class="sourceLineNo">027</span> this(angle, 0, 15, false);<a name="line.27"></a> <span class="sourceLineNo">028</span> }<a name="line.28"></a> <span class="sourceLineNo">029</span> <a name="line.29"></a> <span class="sourceLineNo">030</span> public TurnGyroRel(double angle, double tolerance)<a name="line.30"></a> <span class="sourceLineNo">031</span> {<a name="line.31"></a> <span class="sourceLineNo">032</span> this(angle, tolerance, 15, false);<a name="line.32"></a> <span class="sourceLineNo">033</span> }<a name="line.33"></a> <span class="sourceLineNo">034</span> <a name="line.34"></a> <span class="sourceLineNo">035</span> public TurnGyroRel(double angle, double tolerance, double timeout, boolean stopAtEnd) {<a name="line.35"></a> <span class="sourceLineNo">036</span> super(angle,tolerance,timeout,stopAtEnd,true);<a name="line.36"></a> <span class="sourceLineNo">037</span> origAngle = angle;<a name="line.37"></a> <span class="sourceLineNo">038</span> }<a name="line.38"></a> <span class="sourceLineNo">039</span> // Called just before this Command runs the first time<a name="line.39"></a> <span class="sourceLineNo">040</span> protected void initialize() {<a name="line.40"></a> <span class="sourceLineNo">041</span> angle = angle+Robot.chassis.getAngle();<a name="line.41"></a> <span class="sourceLineNo">042</span> super.initialize();<a name="line.42"></a> <span class="sourceLineNo">043</span> }<a name="line.43"></a> <span class="sourceLineNo">044</span><a name="line.44"></a> <span class="sourceLineNo">045</span> protected void end() {<a name="line.45"></a> <span class="sourceLineNo">046</span> super.end(); //To change body of generated methods, choose Tools | Templates.<a name="line.46"></a> <span class="sourceLineNo">047</span> angle = origAngle;<a name="line.47"></a> <span class="sourceLineNo">048</span> }<a name="line.48"></a> <span class="sourceLineNo">049</span> public Command copy() {<a name="line.49"></a> <span class="sourceLineNo">050</span> return new TurnGyroRel(0);<a name="line.50"></a> <span class="sourceLineNo">051</span> }<a name="line.51"></a> <span class="sourceLineNo">052</span>}<a name="line.52"></a> </pre> </div> </body> </html>
public/css/map.css
MarieBarozzi/ProjetTut
.map { width: 650px; height: 650px; background: url(../img/carte/map.png) left top no-repeat; position: relative; } .map .overlay { width: 650px; height: 650px; background:url(../img/carte/map.png) 650px top no-repeat; position: absolute; top: 0; left: 0; z-index: 1; } .map img { position: absolute; top: -2px; left: 0; z-index: 2; } .map .tooltip { position: fixed; border-radius: 5px; color: #FFF; background: #000; padding:0 10px; display: inline; top: 0; left: 0; z-index: 3; text-align: center; }
zinnia/templates/zinnia/base.html
jnfsmile/zinnia
{% extends "zinnia/skeleton.html" %} {% load i18n %} {% load zinnia %} {% block meta-keywords %}{% get_tags as entry_tags %}{{ entry_tags|join:", "}}{% endblock meta-keywords %} {% block meta %} <meta name="generator" content="Zinnia {{ ZINNIA_VERSION }}" /> {% endblock meta %} {% block link %} <link rel="index" href="{% url 'zinnia:entry_archive_index' %}" /> <link rel="author" type="text/plain" href="{% url 'zinnia:humans' %}" /> <link rel="EditURI" type="application/rsd+xml" href="{% url 'zinnia:rsd' %}" /> <link rel="wlwmanifest" type="application/wlwmanifest+xml" href="{% url 'zinnia:wlwmanifest' %}" /> <link rel="search" type="application/opensearchdescription+xml" title="Zinnia's Weblog" href="{% url 'zinnia:opensearch' %}" /> <link rel="alternate" type="application/rss+xml" title="{% trans "RSS feed of last entries" %}" href="{% url 'zinnia:entry_feed' %}" /> <link rel="alternate" type="application/rss+xml" title="{% trans "RSS feed of last discussions" %}" href="{% url 'zinnia:discussion_feed' %}" /> {% get_archives_entries "zinnia/tags/entries_archives_link.html" %} {% endblock link %} {% block breadcrumbs %} {% zinnia_breadcrumbs %} {% endblock breadcrumbs %} {% block sidebar %} <aside id="widget-welcome" class="widget"> <h3>{% trans "Welcome!" %}</h3> <p> {% trans "This simple theme is the default appearance of Zinnia." %} </p> <p> {% trans "Don't hesitate to override the template <strong>zinnia/base.html</strong> to start <a href='http://docs.django-blog-zinnia.com/en/latest/how-to/customize_look_and_feel.html'>customizing your Weblog</a>." %} </p> </aside> <aside id="widget-categories" class="widget"> <h3> <a href="{% url 'zinnia:category_list' %}">{% trans "Categories" %}</a> </h3> {% get_categories %} </aside> <aside id="widget-authors" class="widget"> <h3> <a href="{% url 'zinnia:author_list' %}">{% trans "Authors" %}</a> </h3> {% get_authors %} </aside> <aside id="widget-calendar" class="widget"> <h3>{% trans "Calendar" %}</h3> {% get_calendar_entries %} </aside> <aside id="widget-tags" class="widget"> <h3> <a href="{% url 'zinnia:tag_list' %}">{% trans "Tags" %}</a> </h3> {% get_tag_cloud %} </aside> <aside id="widget-recents" class="widget"> <h3>{% trans "Recent entries" %}</h3> {% get_recent_entries %} </aside> <aside id="widget-comments" class="widget"> <h3>{% trans "Recent comments" %}</h3> {% get_recent_comments %} </aside> <aside id="widget-linkbacks" class="widget"> <h3>{% trans "Recent linkbacks" %}</h3> {% get_recent_linkbacks %} </aside> <aside id="widget-randoms" class="widget"> <h3>{% trans "Random entries" %}</h3> {% get_random_entries %} </aside> <aside id="widget-populars" class="widget"> <h3>{% trans "Popular entries" %}</h3> {% get_popular_entries %} </aside> <aside id="widget-archives" class="widget"> <h3>{% trans "Archives" %}</h3> {% get_archives_entries_tree %} </aside> {% if user.is_authenticated %} <aside id="widget-tools" class="widget"> <h3>{% trans "Tools" %}</h3> <ul> {% if perms.zinnia %} <li> <a href="{% url 'admin:app_list' 'zinnia' %}" title="{% trans "Dashboard" %}"> {% trans "Dashboard" %} </a> </li> {% endif %} {% if perms.zinnia.add_entry %} <li> <a href="{% url 'admin:zinnia_entry_add' %}" title="{% trans "Post an entry" %}"> {% trans "Post an entry" %} </a> </li> {% endif %} {% block admin-tools %} {% endblock admin-tools %} <li> <a href="{% url 'admin:logout' %}" title="{% trans "Log out" %}"> {% trans "Log out" %} </a> </li> </ul> </aside> {% endif %} {% endblock sidebar %}
html/CMPXCHG.html
HJLebbink/x86doc
<!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <link href="style.css" type="text/css" rel="stylesheet"> <title>CMPXCHG—Compare and Exchange </title></head> <body> <h1>CMPXCHG—Compare and Exchange</h1> <table> <tr> <th>Opcode/Instruction</th> <th>Op/En</th> <th>64-Bit Mode</th> <th>Compat/Leg Mode</th> <th>Description</th></tr> <tr> <td> <p>0F B0/<em>r</em></p> <p>CMPXCHG <em>r/m8, r8</em></p></td> <td>MR</td> <td>Valid</td> <td>Valid*</td> <td>Compare AL with <em>r/m8</em>. If equal, ZF is set and <em>r8</em> is loaded into <em>r/m8</em>. Else, clear ZF and load <em>r/m8</em> into AL.</td></tr> <tr> <td> <p>REX + 0F B0/<em>r</em></p> <p>CMPXCHG <em>r/m8**,r8</em></p></td> <td>MR</td> <td>Valid</td> <td>N.E.</td> <td>Compare AL with <em>r/m8</em>. If equal, ZF is set and <em>r8</em> is loaded into <em>r/m8</em>. Else, clear ZF and load <em>r/m8</em> into AL.</td></tr> <tr> <td> <p>0F B1/<em>r</em></p> <p>CMPXCHG <em>r/m16, r16</em></p></td> <td>MR</td> <td>Valid</td> <td>Valid*</td> <td>Compare AX with <em>r/m16</em>. If equal, ZF is set and <em>r16</em> is loaded into <em>r/m16</em>. Else, clear ZF and load <em>r/m16</em> into AX.</td></tr> <tr> <td> <p>0F B1/<em>r</em></p> <p>CMPXCHG <em>r/m32, r32</em></p></td> <td>MR</td> <td>Valid</td> <td>Valid*</td> <td>Compare EAX with <em>r/m32</em>. If equal, ZF is set and <em>r32</em> is loaded into <em>r/m32</em>. Else, clear ZF and load <em>r/m32</em> into EAX.</td></tr> <tr> <td> <p>REX.W + 0F B1/<em>r</em></p> <p>CMPXCHG <em>r/m64, r64</em></p></td> <td>MR</td> <td>Valid</td> <td>N.E.</td> <td>Compare RAX with <em>r/m64</em>. If equal, ZF is set and <em>r64</em> is loaded into <em>r/m64</em>. Else, clear ZF and load <em>r/m64</em> into RAX.</td></tr></table> <p><strong>NOTES:</strong></p> <p>*</p> <p>See the IA-32 Architecture Compatibility section below.</p> <p>** In 64-bit mode,<em> r/m8</em> can not be encoded to access the following byte registers if a REX prefix is used: AH, BH, CH, DH.</p> <h3>Instruction Operand Encoding</h3> <table> <tr> <td>Op/En</td> <td>Operand 1</td> <td>Operand 2</td> <td>Operand 3</td> <td>Operand 4</td></tr> <tr> <td>MR</td> <td>ModRM:r/m (r, w)</td> <td>ModRM:reg (r)</td> <td>NA</td> <td>NA</td></tr></table> <h2>Description</h2> <p>Compares the value in the AL, AX, EAX, or RAX register with the first operand (destination operand). If the two values are equal, the second operand (source operand) is loaded into the destination operand. Otherwise, the destination operand is loaded into the AL, AX, EAX or RAX register. RAX register is available only in 64-bit mode.</p> <p>This instruction can be used with a LOCK prefix to allow the instruction to be executed atomically. To simplify the interface to the processor’s bus, the destination operand receives a write cycle without regard to the result of the comparison. The destination operand is written back if the comparison fails; otherwise, the source operand is written into the destination. (The processor never produces a locked read without also producing a locked write.)</p> <p>In 64-bit mode, the instruction’s default operation size is 32 bits. Use of the REX.R prefix permits access to addi-tional registers (R8-R15). Use of the REX.W prefix promotes operation to 64 bits. See the summary chart at the beginning of this section for encoding data and limits.</p> <h2>IA-32 Architecture Compatibility</h2> <p>This instruction is not supported on Intel processors earlier than the Intel486 processors.</p> <h2>Operation</h2> <pre>(* Accumulator = AL, AX, EAX, or RAX depending on whether a byte, word, doubleword, or quadword comparison is being performed *) TEMP ← DEST IF accumulator = TEMP THEN ZF ← 1; DEST ← SRC; ELSE ZF ← 0; accumulator ← TEMP; DEST ← TEMP; FI;</pre> <h2>Flags Affected</h2> <p>The ZF flag is set if the values in the destination operand and register AL, AX, or EAX are equal; otherwise it is cleared. The CF, PF, AF, SF, and OF flags are set according to the results of the comparison operation.</p> <h2>Protected Mode Exceptions</h2> <table class="exception-table"> <tr> <td>#GP(0)</td> <td> <p>If the destination is located in a non-writable segment.</p> <p>If a memory operand effective address is outside the CS, DS, ES, FS, or GS segment limit.</p> <p>If the DS, ES, FS, or GS register contains a NULL segment selector.</p></td></tr> <tr> <td>#SS(0)</td> <td>If a memory operand effective address is outside the SS segment limit.</td></tr> <tr> <td>#PF(fault-code)</td> <td>If a page fault occurs.</td></tr> <tr> <td>#AC(0)</td> <td>If alignment checking is enabled and an unaligned memory reference is made while the current privilege level is 3.</td></tr> <tr> <td>#UD</td> <td>If the LOCK prefix is used but the destination is not a memory operand.</td></tr></table> <h2>Real-Address Mode Exceptions</h2> <table class="exception-table"> <tr> <td>#GP</td> <td>If a memory operand effective address is outside the CS, DS, ES, FS, or GS segment limit.</td></tr> <tr> <td>#SS</td> <td>If a memory operand effective address is outside the SS segment limit.</td></tr> <tr> <td>#UD</td> <td>If the LOCK prefix is used but the destination is not a memory operand.</td></tr></table> <h2>Virtual-8086 Mode Exceptions</h2> <table class="exception-table"> <tr> <td>#GP(0)</td> <td>If a memory operand effective address is outside the CS, DS, ES, FS, or GS segment limit.</td></tr> <tr> <td>#SS(0)</td> <td>If a memory operand effective address is outside the SS segment limit.</td></tr> <tr> <td>#PF(fault-code)</td> <td>If a page fault occurs.</td></tr> <tr> <td>#AC(0)</td> <td>If alignment checking is enabled and an unaligned memory reference is made.</td></tr> <tr> <td>#UD</td> <td>If the LOCK prefix is used but the destination is not a memory operand.</td></tr></table> <h2>Compatibility Mode Exceptions</h2> <p>Same exceptions as in protected mode.</p> <h2>64-Bit Mode Exceptions</h2> <table class="exception-table"> <tr> <td>#SS(0)</td> <td>If a memory address referencing the SS segment is in a non-canonical form.</td></tr> <tr> <td>#GP(0)</td> <td>If the memory address is in a non-canonical form.</td></tr> <tr> <td>#PF(fault-code)</td> <td>If a page fault occurs.</td></tr> <tr> <td>#AC(0)</td> <td>If alignment checking is enabled and an unaligned memory reference is made while the current privilege level is 3.</td></tr> <tr> <td>#UD</td> <td>If the LOCK prefix is used but the destination is not a memory operand.</td></tr></table></body></html>
docs/docsets/CollectionView.docset/Contents/Resources/Documents/Protocols/ResultsControllerDelegate.html
TheNounProject/CollectionView
<!DOCTYPE html> <html lang="en"> <head> <title>ResultsControllerDelegate Protocol Reference</title> <link rel="stylesheet" type="text/css" href="../css/jazzy.css" /> <link rel="stylesheet" type="text/css" href="../css/highlight.css" /> <meta charset='utf-8'> <meta name="viewport" content="width=device-width, viewport-fit=cover, initial-scale=1.0" /> <script src="../js/jquery.min.js" defer></script> <script src="../js/jazzy.js" defer></script> </head> <body> <a name="//apple_ref/swift/Protocol/ResultsControllerDelegate" class="dashAnchor"></a> <a title="ResultsControllerDelegate Protocol Reference"></a> <header> <div class="content-wrapper"> <p> <a href="../index.html">CollectionView Docs</a> <span class="no-mobile"> (63% documented)</span> </p> <p class="header-right"> <a href="https://github.com/TheNounProject/CollectionView"> <img src="../img/gh.png"/> <span class="no-mobile">View on GitHub</span> </a> </p> </div> </header> <div id="breadcrumbs-container"> <div class="content-wrapper"> <p id="breadcrumbs"> <span class="no-mobile"> <a href="../index.html">CollectionView Reference</a> <img id="carat" src="../img/carat.png" /> </span> ResultsControllerDelegate Protocol Reference </p> </div> </div> <div class="wrapper"> <div class="article-wrapper"> <article class="main-content"> <section> <section class="section"> <h1>ResultsControllerDelegate</h1> <div class="declaration"> <div class="language"> <pre class="highlight swift"><code><span class="kd">public</span> <span class="kd">protocol</span> <span class="kt">ResultsControllerDelegate</span> <span class="p">:</span> <span class="kt">AnyObject</span></code></pre> </div> </div> <p>The ResultsControllerDelegate defines methods that allow you to respond to changes in the results controller.</p> <p>Use ResultChangeSet to easily track changes and apply them to a CollectionView</p> </section> <section class="section task-group-section"> <div class="task-group"> <ul> <li class="item"> <div> <code> <a name="/s:14CollectionView25ResultsControllerDelegateP24controllerDidLoadContent0F0yAA0cD0_p_tF"></a> <a name="//apple_ref/swift/Method/controllerDidLoadContent(controller:)" class="dashAnchor"></a> <a class="token" href="#/s:14CollectionView25ResultsControllerDelegateP24controllerDidLoadContent0F0yAA0cD0_p_tF">controllerDidLoadContent(controller:)</a> </code> <span class="declaration-note"> Default implementation </span> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Tells the delegate that the controller did load its initial content</p> </div> <h4>Default Implementation</h4> <div class="default_impl abstract"> </div> <div class="declaration"> <h4>Declaration</h4> <div class="language"> <p class="aside-title">Swift</p> <pre class="highlight swift"><code><span class="kd">func</span> <span class="nf">controllerDidLoadContent</span><span class="p">(</span><span class="nv">controller</span><span class="p">:</span> <span class="kt"><a href="../Protocols/ResultsController.html">ResultsController</a></span><span class="p">)</span></code></pre> </div> </div> <div> <h4>Parameters</h4> <table class="graybox"> <tbody> <tr> <td> <code> <em>controller</em> </code> </td> <td> <div> <p>The controller that loaded</p> </div> </td> </tr> </tbody> </table> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:14CollectionView25ResultsControllerDelegateP27controllerWillChangeContent0F0yAA0cD0_p_tF"></a> <a name="//apple_ref/swift/Method/controllerWillChangeContent(controller:)" class="dashAnchor"></a> <a class="token" href="#/s:14CollectionView25ResultsControllerDelegateP27controllerWillChangeContent0F0yAA0cD0_p_tF">controllerWillChangeContent(controller:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Tells the delegate that the controller will change</p> </div> <div class="declaration"> <h4>Declaration</h4> <div class="language"> <p class="aside-title">Swift</p> <pre class="highlight swift"><code><span class="kd">func</span> <span class="nf">controllerWillChangeContent</span><span class="p">(</span><span class="nv">controller</span><span class="p">:</span> <span class="kt"><a href="../Protocols/ResultsController.html">ResultsController</a></span><span class="p">)</span></code></pre> </div> </div> <div> <h4>Parameters</h4> <table class="graybox"> <tbody> <tr> <td> <code> <em>controller</em> </code> </td> <td> <div> <p>The controller that will change</p> </div> </td> </tr> </tbody> </table> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:14CollectionView25ResultsControllerDelegateP10controller_15didChangeObject2at3foryAA0cD0_p_yp10Foundation9IndexPathVSgAA0cdH4TypeOtF"></a> <a name="//apple_ref/swift/Method/controller(_:didChangeObject:at:for:)" class="dashAnchor"></a> <a class="token" href="#/s:14CollectionView25ResultsControllerDelegateP10controller_15didChangeObject2at3foryAA0cD0_p_yp10Foundation9IndexPathVSgAA0cdH4TypeOtF">controller(_:didChangeObject:at:for:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Tells the delegate that the an object was changed</p> </div> <div class="declaration"> <h4>Declaration</h4> <div class="language"> <p class="aside-title">Swift</p> <pre class="highlight swift"><code><span class="kd">func</span> <span class="nf">controller</span><span class="p">(</span><span class="n">_</span> <span class="nv">controller</span><span class="p">:</span> <span class="kt"><a href="../Protocols/ResultsController.html">ResultsController</a></span><span class="p">,</span> <span class="n">didChangeObject</span> <span class="nv">object</span><span class="p">:</span> <span class="kt">Any</span><span class="p">,</span> <span class="n">at</span> <span class="nv">indexPath</span><span class="p">:</span> <span class="kt">IndexPath</span><span class="p">?,</span> <span class="k">for</span> <span class="nv">changeType</span><span class="p">:</span> <span class="kt"><a href="../Results Controller.html#/s:14CollectionView27ResultsControllerChangeTypeO">ResultsControllerChangeType</a></span><span class="p">)</span></code></pre> </div> </div> <div> <h4>Parameters</h4> <table class="graybox"> <tbody> <tr> <td> <code> <em>controller</em> </code> </td> <td> <div> <p>The controller</p> </div> </td> </tr> <tr> <td> <code> <em>object</em> </code> </td> <td> <div> <p>The object that changed</p> </div> </td> </tr> <tr> <td> <code> <em>indexPath</em> </code> </td> <td> <div> <p>The source index path of the object</p> </div> </td> </tr> <tr> <td> <code> <em>changeType</em> </code> </td> <td> <div> <p>The type of change</p> </div> </td> </tr> </tbody> </table> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:14CollectionView25ResultsControllerDelegateP10controller_16didChangeSection2at3foryAA0cD0_p_yp10Foundation9IndexPathVSgAA0cdH4TypeOtF"></a> <a name="//apple_ref/swift/Method/controller(_:didChangeSection:at:for:)" class="dashAnchor"></a> <a class="token" href="#/s:14CollectionView25ResultsControllerDelegateP10controller_16didChangeSection2at3foryAA0cD0_p_yp10Foundation9IndexPathVSgAA0cdH4TypeOtF">controller(_:didChangeSection:at:for:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Tells the delegate that a section was changed</p> </div> <div class="declaration"> <h4>Declaration</h4> <div class="language"> <p class="aside-title">Swift</p> <pre class="highlight swift"><code><span class="kd">func</span> <span class="nf">controller</span><span class="p">(</span><span class="n">_</span> <span class="nv">controller</span><span class="p">:</span> <span class="kt"><a href="../Protocols/ResultsController.html">ResultsController</a></span><span class="p">,</span> <span class="n">didChangeSection</span> <span class="nv">section</span><span class="p">:</span> <span class="kt">Any</span><span class="p">,</span> <span class="n">at</span> <span class="nv">indexPath</span><span class="p">:</span> <span class="kt">IndexPath</span><span class="p">?,</span> <span class="k">for</span> <span class="nv">changeType</span><span class="p">:</span> <span class="kt"><a href="../Results Controller.html#/s:14CollectionView27ResultsControllerChangeTypeO">ResultsControllerChangeType</a></span><span class="p">)</span></code></pre> </div> </div> <div> <h4>Parameters</h4> <table class="graybox"> <tbody> <tr> <td> <code> <em>controller</em> </code> </td> <td> <div> <p>The controller</p> </div> </td> </tr> <tr> <td> <code> <em>section</em> </code> </td> <td> <div> <p>The info for the updated section</p> </div> </td> </tr> <tr> <td> <code> <em>indexPath</em> </code> </td> <td> <div> <p>the source index path of the section</p> </div> </td> </tr> <tr> <td> <code> <em>changeType</em> </code> </td> <td> <div> <p>The type of change</p> </div> </td> </tr> </tbody> </table> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:14CollectionView25ResultsControllerDelegateP26controllerDidChangeContent0F0yAA0cD0_p_tF"></a> <a name="//apple_ref/swift/Method/controllerDidChangeContent(controller:)" class="dashAnchor"></a> <a class="token" href="#/s:14CollectionView25ResultsControllerDelegateP26controllerDidChangeContent0F0yAA0cD0_p_tF">controllerDidChangeContent(controller:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Tells the delegate that it has process all changes</p> </div> <div class="declaration"> <h4>Declaration</h4> <div class="language"> <p class="aside-title">Swift</p> <pre class="highlight swift"><code><span class="kd">func</span> <span class="nf">controllerDidChangeContent</span><span class="p">(</span><span class="nv">controller</span><span class="p">:</span> <span class="kt"><a href="../Protocols/ResultsController.html">ResultsController</a></span><span class="p">)</span></code></pre> </div> </div> <div> <h4>Parameters</h4> <table class="graybox"> <tbody> <tr> <td> <code> <em>controller</em> </code> </td> <td> <div> <p>The controller that was changed</p> </div> </td> </tr> </tbody> </table> </div> </section> </div> </li> </ul> </div> </section> </section> </article> </div> <div class="nav-wrapper"> <nav class="nav-bottom"> <ul class="nav-groups"> <li class="nav-group-name"> <a href="../Guides.html">Guides</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../introduction.html">Introduction</a> </li> <li class="nav-group-task"> <a href="../basic-setup.html">Basic Setup</a> </li> <li class="nav-group-task"> <a href="../supplementary-views.html">Supplementary Views</a> </li> <li class="nav-group-task"> <a href="../layouts.html">Layouts</a> </li> <li class="nav-group-task"> <a href="../drag--drop.html">Drag &amp; Drop</a> </li> <li class="nav-group-task"> <a href="../content-updates.html">Content Updates</a> </li> <li class="nav-group-task"> <a href="../results-controller.html">Results Controller</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Collection View.html">Collection View</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Classes/CollectionView.html">CollectionView</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionView.html#/s:14CollectionViewAAC13SelectionModeO">– SelectionMode</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDataSource.html">CollectionViewDataSource</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDelegate.html">CollectionViewDelegate</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDragDelegate.html">CollectionViewDragDelegate</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewCell.html">CollectionViewCell</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionReusableView.html">CollectionReusableView</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewController.html">CollectionViewController</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView0aB17LayoutElementKindV">CollectionViewLayoutElementKind</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView0A15ElementCategoryO">CollectionElementCategory</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView0aB9DirectionO">CollectionViewDirection</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView0aB15ScrollDirectionO">CollectionViewScrollDirection</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView0aB14ScrollPositionO">CollectionViewScrollPosition</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewPreviewCell.html">CollectionViewPreviewCell</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewPreviewController.html">CollectionViewPreviewController</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewPreviewTransitionCell.html">CollectionViewPreviewTransitionCell</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewPreviewControllerDelegate.html">CollectionViewPreviewControllerDelegate</a> </li> <li class="nav-group-task"> <a href="../Collection View.html#/s:14CollectionView19AnimationCompletiona">AnimationCompletion</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Collection View Layouts.html">Collection View Layouts</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Classes/CollectionViewLayout.html">CollectionViewLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewLayoutAttributes.html">CollectionViewLayoutAttributes</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewListLayout.html">CollectionViewListLayout</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDelegateListLayout.html">CollectionViewDelegateListLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewColumnLayout.html">CollectionViewColumnLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewColumnLayout.html#/s:14CollectionView0aB12ColumnLayoutC0D8StrategyO">– LayoutStrategy</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDelegateColumnLayout.html">CollectionViewDelegateColumnLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewFlowLayout.html">CollectionViewFlowLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewFlowLayout.html#/s:14CollectionView0aB10FlowLayoutC12RowTransformO">– RowTransform</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewFlowLayout/ItemStyle.html">– ItemStyle</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDelegateFlowLayout.html">CollectionViewDelegateFlowLayout</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewHorizontalListLayout.html">CollectionViewHorizontalListLayout</a> </li> <li class="nav-group-task"> <a href="../Protocols/CollectionViewDelegateHorizontalListLayout.html">CollectionViewDelegateHorizontalListLayout</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Results Controller.html">Results Controller</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Protocols/ResultsController.html">ResultsController</a> </li> <li class="nav-group-task"> <a href="../Protocols/ResultsControllerDelegate.html">ResultsControllerDelegate</a> </li> <li class="nav-group-task"> <a href="../Classes/MutableResultsController.html">MutableResultsController</a> </li> <li class="nav-group-task"> <a href="../Classes/FetchedResultsController.html">FetchedResultsController</a> </li> <li class="nav-group-task"> <a href="../Classes/RelationalResultsController.html">RelationalResultsController</a> </li> <li class="nav-group-task"> <a href="../Classes/FetchedSetController.html">FetchedSetController</a> </li> <li class="nav-group-task"> <a href="../Results Controller.html#/s:14CollectionView27ResultsControllerChangeTypeO">ResultsControllerChangeType</a> </li> <li class="nav-group-task"> <a href="../Results Controller.html#/s:14CollectionView22ResultsControllerErrorO">ResultsControllerError</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewProvider.html">CollectionViewProvider</a> </li> <li class="nav-group-task"> <a href="../Classes/CollectionViewResultsProxy.html">CollectionViewResultsProxy</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Other Enums.html">Other Enumerations</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Enums/SortDescriptorResult.html">SortDescriptorResult</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Other Extensions.html">Other Extensions</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Extensions/IndexPath.html">IndexPath</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Other Protocols.html">Other Protocols</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Other Protocols.html#/s:14CollectionView30CustomDisplayStringConvertibleP">CustomDisplayStringConvertible</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../Other Structs.html">Other Structures</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../Structs/SortDescriptor.html">SortDescriptor</a> </li> </ul> </li> </ul> </nav> </div> <div class="footer-wrapper"> <section id="footer"> <p>&copy; 2018 <a class="link" href="" target="_blank" rel="external">Noun Project</a>. All rights reserved. (Last updated: 2018-10-16)</p> <p>Generated by <a class="link" href="https://github.com/realm/jazzy" target="_blank" rel="external">jazzy ♪♫ v0.9.3</a>, a <a class="link" href="https://realm.io" target="_blank" rel="external">Realm</a> project.</p> </section> </div> </div> </body> </div> </html>
v2/_site/archive/blog/index.html
rishigiridotcom/rishigiri.ml
<!doctype html> <html> <head> <title>Rishi Giri - Personal Blog</title> <meta charset="utf-8"> <meta name="author" content="Rishi Giri"> <meta name="keywords" content="Rishi, Rishi Giri, Rishi, dotjs, iama_rishi, Rishi Giri dotjs, CodeDotJS, Unicorn, JavaScript, Python, Node, Web Development, Web Design, Quora, Github, JavaScript - Python and FOSS Enthusiast, codedotjs." /> <meta name="description" content="Web Developer, JavaScript, Python & FOSS Enthusiast." /> <link rel="shortcut icon" href="https://raw.githubusercontent.com/web-place/rishigiri.in/gh-pages/rishi.png" type="image/x-icon" /> <meta http-equiv="X-UA-Compatible" content="chrome=1"> <link rel="stylesheet" href="../assets/stylesheets/styles.css"> <link rel="stylesheet" href="../assets/stylesheets/pygment_trac.css"> <meta name="viewport" content="width=device-width"> <!--[if lt IE 9]> <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script> <![endif]--> <!-- Global site tag (gtag.js) - Google Analytics --> <script async src="https://www.googletagmanager.com/gtag/js?id=UA-125012328-1"></script> <script> window.dataLayer = window.dataLayer || []; function gtag() { dataLayer.push(arguments); } gtag('js', new Date()); gtag('config', 'UA-125012328-1'); </script> </head> <body> <div class="wrapper"> <header> <h1>Rishi Giri</h1> <p>JavaScript, Python, and FOSS Enthusiast. Open Source Addict.</p> <!-- <p class="view"><a href=""><small></small></a></p> --> <ul> <li><a href="../index.html"><strong>HOME</strong></a></li> <li><a href="../projects/index.html"><strong>PROJECTS</strong></a></li> <li><a href="../resume/index.html"><strong>RÉSUMÉ</strong></a></li> </ul> <h1 align="center"><b><code>࿊</code></b></h1> </header> <section> <h1>Blog</h1> <h3> My thoughts and words, from the parallel universe! </h3> <p class="view"><code>For tech and programming related posts, click <a href="tech.html">here!</a></code></p> <ul> <li><code> <a href="post/studies-or-work.html">Work or Studies!</a></code></li> <li><code> <a href="post/quitting-some-parts-of-social-media.html">Quitting Some Parts Of Social Media</a><small> [09/01/2019]</small></code></li> <li><code> <a href="post/a-few-words.html">A Few Words!</a><small> [08/01/2019]</small></code></li> <li><code> <a href="post/homeless.html">The Choice of Living Homeless — Reason Towards an Experience</a><small> [31/08/2018]</small></code></li> <li><code> <a href="post/sometimes.html">Sometimes</a><small> [13/07/2018</small></code></li> <li><code> <a href="post/goals-morality-and-life.html">Goals, Faith, and Morality</a><small> [01/07/2018]</small></code></li> <li><code> <a href="post/running.html">Running</a><small> [28/06/2018]</small></code></li> <li><code> <a href="post/fuck-social-media.html">Fuck Social Media.</a><small> [18/11/2017]</small></code></li> </li> <li><code> <a href="post/saraha-sayatme-and-life.html">Sarahah, Sayat.me, and Life</a><small> [11/09/2017]</small></code></li> </li> <li><code> <a href="post/life-and-programming.html">Life, Decisions, and Programming!</a><small> [30/08/2017]</small></code></li> </li> </ul> </section> <footer> <p>Copyright &copy; 2019 <a href="https://rishi.ml">Rishi Giri</a></p> </footer> </div> <script src="../assets/javascripts/scale.fix.js "></script> </body> </html>
sbml-test-cases/cases/semantic/01001/01001-plot.html
stanleygu/sbmltest2archive
<script src="http://code.jquery.com/jquery-1.8.3.min.js"></script> <script src="http://code.highcharts.com/highcharts.js"></script> <script src="http://code.highcharts.com/modules/exporting.js"></script> <style> body { background-color: white; font-family: Helvetica, Verdana, sans-serif; font-size: 10pt; } @media print { .no-print { display: none; } } #plot-wrapper { display: inline-block; } #placeholder { margin-top: 0.25em; } #info-text { text-align: center; position: absolute; z-index: 100; left: 170px; color: #bbb; } </style> <script> $(function () { var chart; $(document).ready(function() { chart = new Highcharts.Chart({ credits: { enabled: false }, chart: { backgroundColor: '#fff', renderTo: 'placeholder', type: 'line', zoomType: 'xy', height: 500, width: 600, spacingTop: 37 }, plotOptions: { line: { dashStyle: 'Solid', marker: { enabled: false } } }, title: { text: null }, xAxis: { gridLineWidth: 1, gridLineDashStyle: 'ShortDot', tickPosition: 'inside', maxPadding: 0, lineWidth: 0 }, yAxis: { gridLineWidth: 1, gridLineDashStyle: 'ShortDot', tickPosition: 'inside', title: { text: null } }, tooltip: { borderWidth: 1, formatter: function() { return 'At time ' + this.x + '<br><b>' + this.series.name + '<\/b> = ' + this.y; } }, legend: { borderWidth: 0, margin: 10, itemWidth: 140, itemMarginBottom: 10, symbolWidth: 45, symbolPadding: 5, x: 20 }, exporting: { buttons: { exportButton: { y: 5 }, printButton: { y: 5 } } }, series: [ { name: "S1", color: "#4572A7", dashStyle: "Solid", shadow: false, data: [ [0, 0.0015], [0.07, 0.001350486783627322], [0.14, 0.001215876367941789], [0.21, 0.001094683298279733], [0.28, 0.0009855702229769807], [0.35, 0.0008873330465146263], [0.42, 0.000798887695313261], [0.49, 0.0007192581547299241], [0.56, 0.0006475657829421294], [0.63, 0.000583019325077099], [0.7, 0.0005249066226811803], [0.77, 0.000472586282156046], [0.84, 0.000425481032854416], [0.91, 0.0003830710007045363], [0.98, 0.0003448882266481977], [1.05, 0.0003105113013980686], [1.12, 0.0002795609312855421], [1.19, 0.0002516955829459092], [1.26, 0.0002266077088446278], [1.33, 0.0002040204591428142], [1.4, 0.0001836846234973735], [1.47, 0.0001653757860107959], [1.54, 0.0001488918708762929], [1.61, 0.0001340509923009085], [1.68, 0.0001206894003389316], [1.75, 0.0001086596355159219], [1.82, 0.00009782892769785534], [1.89, 0.00008807777797864005], [1.96, 0.00007929858874062557], [2.03, 0.00007139446758163289], [2.1, 0.00006427818429933827], [2.17, 0.00005787122433861103], [2.24, 0.00005210288690616698], [2.31, 0.00004690950702164682], [2.38, 0.0000422337758168036], [2.45, 0.00003802410452178141], [2.52, 0.00003423403685097421], [2.59, 0.0000308217416432268], [2.66, 0.00002774956781637961], [2.73, 0.00002498361752340058], [2.8, 0.00002249336523076609], [2.87, 0.00002025132680118384], [2.94, 0.00001823276527773152], [3.01, 0.00001641540687461692], [3.08, 0.00001477919396717005], [3.15, 0.0000133060695671776], [3.22, 0.0000119797805517605], [3.29, 0.00001078569115755022], [3.36, 9.710622201069345e-6], [3.43, 8.742711016705953e-6], [3.5, 7.87127759882431e-6]] }, { name: "S2", color: "#AA4643", dashStyle: "Solid", shadow: false, data: [ [0, 0], [0.07, 0.0001495132163726771], [0.14, 0.0002841236320582098], [0.21, 0.000405316701720266], [0.28, 0.0005144297770230189], [0.35, 0.0006126669534853732], [0.42, 0.0007011123046867385], [0.49, 0.0007807418452700754], [0.56, 0.0008524342170578701], [0.63, 0.0009169806749229005], [0.7, 0.0009750933773188192], [0.77, 0.001027413717843953], [0.84, 0.001074518967145583], [0.91, 0.001116928999295463], [0.98, 0.001155111773351801], [1.05, 0.00118948869860193], [1.12, 0.001220439068714457], [1.19, 0.00124830441705409], [1.26, 0.001273392291155371], [1.33, 0.001295979540857185], [1.4, 0.001316315376502626], [1.47, 0.001334624213989203], [1.54, 0.001351108129123706], [1.61, 0.00136594900769909], [1.68, 0.001379310599661067], [1.75, 0.001391340364484077], [1.82, 0.001402171072302144], [1.89, 0.001411922222021359], [1.96, 0.001420701411259374], [2.03, 0.001428605532418366], [2.1, 0.001435721815700661], [2.17, 0.001442128775661388], [2.24, 0.001447897113093832], [2.31, 0.001453090492978353], [2.38, 0.001457766224183196], [2.45, 0.001461975895478218], [2.52, 0.001465765963149025], [2.59, 0.001469178258356772], [2.66, 0.00147225043218362], [2.73, 0.001475016382476599], [2.8, 0.001477506634769233], [2.87, 0.001479748673198815], [2.94, 0.001481767234722268], [3.01, 0.001483584593125382], [3.08, 0.001485220806032829], [3.15, 0.001486693930432822], [3.22, 0.001488020219448239], [3.29, 0.001489214308842449], [3.36, 0.00149028937779893], [3.43, 0.001491257288983293], [3.5, 0.001492128722401175]] } ] }); }); }); </script> <div id="plot-wrapper"> <div id="info-text" class="no-print"> Drag the mouse to zoom in on a rectangular region.<br> Click on variable names in the legend to toggle their visibility. </div> <div id="placeholder"></div> <div id="legend"></div> </div>
archives/page/6/index.html
TechBridgeWeekly/techbridgeweekly.github.io
<!DOCTYPE html> <html> <head><meta name="generator" content="Hexo 3.9.0"> <!-- hexo-inject:begin --><!-- hexo-inject:end --><meta http-equiv="Content-Type" content="text/html" charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <title>Archives | TechBridge 技術共筆部落格</title> <meta name="description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享"> <meta name="HandheldFriendly" content="True"> <meta name="MobileOptimized" content="320"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <!-- google-site-verification --> <meta name="google-site-verification" content="WX_9sZlrIYOEpy8RR7zCoa7-pJk611zZt11BSBUcDVY"> <link rel="stylesheet preload" type="text/css" href="/css/screen.css" as="style"> <link rel="stylesheet preload" type="text/css" href="//fonts.googleapis.com/css?family=Noto+Serif:400,700,400italic|Open+Sans:700,400" as="style"> <!-- Favicons --> <link rel="apple-touch-icon" href="/img/favicon.ico"> <link rel="icon preload" href="/img/favicon.ico" as="image"> <link rel="alternate" type="application/atom+xml" title="Atom 0.3" href="atom.xml"><!-- hexo-inject:begin --><!-- hexo-inject:end --> </head> <body class="home-template"> <!-- hexo-inject:begin --><!-- hexo-inject:end --><header class="site-head" > <div class="vertical"> <div class="site-head-content inner"> <a class="blog-logo" href="/"><img src="/img/logo-tb-500-500.png" alt="Blog Logo"/></a> <h1 class="blog-title">TechBridge 技術共筆部落格</h1> <h2 class="blog-description">var topics = ['Web前後端', '行動網路', '機器人/物聯網', '數據分析', '產品設計', 'etc.']</h2> <div class="navbar-block"> <span><a href="/">首頁</a></span> / <span><a href="/about/">關於我們</a></span> / <span><a href="http://weekly.techbridge.cc/" target="_blank">技術週刊</a></span> / <span><a href="https://www.facebook.com/techbridge.cc/" target="_blank">粉絲專頁</a></span> / <span><a href="/atom.xml" target="_blank">訂閱RSS </a></span> <br> </div> </div> </div> </header> <main class="content" role="main"> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2019-01-05T10:23:23.000Z" itemprop="datePublished"> 2019-01-05 </time> | <a href='/tags/scrum/'>scrum</a>, <a href='/tags/scrum-master/'>scrum master</a>, <a href='/tags/product-owner/'>product owner</a>, <a href='/tags/dev-tame/'>dev tame</a>, <a href='/tags/軟體工程師/'>軟體工程師</a>, <a href='/tags/軟體工程/'>軟體工程</a>, <a href='/tags/software-engineering/'>software engineering</a>, <a href='/tags/敏捷開發/'>敏捷開發</a>, <a href='/tags/agile/'>agile</a> </span> <meta name="generator" content="當一個 Scrum Master 是一個怎樣的體驗?"> <meta name="og:title" content="當一個 Scrum Master 是一個怎樣的體驗?"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2019/01/05/hello-i-am-a-scrum-master/">當一個 Scrum Master 是一個怎樣的體驗?</a></h1> </header> <section class="post-excerpt"> <p> 前言Scrum 是一個以團隊為基礎來開發複雜系統和產品的敏捷開發框架和方法論。相信很多軟體開發人員都聽過 Scrum,而且也把它運用在產品開發中,然而每個團隊在使用 Scrum 時都會遇到不同的問題,有些是共通性的問題,有些是個別團隊所遇到的問題。過去一段時間在筆者的職業生涯中因緣際會地經歷了開發者、產品負責人以及 Scrum Master 等角色,對於不同角色的特性和所應具備的特質和能力以及 Scrum 的能與不能都有些許的認識。接 </p> <p> <a href="/2019/01/05/hello-i-am-a-scrum-master/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-12-29T15:44:06.000Z" itemprop="datePublished"> 2018-12-29 </time> | <a href='/tags/Software-Engineer/'>Software Engineer</a> </span> <meta name="generator" content="兩年過後,我能夠被稱為資深工程師了嗎?"> <meta name="og:title" content="兩年過後,我能夠被稱為資深工程師了嗎?"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/12/29/review-2018/">兩年過後,我能夠被稱為資深工程師了嗎?</a></h1> </header> <section class="post-excerpt"> <p> 前言在兩年前我寫了這篇一個資淺工程師年末的自我省視,內文主要是檢視自己那年學到的東西以及抒發心得感想,並提出一些對於自己職涯發展上的疑問。 標題之所以是打「資淺」工程師,是因為那時覺得連資深的邊都沾不上,所以用了資淺這個字來形容自己。 兩年過去了,職稱從工程師變成資深工程師,甚至還再往上變成了 Front-end Team Lead。雖然職稱本來就不代表一切,但我認為它至少「代表著什麼」,你到了那個位子就必須負起責任,如果覺得自己能力未 </p> <p> <a href="/2018/12/29/review-2018/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-12-22T23:01:50.000Z" itemprop="datePublished"> 2018-12-22 </time> | <a href='/tags/Human-Robot-Interaction/'>Human-Robot Interaction</a>, <a href='/tags/Markov-Decision-Process/'>Markov Decision Process</a> </span> <meta name="generator" content="Markov Decision Process 的程式範例"> <meta name="og:title" content="Markov Decision Process 的程式範例"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/12/22/intro-to-mdp-program/">Markov Decision Process 的程式範例</a></h1> </header> <section class="post-excerpt"> <p> 前言之前跟大家介紹過 Markov Decision Process(MDP) 的原理跟數學推導 還有 在 Human-Robot Interaction 上的應用,今天我們就帶大家透過一個程式來體驗實作上的細節。有興趣的讀者可以透過這個例子將這個程式應用到機器人上! 快速複習 MDP 的基本概念在進入問題之前,我們先簡單複習一下 MDP,首先是 MDP 的定義: 然後,假設已經知道在每個 state 會獲得多少 reward,我們就 </p> <p> <a href="/2018/12/22/intro-to-mdp-program/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-12-15T15:15:09.000Z" itemprop="datePublished"> 2018-12-15 </time> | <a href='/tags/d3/'>d3</a>, <a href='/tags/data/'>data</a>, <a href='/tags/visualization/'>visualization</a>, <a href='/tags/nivo/'>nivo</a>, <a href='/tags/google-calendar/'>google calendar</a>, <a href='/tags/yearend/'>yearend</a> </span> <meta name="generator" content="用 Google Calendar 與 nivo 製作自己的年終檢討報告"> <meta name="og:title" content="用 Google Calendar 與 nivo 製作自己的年終檢討報告"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/12/15/dataviz-yearendreview/">用 Google Calendar 與 nivo 製作自己的年終檢討報告</a></h1> </header> <section class="post-excerpt"> <p> 前言從 2017 年開始,我每天都會用 Google Calendar 紀錄生活,也在年底的時候利用 D3.js 與 Google api 將紀錄的資料視覺化出來做個年終回顧。(沒看過的讀者可以往這裡走:一起用 Google Calendar 與 D3.js 進行年終回顧吧!) 2018 當然也不例外,我依然持續記錄每天的日常,透過每週回顧自己的時間花費來調整目標與心理狀態。 而既然我有了兩年的資料,不拿來比較看看就太可惜了,因此決定在 </p> <p> <a href="/2018/12/15/dataviz-yearendreview/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-12-08T08:37:35.000Z" itemprop="datePublished"> 2018-12-08 </time> | <a href='/tags/javascript/'>javascript</a>, <a href='/tags/closure/'>closure</a> </span> <meta name="generator" content="所有的函式都是閉包:談 JS 中的作用域與 Closure"> <meta name="og:title" content="所有的函式都是閉包:談 JS 中的作用域與 Closure"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/12/08/javascript-closure/">所有的函式都是閉包:談 JS 中的作用域與 Closure</a></h1> </header> <section class="post-excerpt"> <p> 在正文開始前先幫自己小小工商一下,前陣子把自己以前寫過的文章都放到了 GitHub 上面,那邊比較方便整理文章以及回應,如果有想討論的可以在這篇文章的 GitHub 版本下面留言,想收到新文章通知的也可以按個 watch,感謝。 前言請先原諒我用了一個比較聳動的標題,因為實在是想不到還有什麼標題好下,最後選擇了一個可能比較有爭議的標題,但能利用這樣的標題激起討論也是滿有趣的,何況我說這話也是有根據的。 在觀看此篇文章之前請先看過上一篇: </p> <p> <a href="/2018/12/08/javascript-closure/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-12-01T10:23:23.000Z" itemprop="datePublished"> 2018-12-01 </time> | <a href='/tags/container/'>container</a>, <a href='/tags/容器/'>容器</a>, <a href='/tags/Kubernetes/'>Kubernetes</a>, <a href='/tags/minikube/'>minikube</a>, <a href='/tags/雲端/'>雲端</a>, <a href='/tags/cloud-native/'>cloud native</a> </span> <meta name="generator" content="Kubernetes 與 minikube 入門教學"> <meta name="og:title" content="Kubernetes 與 minikube 入門教學"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/12/01/kubernetes101-introduction-tutorial/">Kubernetes 與 minikube 入門教學</a></h1> </header> <section class="post-excerpt"> <p> 前言Kubernetes(又稱 K8s,類似於 i18n/l10n,取中間字母的長度的簡寫命名)是一個協助我們自動化部署(automating deployment)、自動擴展(scaling)和管理容器應用程式(containerized applications)的指揮調度(Orchestration)工具。相比於傳統的手動部屬容器應用程式的方式,Kubernetes 主要有幾個好處: Automated rollouts a </p> <p> <a href="/2018/12/01/kubernetes101-introduction-tutorial/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-11-24T14:31:45.000Z" itemprop="datePublished"> 2018-11-24 </time> | <a href='/tags/Human-Robot-Interaction/'>Human-Robot Interaction</a>, <a href='/tags/Markov-Decision-Process/'>Markov Decision Process</a> </span> <meta name="generator" content="如何用 Markov Decision Process 描述 Human-Robot Interaction 問題"> <meta name="og:title" content="如何用 Markov Decision Process 描述 Human-Robot Interaction 問題"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/11/24/intro-to-mdp-on-hri/">如何用 Markov Decision Process 描述 Human-Robot Interaction 問題</a></h1> </header> <section class="post-excerpt"> <p> 前言上次我們介紹了 Markov Decision Process 的基本概念,雖然上次有簡單提到 MDP 的應用,但並不是很詳細,所以今天我們想嘗試把 MDP 跟 Human-Robot Interaction 問題連結起來,一起來看怎麼從一個簡單的 insight 出發,加上 MDP 的數學基礎,最後形成一篇嚴謹的論文 ( Human-Robot Interactive Planning using Cross-Training: </p> <p> <a href="/2018/11/24/intro-to-mdp-on-hri/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-11-15T00:18:37.000Z" itemprop="datePublished"> 2018-11-15 </time> | <a href='/tags/react/'>react</a>, <a href='/tags/css/'>css</a>, <a href='/tags/grid/'>grid</a>, <a href='/tags/mondrian/'>mondrian</a> </span> <meta name="generator" content="用 CSS Grid 創造蒙德里安藝術"> <meta name="og:title" content="用 CSS Grid 創造蒙德里安藝術"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/11/15/css-grid-art-generator/">用 CSS Grid 創造蒙德里安藝術</a></h1> </header> <section class="post-excerpt"> <p> 前言前陣子 netflix 上了最新一季的夜魔俠,其中的反派角色很愛在家中擺設畫作,有了藝術品襯托,壞人在我的腦海裡突然就變成看似很有深度的角色。這讓我覺得應該也該擺點畫作在家裡,看看能不能提高自己的層次。 而宅宅如我當然無法做如此的投資,不過如果能夠自己用 Web 技術產生一些藝術作品,然後投影在家中呢?應該很酷吧!然後就在 codepen 上發現了一個有趣的東西: See the Pen Randomly generate Mond </p> <p> <a href="/2018/11/15/css-grid-art-generator/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-11-14T18:16:00.000Z" itemprop="datePublished"> 2018-11-14 </time> | <a href='/tags/商業模式/'>商業模式</a> </span> <meta name="generator" content="軟體開發的未來,是大斗內時代?"> <meta name="og:title" content="軟體開發的未來,是大斗內時代?"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/11/14/future-of-software/">軟體開發的未來,是大斗內時代?</a></h1> </header> <section class="post-excerpt"> <p> 本文從付費軟體的困境,講到廣告商業模式以及付費帳號模式,再講到近年來日趨流行的「獎賞制度」,來談談內容創作的困境,以及當面對網際網路快速發展的因應之道。 軟體如何賺錢在我剛開始寫程式的時候,我就曾經想過,如果我做出了一個很好的遊戲,我該如何賺錢?,簡單就是賣嘛,付了錢我就給你程式。但這最大的問題是你如何確定買家不會將你的產品給其他人?。 我開始思考各種的商業模式,發現要賣軟體竟是一件相當困難的事,阻止盜版非常困難,其實這本質的原因在 </p> <p> <a href="/2018/11/14/future-of-software/" class="excerpt-link">Read More...</a> </p> </section> </article> <article class="post"> <header class="post-header"> <span class="post-meta"> <time datetime="2018-11-10T18:05:13.000Z" itemprop="datePublished"> 2018-11-10 </time> | <a href='/tags/javascript/'>javascript</a>, <a href='/tags/hoisting/'>hoisting</a> </span> <meta name="generator" content="我知道你懂 hoisting,可是你了解到多深?"> <meta name="og:title" content="我知道你懂 hoisting,可是你了解到多深?"> <meta name="og:description" content="TechBridge Weekly 技術週刊團隊是一群對用技術改變世界懷抱熱情的團隊。本技術共筆部落格初期專注於Web前後端、行動網路、機器人/物聯網、數據分析與產品設計等技術分享。"> <meta name="og:type" content="website"> <meta name="og:image" content="/img/og-cover.png"> <h1 class="post-title"><a href="/2018/11/10/javascript-hoisting/">我知道你懂 hoisting,可是你了解到多深?</a></h1> </header> <section class="post-excerpt"> <p> 前言這陣子我在忙一些教學相關的東西,稍微準備一些資料之後教了學生們 JavaScript 裡面的 hoisting,也就是「提升」這個觀念,例如說以下程式碼: 12console.log(a)var a = 10 會輸出undefined而不是ReferenceError: a is not defined,這種現象就叫做 Hoisting,變數的宣告被「提升」到最上面去了。 如果你只想了解最基本的 hoisting,其實差不多就是這樣 </p> <p> <a href="/2018/11/10/javascript-hoisting/" class="excerpt-link">Read More...</a> </p> </section> </article> <nav class="pagination" role="pagination"> <a class="newer-posts" href="/archives/page/5/">← Newer Posts</a> <span class="page-number">Page 6 of 22</span> <a class="older-posts" href="/archives/page/7/">Older Posts →</a> </nav> </main> <script> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-75308642-1', 'auto'); ga('send', 'pageview'); </script> <footer class="site-footer"> <a class="subscribe icon-feed" href="/atom.xml"><span class="tooltip">Subscribe!</span></a> <div class="inner"> <section class="copyright">All content copyright <a href="/">TechBridge 技術共筆部落格</a> &copy; 2017 &bull; All rights reserved.</section> </div> </footer> <script src="//ajax.googleapis.com/ajax/libs/jquery/2.0.3/jquery.min.js"></script> <script type="text/javascript" src="/js/jquery.fitvids.js"></script> <script type="text/javascript" src="/js/index.js"></script> <script type="text/javascript"> var _gaq = _gaq || []; _gaq.push(['_setAccount', '[object Object]']); _gaq.push(['_trackPageview']); (function() { var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true; ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js'; var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s); })(); </script> <script type="text/javascript"> var disqus_shortname = 'techbridgeweekly'; (function(){ var dsq = document.createElement('script'); dsq.type = 'text/javascript'; dsq.async = true; dsq.src = '//' + disqus_shortname + '.disqus.com/count.js'; (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(dsq); }()); </script> <script src="https://cdn.jsdelivr.net/npm/medium-zoom@1.0.4/dist/medium-zoom.min.js"></script> <script> // NodeList mediumZoom(document.querySelectorAll('img')); </script> <div id="fb-root"></div> <script>(function(d, s, id) { var js, fjs = d.getElementsByTagName(s)[0]; if (d.getElementById(id)) return; js = d.createElement(s); js.id = id; js.src = "//connect.facebook.net/en_US/sdk.js#xfbml=1&version=v2.5"; fjs.parentNode.insertBefore(js, fjs); }(document, 'script', 'facebook-jssdk'));</script> <script type="text/x-mathjax-config"> MathJax.Hub.Config({ tex2jax: { inlineMath: [ ["$","$"], ["\\(","\\)"] ], skipTags: ['script', 'noscript', 'style', 'textarea', 'pre', 'code'], processEscapes: true } }); MathJax.Hub.Queue(function() { var all = MathJax.Hub.getAllJax(); for (var i = 0; i < all.length; ++i) all[i].SourceElement().parentNode.className += ' has-jax'; }); </script> <script src="https://cdn.mathjax.org/mathjax/latest/MathJax.js?config=TeX-AMS-MML_HTMLorMML"></script><!-- hexo-inject:begin --><!-- Begin: Injected MathJax --> <script type="text/x-mathjax-config"> MathJax.Hub.Config(""); </script> <script type="text/x-mathjax-config"> MathJax.Hub.Queue(function() { var all = MathJax.Hub.getAllJax(), i; for(i=0; i < all.length; i += 1) { all[i].SourceElement().parentNode.className += ' has-jax'; } }); </script> <script type="text/javascript" src=""> </script> <!-- End: Injected MathJax --> <!-- hexo-inject:end --> </body> </html>
app/assets/stylesheets/css/bootstrap.css
faisal58/job-demo
/*! * Bootstrap v3.1.0 (http://getbootstrap.com) * Copyright 2011-2014 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) */ /*! normalize.css v3.0.0 | MIT License | git.io/normalize */ html { font-family: sans-serif; -webkit-text-size-adjust: 100%; -ms-text-size-adjust: 100%; } body { margin: 0; } article, aside, details, figcaption, figure, footer, header, hgroup, main, nav, section, summary { display: block; } audio, canvas, progress, video { display: inline-block; vertical-align: baseline; } audio:not([controls]) { display: none; height: 0; } [hidden], template { display: none; } a { background: transparent; } a:active, a:hover { outline: 0; } abbr[title] { border-bottom: 1px dotted; } b, strong { font-weight: bold; } dfn { font-style: italic; } h1 { margin: .67em 0; font-size: 2em; } mark { color: #000; background: #ff0; } small { font-size: 80%; } sub, sup { position: relative; font-size: 75%; line-height: 0; vertical-align: baseline; } sup { top: -.5em; } sub { bottom: -.25em; } img { border: 0; } svg:not(:root) { overflow: hidden; } figure { margin: 1em 40px; } hr { height: 0; -moz-box-sizing: content-box; box-sizing: content-box; } pre { overflow: auto; } code, kbd, pre, samp { font-family: monospace, monospace; font-size: 1em; } button, input, optgroup, select, textarea { margin: 0; font: inherit; color: inherit; } button { overflow: visible; } button, select { text-transform: none; } button, html input[type="button"], input[type="reset"], input[type="submit"] { -webkit-appearance: button; cursor: pointer; } button[disabled], html input[disabled] { cursor: default; } button::-moz-focus-inner, input::-moz-focus-inner { padding: 0; border: 0; } input { line-height: normal; } input[type="checkbox"], input[type="radio"] { box-sizing: border-box; padding: 0; } input[type="number"]::-webkit-inner-spin-button, input[type="number"]::-webkit-outer-spin-button { height: auto; } input[type="search"] { -webkit-box-sizing: content-box; -moz-box-sizing: content-box; box-sizing: content-box; -webkit-appearance: textfield; } input[type="search"]::-webkit-search-cancel-button, input[type="search"]::-webkit-search-decoration { -webkit-appearance: none; } fieldset { padding: .35em .625em .75em; margin: 0 2px; border: 1px solid #c0c0c0; } legend { padding: 0; border: 0; } textarea { overflow: auto; } optgroup { font-weight: bold; } table { border-spacing: 0; border-collapse: collapse; } td, th { padding: 0; } @media print { * { color: #000 !important; text-shadow: none !important; background: transparent !important; box-shadow: none !important; } a, a:visited { text-decoration: underline; } a[href]:after { content: " (" attr(href) ")"; } abbr[title]:after { content: " (" attr(title) ")"; } a[href^="javascript:"]:after, a[href^="#"]:after { content: ""; } pre, blockquote { border: 1px solid #999; page-break-inside: avoid; } thead { display: table-header-group; } tr, img { page-break-inside: avoid; } img { max-width: 100% !important; } p, h2, h3 { orphans: 3; widows: 3; } h2, h3 { page-break-after: avoid; } select { background: #fff !important; } .navbar { display: none; } .table td, .table th { background-color: #fff !important; } .btn > .caret, .dropup > .btn > .caret { border-top-color: #000 !important; } .label { border: 1px solid #000; } .table { border-collapse: collapse !important; } .table-bordered th, .table-bordered td { border: 1px solid #ddd !important; } } * { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } *:before, *:after { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } html { font-size: 62.5%; -webkit-tap-highlight-color: rgba(0, 0, 0, 0); } body { font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; font-size: 14px; line-height: 1.428571429; color: #333; background-color: #fff; } input, button, select, textarea { font-family: inherit; font-size: inherit; line-height: inherit; } a { color: #428bca; text-decoration: none; } a:hover, a:focus { color: #2a6496; text-decoration: underline; } a:focus { outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } figure { margin: 0; } img { vertical-align: middle; } .img-responsive { display: block; max-width: 100%; height: auto; } .img-rounded { border-radius: 6px; } .img-thumbnail { display: inline-block; max-width: 100%; height: auto; padding: 4px; line-height: 1.428571429; background-color: #fff; border: 1px solid #ddd; border-radius: 4px; -webkit-transition: all .2s ease-in-out; transition: all .2s ease-in-out; } .img-circle { border-radius: 50%; } hr { margin-top: 20px; margin-bottom: 20px; border: 0; border-top: 1px solid #eee; } .sr-only { position: absolute; width: 1px; height: 1px; padding: 0; margin: -1px; overflow: hidden; clip: rect(0, 0, 0, 0); border: 0; } h1, h2, h3, h4, h5, h6, .h1, .h2, .h3, .h4, .h5, .h6 { font-family: inherit; font-weight: 500; line-height: 1.1; color: inherit; } h1 small, h2 small, h3 small, h4 small, h5 small, h6 small, .h1 small, .h2 small, .h3 small, .h4 small, .h5 small, .h6 small, h1 .small, h2 .small, h3 .small, h4 .small, h5 .small, h6 .small, .h1 .small, .h2 .small, .h3 .small, .h4 .small, .h5 .small, .h6 .small { font-weight: normal; line-height: 1; color: #999; } h1, .h1, h2, .h2, h3, .h3 { margin-top: 20px; margin-bottom: 10px; } h1 small, .h1 small, h2 small, .h2 small, h3 small, .h3 small, h1 .small, .h1 .small, h2 .small, .h2 .small, h3 .small, .h3 .small { font-size: 65%; } h4, .h4, h5, .h5, h6, .h6 { margin-top: 10px; margin-bottom: 10px; } h4 small, .h4 small, h5 small, .h5 small, h6 small, .h6 small, h4 .small, .h4 .small, h5 .small, .h5 .small, h6 .small, .h6 .small { font-size: 75%; } h1, .h1 { font-size: 36px; } h2, .h2 { font-size: 30px; } h3, .h3 { font-size: 24px; } h4, .h4 { font-size: 18px; } h5, .h5 { font-size: 14px; } h6, .h6 { font-size: 12px; } p { margin: 0 0 10px; } .lead { margin-bottom: 20px; font-size: 16px; font-weight: 200; line-height: 1.4; } @media (min-width: 768px) { .lead { font-size: 21px; } } small, .small { font-size: 85%; } cite { font-style: normal; } .text-left { text-align: left; } .text-right { text-align: right; } .text-center { text-align: center; } .text-justify { text-align: justify; } .text-muted { color: #999; } .text-primary { color: #428bca; } a.text-primary:hover { color: #3071a9; } .text-success { color: #3c763d; } a.text-success:hover { color: #2b542c; } .text-info { color: #31708f; } a.text-info:hover { color: #245269; } .text-warning { color: #8a6d3b; } a.text-warning:hover { color: #66512c; } .text-danger { color: #a94442; } a.text-danger:hover { color: #843534; } .bg-primary { color: #fff; background-color: #428bca; } a.bg-primary:hover { background-color: #3071a9; } .bg-success { background-color: #dff0d8; } a.bg-success:hover { background-color: #c1e2b3; } .bg-info { background-color: #d9edf7; } a.bg-info:hover { background-color: #afd9ee; } .bg-warning { background-color: #fcf8e3; } a.bg-warning:hover { background-color: #f7ecb5; } .bg-danger { background-color: #f2dede; } a.bg-danger:hover { background-color: #e4b9b9; } .page-header { padding-bottom: 9px; margin: 40px 0 20px; border-bottom: 1px solid #eee; } ul, ol { margin-top: 0; margin-bottom: 10px; } ul ul, ol ul, ul ol, ol ol { margin-bottom: 0; } .list-unstyled { padding-left: 0; list-style: none; } .list-inline { padding-left: 0; list-style: none; } .list-inline > li { display: inline-block; padding-right: 5px; padding-left: 5px; } .list-inline > li:first-child { padding-left: 0; } dl { margin-top: 0; margin-bottom: 20px; } dt, dd { line-height: 1.428571429; } dt { font-weight: bold; } dd { margin-left: 0; } @media (min-width: 768px) { .dl-horizontal dt { float: left; width: 160px; overflow: hidden; clear: left; text-align: right; text-overflow: ellipsis; white-space: nowrap; } .dl-horizontal dd { margin-left: 180px; } } abbr[title], abbr[data-original-title] { cursor: help; border-bottom: 1px dotted #999; } .initialism { font-size: 90%; text-transform: uppercase; } blockquote { padding: 10px 20px; margin: 0 0 20px; font-size: 17.5px; border-left: 5px solid #eee; } blockquote p:last-child, blockquote ul:last-child, blockquote ol:last-child { margin-bottom: 0; } blockquote footer, blockquote small, blockquote .small { display: block; font-size: 80%; line-height: 1.428571429; color: #999; } blockquote footer:before, blockquote small:before, blockquote .small:before { content: '\2014 \00A0'; } .blockquote-reverse, blockquote.pull-right { padding-right: 15px; padding-left: 0; text-align: right; border-right: 5px solid #eee; border-left: 0; } .blockquote-reverse footer:before, blockquote.pull-right footer:before, .blockquote-reverse small:before, blockquote.pull-right small:before, .blockquote-reverse .small:before, blockquote.pull-right .small:before { content: ''; } .blockquote-reverse footer:after, blockquote.pull-right footer:after, .blockquote-reverse small:after, blockquote.pull-right small:after, .blockquote-reverse .small:after, blockquote.pull-right .small:after { content: '\00A0 \2014'; } blockquote:before, blockquote:after { content: ""; } address { margin-bottom: 20px; font-style: normal; line-height: 1.428571429; } code, kbd, pre, samp { font-family: Menlo, Monaco, Consolas, "Courier New", monospace; } code { padding: 2px 4px; font-size: 90%; color: #c7254e; white-space: nowrap; background-color: #f9f2f4; border-radius: 4px; } kbd { padding: 2px 4px; font-size: 90%; color: #fff; background-color: #333; border-radius: 3px; box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25); } pre { display: block; padding: 9.5px; margin: 0 0 10px; font-size: 13px; line-height: 1.428571429; color: #333; word-break: break-all; word-wrap: break-word; background-color: #f5f5f5; border: 1px solid #ccc; border-radius: 4px; } pre code { padding: 0; font-size: inherit; color: inherit; white-space: pre-wrap; background-color: transparent; border-radius: 0; } .pre-scrollable { max-height: 340px; overflow-y: scroll; } .container { padding-right: 15px; padding-left: 15px; margin-right: auto; margin-left: auto; } @media (min-width: 768px) { .container { width: 750px; } } @media (min-width: 992px) { .container { width: 970px; } } @media (min-width: 1200px) { .container { width: 1170px; } } .container-fluid { padding-right: 15px; padding-left: 15px; margin-right: auto; margin-left: auto; } .row { margin-right: -15px; margin-left: -15px; } .col-xs-1, .col-sm-1, .col-md-1, .col-lg-1, .col-xs-2, .col-sm-2, .col-md-2, .col-lg-2, .col-xs-3, .col-sm-3, .col-md-3, .col-lg-3, .col-xs-4, .col-sm-4, .col-md-4, .col-lg-4, .col-xs-5, .col-sm-5, .col-md-5, .col-lg-5, .col-xs-6, .col-sm-6, .col-md-6, .col-lg-6, .col-xs-7, .col-sm-7, .col-md-7, .col-lg-7, .col-xs-8, .col-sm-8, .col-md-8, .col-lg-8, .col-xs-9, .col-sm-9, .col-md-9, .col-lg-9, .col-xs-10, .col-sm-10, .col-md-10, .col-lg-10, .col-xs-11, .col-sm-11, .col-md-11, .col-lg-11, .col-xs-12, .col-sm-12, .col-md-12, .col-lg-12 { position: relative; min-height: 1px; padding-right: 15px; padding-left: 15px; } .col-xs-1, .col-xs-2, .col-xs-3, .col-xs-4, .col-xs-5, .col-xs-6, .col-xs-7, .col-xs-8, .col-xs-9, .col-xs-10, .col-xs-11, .col-xs-12 { float: left; } .col-xs-12 { width: 100%; } .col-xs-11 { width: 91.66666666666666%; } .col-xs-10 { width: 83.33333333333334%; } .col-xs-9 { width: 75%; } .col-xs-8 { width: 66.66666666666666%; } .col-xs-7 { width: 58.333333333333336%; } .col-xs-6 { width: 50%; } .col-xs-5 { width: 41.66666666666667%; } .col-xs-4 { width: 33.33333333333333%; } .col-xs-3 { width: 25%; } .col-xs-2 { width: 16.666666666666664%; } .col-xs-1 { width: 8.333333333333332%; } .col-xs-pull-12 { right: 100%; } .col-xs-pull-11 { right: 91.66666666666666%; } .col-xs-pull-10 { right: 83.33333333333334%; } .col-xs-pull-9 { right: 75%; } .col-xs-pull-8 { right: 66.66666666666666%; } .col-xs-pull-7 { right: 58.333333333333336%; } .col-xs-pull-6 { right: 50%; } .col-xs-pull-5 { right: 41.66666666666667%; } .col-xs-pull-4 { right: 33.33333333333333%; } .col-xs-pull-3 { right: 25%; } .col-xs-pull-2 { right: 16.666666666666664%; } .col-xs-pull-1 { right: 8.333333333333332%; } .col-xs-pull-0 { right: 0; } .col-xs-push-12 { left: 100%; } .col-xs-push-11 { left: 91.66666666666666%; } .col-xs-push-10 { left: 83.33333333333334%; } .col-xs-push-9 { left: 75%; } .col-xs-push-8 { left: 66.66666666666666%; } .col-xs-push-7 { left: 58.333333333333336%; } .col-xs-push-6 { left: 50%; } .col-xs-push-5 { left: 41.66666666666667%; } .col-xs-push-4 { left: 33.33333333333333%; } .col-xs-push-3 { left: 25%; } .col-xs-push-2 { left: 16.666666666666664%; } .col-xs-push-1 { left: 8.333333333333332%; } .col-xs-push-0 { left: 0; } .col-xs-offset-12 { margin-left: 100%; } .col-xs-offset-11 { margin-left: 91.66666666666666%; } .col-xs-offset-10 { margin-left: 83.33333333333334%; } .col-xs-offset-9 { margin-left: 75%; } .col-xs-offset-8 { margin-left: 66.66666666666666%; } .col-xs-offset-7 { margin-left: 58.333333333333336%; } .col-xs-offset-6 { margin-left: 50%; } .col-xs-offset-5 { margin-left: 41.66666666666667%; } .col-xs-offset-4 { margin-left: 33.33333333333333%; } .col-xs-offset-3 { margin-left: 25%; } .col-xs-offset-2 { margin-left: 16.666666666666664%; } .col-xs-offset-1 { margin-left: 8.333333333333332%; } .col-xs-offset-0 { margin-left: 0; } @media (min-width: 768px) { .col-sm-1, .col-sm-2, .col-sm-3, .col-sm-4, .col-sm-5, .col-sm-6, .col-sm-7, .col-sm-8, .col-sm-9, .col-sm-10, .col-sm-11, .col-sm-12 { float: left; } .col-sm-12 { width: 100%; } .col-sm-11 { width: 91.66666666666666%; } .col-sm-10 { width: 83.33333333333334%; } .col-sm-9 { width: 75%; } .col-sm-8 { width: 66.66666666666666%; } .col-sm-7 { width: 58.333333333333336%; } .col-sm-6 { width: 50%; } .col-sm-5 { width: 41.66666666666667%; } .col-sm-4 { width: 33.33333333333333%; } .col-sm-3 { width: 25%; } .col-sm-2 { width: 16.666666666666664%; } .col-sm-1 { width: 8.333333333333332%; } .col-sm-pull-12 { right: 100%; } .col-sm-pull-11 { right: 91.66666666666666%; } .col-sm-pull-10 { right: 83.33333333333334%; } .col-sm-pull-9 { right: 75%; } .col-sm-pull-8 { right: 66.66666666666666%; } .col-sm-pull-7 { right: 58.333333333333336%; } .col-sm-pull-6 { right: 50%; } .col-sm-pull-5 { right: 41.66666666666667%; } .col-sm-pull-4 { right: 33.33333333333333%; } .col-sm-pull-3 { right: 25%; } .col-sm-pull-2 { right: 16.666666666666664%; } .col-sm-pull-1 { right: 8.333333333333332%; } .col-sm-pull-0 { right: 0; } .col-sm-push-12 { left: 100%; } .col-sm-push-11 { left: 91.66666666666666%; } .col-sm-push-10 { left: 83.33333333333334%; } .col-sm-push-9 { left: 75%; } .col-sm-push-8 { left: 66.66666666666666%; } .col-sm-push-7 { left: 58.333333333333336%; } .col-sm-push-6 { left: 50%; } .col-sm-push-5 { left: 41.66666666666667%; } .col-sm-push-4 { left: 33.33333333333333%; } .col-sm-push-3 { left: 25%; } .col-sm-push-2 { left: 16.666666666666664%; } .col-sm-push-1 { left: 8.333333333333332%; } .col-sm-push-0 { left: 0; } .col-sm-offset-12 { margin-left: 100%; } .col-sm-offset-11 { margin-left: 91.66666666666666%; } .col-sm-offset-10 { margin-left: 83.33333333333334%; } .col-sm-offset-9 { margin-left: 75%; } .col-sm-offset-8 { margin-left: 66.66666666666666%; } .col-sm-offset-7 { margin-left: 58.333333333333336%; } .col-sm-offset-6 { margin-left: 50%; } .col-sm-offset-5 { margin-left: 41.66666666666667%; } .col-sm-offset-4 { margin-left: 33.33333333333333%; } .col-sm-offset-3 { margin-left: 25%; } .col-sm-offset-2 { margin-left: 16.666666666666664%; } .col-sm-offset-1 { margin-left: 8.333333333333332%; } .col-sm-offset-0 { margin-left: 0; } } @media (min-width: 992px) { .col-md-1, .col-md-2, .col-md-3, .col-md-4, .col-md-5, .col-md-6, .col-md-7, .col-md-8, .col-md-9, .col-md-10, .col-md-11, .col-md-12 { float: left; } .col-md-12 { width: 100%; } .col-md-11 { width: 91.66666666666666%; } .col-md-10 { width: 83.33333333333334%; } .col-md-9 { width: 75%; } .col-md-8 { width: 66.66666666666666%; } .col-md-7 { width: 58.333333333333336%; } .col-md-6 { width: 50%; } .col-md-5 { width: 41.66666666666667%; } .col-md-4 { width: 33.33333333333333%; } .col-md-3 { width: 25%; } .col-md-2 { width: 16.666666666666664%; } .col-md-1 { width: 8.333333333333332%; } .col-md-pull-12 { right: 100%; } .col-md-pull-11 { right: 91.66666666666666%; } .col-md-pull-10 { right: 83.33333333333334%; } .col-md-pull-9 { right: 75%; } .col-md-pull-8 { right: 66.66666666666666%; } .col-md-pull-7 { right: 58.333333333333336%; } .col-md-pull-6 { right: 50%; } .col-md-pull-5 { right: 41.66666666666667%; } .col-md-pull-4 { right: 33.33333333333333%; } .col-md-pull-3 { right: 25%; } .col-md-pull-2 { right: 16.666666666666664%; } .col-md-pull-1 { right: 8.333333333333332%; } .col-md-pull-0 { right: 0; } .col-md-push-12 { left: 100%; } .col-md-push-11 { left: 91.66666666666666%; } .col-md-push-10 { left: 83.33333333333334%; } .col-md-push-9 { left: 75%; } .col-md-push-8 { left: 66.66666666666666%; } .col-md-push-7 { left: 58.333333333333336%; } .col-md-push-6 { left: 50%; } .col-md-push-5 { left: 41.66666666666667%; } .col-md-push-4 { left: 33.33333333333333%; } .col-md-push-3 { left: 25%; } .col-md-push-2 { left: 16.666666666666664%; } .col-md-push-1 { left: 8.333333333333332%; } .col-md-push-0 { left: 0; } .col-md-offset-12 { margin-left: 100%; } .col-md-offset-11 { margin-left: 91.66666666666666%; } .col-md-offset-10 { margin-left: 83.33333333333334%; } .col-md-offset-9 { margin-left: 75%; } .col-md-offset-8 { margin-left: 66.66666666666666%; } .col-md-offset-7 { margin-left: 58.333333333333336%; } .col-md-offset-6 { margin-left: 50%; } .col-md-offset-5 { margin-left: 41.66666666666667%; } .col-md-offset-4 { margin-left: 33.33333333333333%; } .col-md-offset-3 { margin-left: 25%; } .col-md-offset-2 { margin-left: 16.666666666666664%; } .col-md-offset-1 { margin-left: 8.333333333333332%; } .col-md-offset-0 { margin-left: 0; } } @media (min-width: 1200px) { .col-lg-1, .col-lg-2, .col-lg-3, .col-lg-4, .col-lg-5, .col-lg-6, .col-lg-7, .col-lg-8, .col-lg-9, .col-lg-10, .col-lg-11, .col-lg-12 { float: left; } .col-lg-12 { width: 100%; } .col-lg-11 { width: 91.66666666666666%; } .col-lg-10 { width: 83.33333333333334%; } .col-lg-9 { width: 75%; } .col-lg-8 { width: 66.66666666666666%; } .col-lg-7 { width: 58.333333333333336%; } .col-lg-6 { width: 50%; } .col-lg-5 { width: 41.66666666666667%; } .col-lg-4 { width: 33.33333333333333%; } .col-lg-3 { width: 25%; } .col-lg-2 { width: 16.666666666666664%; } .col-lg-1 { width: 8.333333333333332%; } .col-lg-pull-12 { right: 100%; } .col-lg-pull-11 { right: 91.66666666666666%; } .col-lg-pull-10 { right: 83.33333333333334%; } .col-lg-pull-9 { right: 75%; } .col-lg-pull-8 { right: 66.66666666666666%; } .col-lg-pull-7 { right: 58.333333333333336%; } .col-lg-pull-6 { right: 50%; } .col-lg-pull-5 { right: 41.66666666666667%; } .col-lg-pull-4 { right: 33.33333333333333%; } .col-lg-pull-3 { right: 25%; } .col-lg-pull-2 { right: 16.666666666666664%; } .col-lg-pull-1 { right: 8.333333333333332%; } .col-lg-pull-0 { right: 0; } .col-lg-push-12 { left: 100%; } .col-lg-push-11 { left: 91.66666666666666%; } .col-lg-push-10 { left: 83.33333333333334%; } .col-lg-push-9 { left: 75%; } .col-lg-push-8 { left: 66.66666666666666%; } .col-lg-push-7 { left: 58.333333333333336%; } .col-lg-push-6 { left: 50%; } .col-lg-push-5 { left: 41.66666666666667%; } .col-lg-push-4 { left: 33.33333333333333%; } .col-lg-push-3 { left: 25%; } .col-lg-push-2 { left: 16.666666666666664%; } .col-lg-push-1 { left: 8.333333333333332%; } .col-lg-push-0 { left: 0; } .col-lg-offset-12 { margin-left: 100%; } .col-lg-offset-11 { margin-left: 91.66666666666666%; } .col-lg-offset-10 { margin-left: 83.33333333333334%; } .col-lg-offset-9 { margin-left: 75%; } .col-lg-offset-8 { margin-left: 66.66666666666666%; } .col-lg-offset-7 { margin-left: 58.333333333333336%; } .col-lg-offset-6 { margin-left: 50%; } .col-lg-offset-5 { margin-left: 41.66666666666667%; } .col-lg-offset-4 { margin-left: 33.33333333333333%; } .col-lg-offset-3 { margin-left: 25%; } .col-lg-offset-2 { margin-left: 16.666666666666664%; } .col-lg-offset-1 { margin-left: 8.333333333333332%; } .col-lg-offset-0 { margin-left: 0; } } table { max-width: 100%; background-color: transparent; } th { text-align: left; } .table { width: 100%; margin-bottom: 20px; } .table > thead > tr > th, .table > tbody > tr > th, .table > tfoot > tr > th, .table > thead > tr > td, .table > tbody > tr > td, .table > tfoot > tr > td { padding: 8px; line-height: 1.428571429; vertical-align: top; border-top: 1px solid #ddd; } .table > thead > tr > th { vertical-align: bottom; border-bottom: 2px solid #ddd; } .table > caption + thead > tr:first-child > th, .table > colgroup + thead > tr:first-child > th, .table > thead:first-child > tr:first-child > th, .table > caption + thead > tr:first-child > td, .table > colgroup + thead > tr:first-child > td, .table > thead:first-child > tr:first-child > td { border-top: 0; } .table > tbody + tbody { border-top: 2px solid #ddd; } .table .table { background-color: #fff; } .table-condensed > thead > tr > th, .table-condensed > tbody > tr > th, .table-condensed > tfoot > tr > th, .table-condensed > thead > tr > td, .table-condensed > tbody > tr > td, .table-condensed > tfoot > tr > td { padding: 5px; } .table-bordered { border: 1px solid #ddd; } .table-bordered > thead > tr > th, .table-bordered > tbody > tr > th, .table-bordered > tfoot > tr > th, .table-bordered > thead > tr > td, .table-bordered > tbody > tr > td, .table-bordered > tfoot > tr > td { border: 1px solid #ddd; } .table-bordered > thead > tr > th, .table-bordered > thead > tr > td { border-bottom-width: 2px; } .table-striped > tbody > tr:nth-child(odd) > td, .table-striped > tbody > tr:nth-child(odd) > th { background-color: #f9f9f9; } .table-hover > tbody > tr:hover > td, .table-hover > tbody > tr:hover > th { background-color: #f5f5f5; } table col[class*="col-"] { position: static; display: table-column; float: none; } table td[class*="col-"], table th[class*="col-"] { position: static; display: table-cell; float: none; } .table > thead > tr > td.active, .table > tbody > tr > td.active, .table > tfoot > tr > td.active, .table > thead > tr > th.active, .table > tbody > tr > th.active, .table > tfoot > tr > th.active, .table > thead > tr.active > td, .table > tbody > tr.active > td, .table > tfoot > tr.active > td, .table > thead > tr.active > th, .table > tbody > tr.active > th, .table > tfoot > tr.active > th { background-color: #f5f5f5; } .table-hover > tbody > tr > td.active:hover, .table-hover > tbody > tr > th.active:hover, .table-hover > tbody > tr.active:hover > td, .table-hover > tbody > tr.active:hover > th { background-color: #e8e8e8; } .table > thead > tr > td.success, .table > tbody > tr > td.success, .table > tfoot > tr > td.success, .table > thead > tr > th.success, .table > tbody > tr > th.success, .table > tfoot > tr > th.success, .table > thead > tr.success > td, .table > tbody > tr.success > td, .table > tfoot > tr.success > td, .table > thead > tr.success > th, .table > tbody > tr.success > th, .table > tfoot > tr.success > th { background-color: #dff0d8; } .table-hover > tbody > tr > td.success:hover, .table-hover > tbody > tr > th.success:hover, .table-hover > tbody > tr.success:hover > td, .table-hover > tbody > tr.success:hover > th { background-color: #d0e9c6; } .table > thead > tr > td.info, .table > tbody > tr > td.info, .table > tfoot > tr > td.info, .table > thead > tr > th.info, .table > tbody > tr > th.info, .table > tfoot > tr > th.info, .table > thead > tr.info > td, .table > tbody > tr.info > td, .table > tfoot > tr.info > td, .table > thead > tr.info > th, .table > tbody > tr.info > th, .table > tfoot > tr.info > th { background-color: #d9edf7; } .table-hover > tbody > tr > td.info:hover, .table-hover > tbody > tr > th.info:hover, .table-hover > tbody > tr.info:hover > td, .table-hover > tbody > tr.info:hover > th { background-color: #c4e3f3; } .table > thead > tr > td.warning, .table > tbody > tr > td.warning, .table > tfoot > tr > td.warning, .table > thead > tr > th.warning, .table > tbody > tr > th.warning, .table > tfoot > tr > th.warning, .table > thead > tr.warning > td, .table > tbody > tr.warning > td, .table > tfoot > tr.warning > td, .table > thead > tr.warning > th, .table > tbody > tr.warning > th, .table > tfoot > tr.warning > th { background-color: #fcf8e3; } .table-hover > tbody > tr > td.warning:hover, .table-hover > tbody > tr > th.warning:hover, .table-hover > tbody > tr.warning:hover > td, .table-hover > tbody > tr.warning:hover > th { background-color: #faf2cc; } .table > thead > tr > td.danger, .table > tbody > tr > td.danger, .table > tfoot > tr > td.danger, .table > thead > tr > th.danger, .table > tbody > tr > th.danger, .table > tfoot > tr > th.danger, .table > thead > tr.danger > td, .table > tbody > tr.danger > td, .table > tfoot > tr.danger > td, .table > thead > tr.danger > th, .table > tbody > tr.danger > th, .table > tfoot > tr.danger > th { background-color: #f2dede; } .table-hover > tbody > tr > td.danger:hover, .table-hover > tbody > tr > th.danger:hover, .table-hover > tbody > tr.danger:hover > td, .table-hover > tbody > tr.danger:hover > th { background-color: #ebcccc; } @media (max-width: 767px) { .table-responsive { width: 100%; margin-bottom: 15px; overflow-x: scroll; overflow-y: hidden; -webkit-overflow-scrolling: touch; -ms-overflow-style: -ms-autohiding-scrollbar; border: 1px solid #ddd; } .table-responsive > .table { margin-bottom: 0; } .table-responsive > .table > thead > tr > th, .table-responsive > .table > tbody > tr > th, .table-responsive > .table > tfoot > tr > th, .table-responsive > .table > thead > tr > td, .table-responsive > .table > tbody > tr > td, .table-responsive > .table > tfoot > tr > td { white-space: nowrap; } .table-responsive > .table-bordered { border: 0; } .table-responsive > .table-bordered > thead > tr > th:first-child, .table-responsive > .table-bordered > tbody > tr > th:first-child, .table-responsive > .table-bordered > tfoot > tr > th:first-child, .table-responsive > .table-bordered > thead > tr > td:first-child, .table-responsive > .table-bordered > tbody > tr > td:first-child, .table-responsive > .table-bordered > tfoot > tr > td:first-child { border-left: 0; } .table-responsive > .table-bordered > thead > tr > th:last-child, .table-responsive > .table-bordered > tbody > tr > th:last-child, .table-responsive > .table-bordered > tfoot > tr > th:last-child, .table-responsive > .table-bordered > thead > tr > td:last-child, .table-responsive > .table-bordered > tbody > tr > td:last-child, .table-responsive > .table-bordered > tfoot > tr > td:last-child { border-right: 0; } .table-responsive > .table-bordered > tbody > tr:last-child > th, .table-responsive > .table-bordered > tfoot > tr:last-child > th, .table-responsive > .table-bordered > tbody > tr:last-child > td, .table-responsive > .table-bordered > tfoot > tr:last-child > td { border-bottom: 0; } } fieldset { min-width: 0; padding: 0; margin: 0; border: 0; } legend { display: block; width: 100%; padding: 0; margin-bottom: 20px; font-size: 21px; line-height: inherit; color: #333; border: 0; border-bottom: 1px solid #e5e5e5; } label { display: inline-block; margin-bottom: 5px; font-weight: bold; } input[type="search"] { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } input[type="radio"], input[type="checkbox"] { margin: 4px 0 0; margin-top: 1px \9; /* IE8-9 */ line-height: normal; } input[type="file"] { display: block; } input[type="range"] { display: block; width: 100%; } select[multiple], select[size] { height: auto; } input[type="file"]:focus, input[type="radio"]:focus, input[type="checkbox"]:focus { outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } output { display: block; padding-top: 7px; font-size: 14px; line-height: 1.428571429; color: #555; } .form-control { display: block; width: 100%; height: 34px; padding: 6px 12px; font-size: 14px; line-height: 1.428571429; color: #555; background-color: #fff; background-image: none; border: 1px solid #ccc; border-radius: 4px; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); -webkit-transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s; transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s; } .form-control:focus { border-color: #66afe9; outline: 0; -webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(102, 175, 233, .6); box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(102, 175, 233, .6); } .form-control:-moz-placeholder { color: #999; } .form-control::-moz-placeholder { color: #999; opacity: 1; } .form-control:-ms-input-placeholder { color: #999; } .form-control::-webkit-input-placeholder { color: #999; } .form-control[disabled], .form-control[readonly], fieldset[disabled] .form-control { cursor: not-allowed; background-color: #eee; opacity: 1; } textarea.form-control { height: auto; } input[type="date"] { line-height: 34px; } .form-group { margin-bottom: 15px; } .radio, .checkbox { display: block; min-height: 20px; padding-left: 20px; margin-top: 10px; margin-bottom: 10px; } .radio label, .checkbox label { display: inline; font-weight: normal; cursor: pointer; } .radio input[type="radio"], .radio-inline input[type="radio"], .checkbox input[type="checkbox"], .checkbox-inline input[type="checkbox"] { float: left; margin-left: -20px; } .radio + .radio, .checkbox + .checkbox { margin-top: -5px; } .radio-inline, .checkbox-inline { display: inline-block; padding-left: 20px; margin-bottom: 0; font-weight: normal; vertical-align: middle; cursor: pointer; } .radio-inline + .radio-inline, .checkbox-inline + .checkbox-inline { margin-top: 0; margin-left: 10px; } input[type="radio"][disabled], input[type="checkbox"][disabled], .radio[disabled], .radio-inline[disabled], .checkbox[disabled], .checkbox-inline[disabled], fieldset[disabled] input[type="radio"], fieldset[disabled] input[type="checkbox"], fieldset[disabled] .radio, fieldset[disabled] .radio-inline, fieldset[disabled] .checkbox, fieldset[disabled] .checkbox-inline { cursor: not-allowed; } .input-sm { height: 30px; padding: 5px 10px; font-size: 12px; line-height: 1.5; border-radius: 3px; } select.input-sm { height: 30px; line-height: 30px; } textarea.input-sm, select[multiple].input-sm { height: auto; } .input-lg { height: 46px; padding: 10px 16px; font-size: 18px; line-height: 1.33; border-radius: 6px; } select.input-lg { height: 46px; line-height: 46px; } textarea.input-lg, select[multiple].input-lg { height: auto; } .has-feedback { position: relative; } .has-feedback .form-control { padding-right: 42.5px; } .has-feedback .form-control-feedback { position: absolute; top: 25px; right: 0; display: block; width: 34px; height: 34px; line-height: 34px; text-align: center; } .has-success .help-block, .has-success .control-label, .has-success .radio, .has-success .checkbox, .has-success .radio-inline, .has-success .checkbox-inline { color: #3c763d; } .has-success .form-control { border-color: #3c763d; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); } .has-success .form-control:focus { border-color: #2b542c; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168; box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168; } .has-success .input-group-addon { color: #3c763d; background-color: #dff0d8; border-color: #3c763d; } .has-success .form-control-feedback { color: #3c763d; } .has-warning .help-block, .has-warning .control-label, .has-warning .radio, .has-warning .checkbox, .has-warning .radio-inline, .has-warning .checkbox-inline { color: #8a6d3b; } .has-warning .form-control { border-color: #8a6d3b; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); } .has-warning .form-control:focus { border-color: #66512c; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b; box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b; } .has-warning .input-group-addon { color: #8a6d3b; background-color: #fcf8e3; border-color: #8a6d3b; } .has-warning .form-control-feedback { color: #8a6d3b; } .has-error .help-block, .has-error .control-label, .has-error .radio, .has-error .checkbox, .has-error .radio-inline, .has-error .checkbox-inline { color: #a94442; } .has-error .form-control { border-color: #a94442; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075); } .has-error .form-control:focus { border-color: #843534; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483; box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483; } .has-error .input-group-addon { color: #a94442; background-color: #f2dede; border-color: #a94442; } .has-error .form-control-feedback { color: #a94442; } .form-control-static { margin-bottom: 0; } .help-block { display: block; margin-top: 5px; margin-bottom: 10px; color: #737373; } @media (min-width: 768px) { .form-inline .form-group { display: inline-block; margin-bottom: 0; vertical-align: middle; } .form-inline .form-control { display: inline-block; width: auto; vertical-align: middle; } .form-inline .control-label { margin-bottom: 0; vertical-align: middle; } .form-inline .radio, .form-inline .checkbox { display: inline-block; padding-left: 0; margin-top: 0; margin-bottom: 0; vertical-align: middle; } .form-inline .radio input[type="radio"], .form-inline .checkbox input[type="checkbox"] { float: none; margin-left: 0; } .form-inline .has-feedback .form-control-feedback { top: 0; } } .form-horizontal .control-label, .form-horizontal .radio, .form-horizontal .checkbox, .form-horizontal .radio-inline, .form-horizontal .checkbox-inline { padding-top: 7px; margin-top: 0; margin-bottom: 0; } .form-horizontal .radio, .form-horizontal .checkbox { min-height: 27px; } .form-horizontal .form-group { margin-right: -15px; margin-left: -15px; } .form-horizontal .form-control-static { padding-top: 7px; } @media (min-width: 768px) { .form-horizontal .control-label { text-align: right; } } .form-horizontal .has-feedback .form-control-feedback { top: 0; right: 15px; } .btn { display: inline-block; padding: 6px 12px; margin-bottom: 0; font-size: 14px; font-weight: normal; line-height: 1.428571429; text-align: center; white-space: nowrap; vertical-align: middle; cursor: pointer; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; -o-user-select: none; user-select: none; background-image: none; border: 1px solid transparent; border-radius: 4px; } .btn:focus { outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } .btn:hover, .btn:focus { color: #333; text-decoration: none; } .btn:active, .btn.active { background-image: none; outline: 0; -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125); box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125); } .btn.disabled, .btn[disabled], fieldset[disabled] .btn { pointer-events: none; cursor: not-allowed; filter: alpha(opacity=65); -webkit-box-shadow: none; box-shadow: none; opacity: .65; } .btn-default { color: #333; background-color: #fff; border-color: #ccc; } .btn-default:hover, .btn-default:focus, .btn-default:active, .btn-default.active, .open .dropdown-toggle.btn-default { color: #333; background-color: #ebebeb; border-color: #adadad; } .btn-default:active, .btn-default.active, .open .dropdown-toggle.btn-default { background-image: none; } .btn-default.disabled, .btn-default[disabled], fieldset[disabled] .btn-default, .btn-default.disabled:hover, .btn-default[disabled]:hover, fieldset[disabled] .btn-default:hover, .btn-default.disabled:focus, .btn-default[disabled]:focus, fieldset[disabled] .btn-default:focus, .btn-default.disabled:active, .btn-default[disabled]:active, fieldset[disabled] .btn-default:active, .btn-default.disabled.active, .btn-default[disabled].active, fieldset[disabled] .btn-default.active { background-color: #fff; border-color: #ccc; } .btn-default .badge { color: #fff; background-color: #333; } .btn-primary { color: #fff; background-color: #428bca; border-color: #357ebd; } .btn-primary:hover, .btn-primary:focus, .btn-primary:active, .btn-primary.active, .open .dropdown-toggle.btn-primary { color: #fff; background-color: #3276b1; border-color: #285e8e; } .btn-primary:active, .btn-primary.active, .open .dropdown-toggle.btn-primary { background-image: none; } .btn-primary.disabled, .btn-primary[disabled], fieldset[disabled] .btn-primary, .btn-primary.disabled:hover, .btn-primary[disabled]:hover, fieldset[disabled] .btn-primary:hover, .btn-primary.disabled:focus, .btn-primary[disabled]:focus, fieldset[disabled] .btn-primary:focus, .btn-primary.disabled:active, .btn-primary[disabled]:active, fieldset[disabled] .btn-primary:active, .btn-primary.disabled.active, .btn-primary[disabled].active, fieldset[disabled] .btn-primary.active { background-color: #428bca; border-color: #357ebd; } .btn-primary .badge { color: #428bca; background-color: #fff; } .btn-success { color: #fff; background-color: #5cb85c; border-color: #4cae4c; } .btn-success:hover, .btn-success:focus, .btn-success:active, .btn-success.active, .open .dropdown-toggle.btn-success { color: #fff; background-color: #47a447; border-color: #398439; } .btn-success:active, .btn-success.active, .open .dropdown-toggle.btn-success { background-image: none; } .btn-success.disabled, .btn-success[disabled], fieldset[disabled] .btn-success, .btn-success.disabled:hover, .btn-success[disabled]:hover, fieldset[disabled] .btn-success:hover, .btn-success.disabled:focus, .btn-success[disabled]:focus, fieldset[disabled] .btn-success:focus, .btn-success.disabled:active, .btn-success[disabled]:active, fieldset[disabled] .btn-success:active, .btn-success.disabled.active, .btn-success[disabled].active, fieldset[disabled] .btn-success.active { background-color: #5cb85c; border-color: #4cae4c; } .btn-success .badge { color: #5cb85c; background-color: #fff; } .btn-info { color: #fff; background-color: #5bc0de; border-color: #46b8da; } .btn-info:hover, .btn-info:focus, .btn-info:active, .btn-info.active, .open .dropdown-toggle.btn-info { color: #fff; background-color: #39b3d7; border-color: #269abc; } .btn-info:active, .btn-info.active, .open .dropdown-toggle.btn-info { background-image: none; } .btn-info.disabled, .btn-info[disabled], fieldset[disabled] .btn-info, .btn-info.disabled:hover, .btn-info[disabled]:hover, fieldset[disabled] .btn-info:hover, .btn-info.disabled:focus, .btn-info[disabled]:focus, fieldset[disabled] .btn-info:focus, .btn-info.disabled:active, .btn-info[disabled]:active, fieldset[disabled] .btn-info:active, .btn-info.disabled.active, .btn-info[disabled].active, fieldset[disabled] .btn-info.active { background-color: #5bc0de; border-color: #46b8da; } .btn-info .badge { color: #5bc0de; background-color: #fff; } .btn-warning { color: #fff; background-color: #f0ad4e; border-color: #eea236; } .btn-warning:hover, .btn-warning:focus, .btn-warning:active, .btn-warning.active, .open .dropdown-toggle.btn-warning { color: #fff; background-color: #ed9c28; border-color: #d58512; } .btn-warning:active, .btn-warning.active, .open .dropdown-toggle.btn-warning { background-image: none; } .btn-warning.disabled, .btn-warning[disabled], fieldset[disabled] .btn-warning, .btn-warning.disabled:hover, .btn-warning[disabled]:hover, fieldset[disabled] .btn-warning:hover, .btn-warning.disabled:focus, .btn-warning[disabled]:focus, fieldset[disabled] .btn-warning:focus, .btn-warning.disabled:active, .btn-warning[disabled]:active, fieldset[disabled] .btn-warning:active, .btn-warning.disabled.active, .btn-warning[disabled].active, fieldset[disabled] .btn-warning.active { background-color: #f0ad4e; border-color: #eea236; } .btn-warning .badge { color: #f0ad4e; background-color: #fff; } .btn-danger { color: #fff; background-color: #d9534f; border-color: #d43f3a; } .btn-danger:hover, .btn-danger:focus, .btn-danger:active, .btn-danger.active, .open .dropdown-toggle.btn-danger { color: #fff; background-color: #d2322d; border-color: #ac2925; } .btn-danger:active, .btn-danger.active, .open .dropdown-toggle.btn-danger { background-image: none; } .btn-danger.disabled, .btn-danger[disabled], fieldset[disabled] .btn-danger, .btn-danger.disabled:hover, .btn-danger[disabled]:hover, fieldset[disabled] .btn-danger:hover, .btn-danger.disabled:focus, .btn-danger[disabled]:focus, fieldset[disabled] .btn-danger:focus, .btn-danger.disabled:active, .btn-danger[disabled]:active, fieldset[disabled] .btn-danger:active, .btn-danger.disabled.active, .btn-danger[disabled].active, fieldset[disabled] .btn-danger.active { background-color: #d9534f; border-color: #d43f3a; } .btn-danger .badge { color: #d9534f; background-color: #fff; } .btn-link { font-weight: normal; color: #428bca; cursor: pointer; border-radius: 0; } .btn-link, .btn-link:active, .btn-link[disabled], fieldset[disabled] .btn-link { background-color: transparent; -webkit-box-shadow: none; box-shadow: none; } .btn-link, .btn-link:hover, .btn-link:focus, .btn-link:active { border-color: transparent; } .btn-link:hover, .btn-link:focus { color: #2a6496; text-decoration: underline; background-color: transparent; } .btn-link[disabled]:hover, fieldset[disabled] .btn-link:hover, .btn-link[disabled]:focus, fieldset[disabled] .btn-link:focus { color: #999; text-decoration: none; } .btn-lg { padding: 10px 16px; font-size: 18px; line-height: 1.33; border-radius: 6px; } .btn-sm { padding: 5px 10px; font-size: 12px; line-height: 1.5; border-radius: 3px; } .btn-xs { padding: 1px 5px; font-size: 12px; line-height: 1.5; border-radius: 3px; } .btn-block { display: block; width: 100%; padding-right: 0; padding-left: 0; } .btn-block + .btn-block { margin-top: 5px; } input[type="submit"].btn-block, input[type="reset"].btn-block, input[type="button"].btn-block { width: 100%; } .fade { opacity: 0; -webkit-transition: opacity .15s linear; transition: opacity .15s linear; } .fade.in { opacity: 1; } .collapse { display: none; } .collapse.in { display: block; } .collapsing { position: relative; height: 0; overflow: hidden; -webkit-transition: height .35s ease; transition: height .35s ease; } @font-face { font-family: 'Glyphicons Halflings'; src: url('../fonts/glyphicons-halflings-regular.eot'); src: url('../fonts/glyphicons-halflings-regulard41d.eot?#iefix') format('embedded-opentype'), url('../fonts/glyphicons-halflings-regular.woff') format('woff'), url('../fonts/glyphicons-halflings-regular.ttf') format('truetype'), url('../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular') format('svg'); } .glyphicon { position: relative; top: 1px; display: inline-block; font-family: 'Glyphicons Halflings'; font-style: normal; font-weight: normal; line-height: 1; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; } .glyphicon-asterisk:before { content: "\2a"; } .glyphicon-plus:before { content: "\2b"; } .glyphicon-euro:before { content: "\20ac"; } .glyphicon-minus:before { content: "\2212"; } .glyphicon-cloud:before { content: "\2601"; } .glyphicon-envelope:before { content: "\2709"; } .glyphicon-pencil:before { content: "\270f"; } .glyphicon-glass:before { content: "\e001"; } .glyphicon-music:before { content: "\e002"; } .glyphicon-search:before { content: "\e003"; } .glyphicon-heart:before { content: "\e005"; } .glyphicon-star:before { content: "\e006"; } .glyphicon-star-empty:before { content: "\e007"; } .glyphicon-user:before { content: "\e008"; } .glyphicon-film:before { content: "\e009"; } .glyphicon-th-large:before { content: "\e010"; } .glyphicon-th:before { content: "\e011"; } .glyphicon-th-list:before { content: "\e012"; } .glyphicon-ok:before { content: "\e013"; } .glyphicon-remove:before { content: "\e014"; } .glyphicon-zoom-in:before { content: "\e015"; } .glyphicon-zoom-out:before { content: "\e016"; } .glyphicon-off:before { content: "\e017"; } .glyphicon-signal:before { content: "\e018"; } .glyphicon-cog:before { content: "\e019"; } .glyphicon-trash:before { content: "\e020"; } .glyphicon-home:before { content: "\e021"; } .glyphicon-file:before { content: "\e022"; } .glyphicon-time:before { content: "\e023"; } .glyphicon-road:before { content: "\e024"; } .glyphicon-download-alt:before { content: "\e025"; } .glyphicon-download:before { content: "\e026"; } .glyphicon-upload:before { content: "\e027"; } .glyphicon-inbox:before { content: "\e028"; } .glyphicon-play-circle:before { content: "\e029"; } .glyphicon-repeat:before { content: "\e030"; } .glyphicon-refresh:before { content: "\e031"; } .glyphicon-list-alt:before { content: "\e032"; } .glyphicon-lock:before { content: "\e033"; } .glyphicon-flag:before { content: "\e034"; } .glyphicon-headphones:before { content: "\e035"; } .glyphicon-volume-off:before { content: "\e036"; } .glyphicon-volume-down:before { content: "\e037"; } .glyphicon-volume-up:before { content: "\e038"; } .glyphicon-qrcode:before { content: "\e039"; } .glyphicon-barcode:before { content: "\e040"; } .glyphicon-tag:before { content: "\e041"; } .glyphicon-tags:before { content: "\e042"; } .glyphicon-book:before { content: "\e043"; } .glyphicon-bookmark:before { content: "\e044"; } .glyphicon-print:before { content: "\e045"; } .glyphicon-camera:before { content: "\e046"; } .glyphicon-font:before { content: "\e047"; } .glyphicon-bold:before { content: "\e048"; } .glyphicon-italic:before { content: "\e049"; } .glyphicon-text-height:before { content: "\e050"; } .glyphicon-text-width:before { content: "\e051"; } .glyphicon-align-left:before { content: "\e052"; } .glyphicon-align-center:before { content: "\e053"; } .glyphicon-align-right:before { content: "\e054"; } .glyphicon-align-justify:before { content: "\e055"; } .glyphicon-list:before { content: "\e056"; } .glyphicon-indent-left:before { content: "\e057"; } .glyphicon-indent-right:before { content: "\e058"; } .glyphicon-facetime-video:before { content: "\e059"; } .glyphicon-picture:before { content: "\e060"; } .glyphicon-map-marker:before { content: "\e062"; } .glyphicon-adjust:before { content: "\e063"; } .glyphicon-tint:before { content: "\e064"; } .glyphicon-edit:before { content: "\e065"; } .glyphicon-share:before { content: "\e066"; } .glyphicon-check:before { content: "\e067"; } .glyphicon-move:before { content: "\e068"; } .glyphicon-step-backward:before { content: "\e069"; } .glyphicon-fast-backward:before { content: "\e070"; } .glyphicon-backward:before { content: "\e071"; } .glyphicon-play:before { content: "\e072"; } .glyphicon-pause:before { content: "\e073"; } .glyphicon-stop:before { content: "\e074"; } .glyphicon-forward:before { content: "\e075"; } .glyphicon-fast-forward:before { content: "\e076"; } .glyphicon-step-forward:before { content: "\e077"; } .glyphicon-eject:before { content: "\e078"; } .glyphicon-chevron-left:before { content: "\e079"; } .glyphicon-chevron-right:before { content: "\e080"; } .glyphicon-plus-sign:before { content: "\e081"; } .glyphicon-minus-sign:before { content: "\e082"; } .glyphicon-remove-sign:before { content: "\e083"; } .glyphicon-ok-sign:before { content: "\e084"; } .glyphicon-question-sign:before { content: "\e085"; } .glyphicon-info-sign:before { content: "\e086"; } .glyphicon-screenshot:before { content: "\e087"; } .glyphicon-remove-circle:before { content: "\e088"; } .glyphicon-ok-circle:before { content: "\e089"; } .glyphicon-ban-circle:before { content: "\e090"; } .glyphicon-arrow-left:before { content: "\e091"; } .glyphicon-arrow-right:before { content: "\e092"; } .glyphicon-arrow-up:before { content: "\e093"; } .glyphicon-arrow-down:before { content: "\e094"; } .glyphicon-share-alt:before { content: "\e095"; } .glyphicon-resize-full:before { content: "\e096"; } .glyphicon-resize-small:before { content: "\e097"; } .glyphicon-exclamation-sign:before { content: "\e101"; } .glyphicon-gift:before { content: "\e102"; } .glyphicon-leaf:before { content: "\e103"; } .glyphicon-fire:before { content: "\e104"; } .glyphicon-eye-open:before { content: "\e105"; } .glyphicon-eye-close:before { content: "\e106"; } .glyphicon-warning-sign:before { content: "\e107"; } .glyphicon-plane:before { content: "\e108"; } .glyphicon-calendar:before { content: "\e109"; } .glyphicon-random:before { content: "\e110"; } .glyphicon-comment:before { content: "\e111"; } .glyphicon-magnet:before { content: "\e112"; } .glyphicon-chevron-up:before { content: "\e113"; } .glyphicon-chevron-down:before { content: "\e114"; } .glyphicon-retweet:before { content: "\e115"; } .glyphicon-shopping-cart:before { content: "\e116"; } .glyphicon-folder-close:before { content: "\e117"; } .glyphicon-folder-open:before { content: "\e118"; } .glyphicon-resize-vertical:before { content: "\e119"; } .glyphicon-resize-horizontal:before { content: "\e120"; } .glyphicon-hdd:before { content: "\e121"; } .glyphicon-bullhorn:before { content: "\e122"; } .glyphicon-bell:before { content: "\e123"; } .glyphicon-certificate:before { content: "\e124"; } .glyphicon-thumbs-up:before { content: "\e125"; } .glyphicon-thumbs-down:before { content: "\e126"; } .glyphicon-hand-right:before { content: "\e127"; } .glyphicon-hand-left:before { content: "\e128"; } .glyphicon-hand-up:before { content: "\e129"; } .glyphicon-hand-down:before { content: "\e130"; } .glyphicon-circle-arrow-right:before { content: "\e131"; } .glyphicon-circle-arrow-left:before { content: "\e132"; } .glyphicon-circle-arrow-up:before { content: "\e133"; } .glyphicon-circle-arrow-down:before { content: "\e134"; } .glyphicon-globe:before { content: "\e135"; } .glyphicon-wrench:before { content: "\e136"; } .glyphicon-tasks:before { content: "\e137"; } .glyphicon-filter:before { content: "\e138"; } .glyphicon-briefcase:before { content: "\e139"; } .glyphicon-fullscreen:before { content: "\e140"; } .glyphicon-dashboard:before { content: "\e141"; } .glyphicon-paperclip:before { content: "\e142"; } .glyphicon-heart-empty:before { content: "\e143"; } .glyphicon-link:before { content: "\e144"; } .glyphicon-phone:before { content: "\e145"; } .glyphicon-pushpin:before { content: "\e146"; } .glyphicon-usd:before { content: "\e148"; } .glyphicon-gbp:before { content: "\e149"; } .glyphicon-sort:before { content: "\e150"; } .glyphicon-sort-by-alphabet:before { content: "\e151"; } .glyphicon-sort-by-alphabet-alt:before { content: "\e152"; } .glyphicon-sort-by-order:before { content: "\e153"; } .glyphicon-sort-by-order-alt:before { content: "\e154"; } .glyphicon-sort-by-attributes:before { content: "\e155"; } .glyphicon-sort-by-attributes-alt:before { content: "\e156"; } .glyphicon-unchecked:before { content: "\e157"; } .glyphicon-expand:before { content: "\e158"; } .glyphicon-collapse-down:before { content: "\e159"; } .glyphicon-collapse-up:before { content: "\e160"; } .glyphicon-log-in:before { content: "\e161"; } .glyphicon-flash:before { content: "\e162"; } .glyphicon-log-out:before { content: "\e163"; } .glyphicon-new-window:before { content: "\e164"; } .glyphicon-record:before { content: "\e165"; } .glyphicon-save:before { content: "\e166"; } .glyphicon-open:before { content: "\e167"; } .glyphicon-saved:before { content: "\e168"; } .glyphicon-import:before { content: "\e169"; } .glyphicon-export:before { content: "\e170"; } .glyphicon-send:before { content: "\e171"; } .glyphicon-floppy-disk:before { content: "\e172"; } .glyphicon-floppy-saved:before { content: "\e173"; } .glyphicon-floppy-remove:before { content: "\e174"; } .glyphicon-floppy-save:before { content: "\e175"; } .glyphicon-floppy-open:before { content: "\e176"; } .glyphicon-credit-card:before { content: "\e177"; } .glyphicon-transfer:before { content: "\e178"; } .glyphicon-cutlery:before { content: "\e179"; } .glyphicon-header:before { content: "\e180"; } .glyphicon-compressed:before { content: "\e181"; } .glyphicon-earphone:before { content: "\e182"; } .glyphicon-phone-alt:before { content: "\e183"; } .glyphicon-tower:before { content: "\e184"; } .glyphicon-stats:before { content: "\e185"; } .glyphicon-sd-video:before { content: "\e186"; } .glyphicon-hd-video:before { content: "\e187"; } .glyphicon-subtitles:before { content: "\e188"; } .glyphicon-sound-stereo:before { content: "\e189"; } .glyphicon-sound-dolby:before { content: "\e190"; } .glyphicon-sound-5-1:before { content: "\e191"; } .glyphicon-sound-6-1:before { content: "\e192"; } .glyphicon-sound-7-1:before { content: "\e193"; } .glyphicon-copyright-mark:before { content: "\e194"; } .glyphicon-registration-mark:before { content: "\e195"; } .glyphicon-cloud-download:before { content: "\e197"; } .glyphicon-cloud-upload:before { content: "\e198"; } .glyphicon-tree-conifer:before { content: "\e199"; } .glyphicon-tree-deciduous:before { content: "\e200"; } .caret { display: inline-block; width: 0; height: 0; margin-left: 2px; vertical-align: middle; border-top: 4px solid; border-right: 4px solid transparent; border-left: 4px solid transparent; } .dropdown { position: relative; } .dropdown-toggle:focus { outline: 0; } .dropdown-menu { position: absolute; top: 100%; left: 0; z-index: 1000; display: none; float: left; min-width: 160px; padding: 5px 0; margin: 2px 0 0; font-size: 14px; list-style: none; background-color: #fff; background-clip: padding-box; border: 1px solid #ccc; border: 1px solid rgba(0, 0, 0, .15); border-radius: 4px; -webkit-box-shadow: 0 6px 12px rgba(0, 0, 0, .175); box-shadow: 0 6px 12px rgba(0, 0, 0, .175); } .dropdown-menu.pull-right { right: 0; left: auto; } .dropdown-menu .divider { height: 1px; margin: 9px 0; overflow: hidden; background-color: #e5e5e5; } .dropdown-menu > li > a { display: block; padding: 3px 20px; clear: both; font-weight: normal; line-height: 1.428571429; color: #333; white-space: nowrap; } .dropdown-menu > li > a:hover, .dropdown-menu > li > a:focus { color: #262626; text-decoration: none; background-color: #f5f5f5; } .dropdown-menu > .active > a, .dropdown-menu > .active > a:hover, .dropdown-menu > .active > a:focus { color: #fff; text-decoration: none; background-color: #428bca; outline: 0; } .dropdown-menu > .disabled > a, .dropdown-menu > .disabled > a:hover, .dropdown-menu > .disabled > a:focus { color: #999; } .dropdown-menu > .disabled > a:hover, .dropdown-menu > .disabled > a:focus { text-decoration: none; cursor: not-allowed; background-color: transparent; background-image: none; filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .open > .dropdown-menu { display: block; } .open > a { outline: 0; } .dropdown-menu-right { right: 0; left: auto; } .dropdown-menu-left { right: auto; left: 0; } .dropdown-header { display: block; padding: 3px 20px; font-size: 12px; line-height: 1.428571429; color: #999; } .dropdown-backdrop { position: fixed; top: 0; right: 0; bottom: 0; left: 0; z-index: 990; } .pull-right > .dropdown-menu { right: 0; left: auto; } .dropup .caret, .navbar-fixed-bottom .dropdown .caret { content: ""; border-top: 0; border-bottom: 4px solid; } .dropup .dropdown-menu, .navbar-fixed-bottom .dropdown .dropdown-menu { top: auto; bottom: 100%; margin-bottom: 1px; } @media (min-width: 768px) { .navbar-right .dropdown-menu { right: 0; left: auto; } .navbar-right .dropdown-menu-left { right: auto; left: 0; } } .btn-group, .btn-group-vertical { position: relative; display: inline-block; vertical-align: middle; } .btn-group > .btn, .btn-group-vertical > .btn { position: relative; float: left; } .btn-group > .btn:hover, .btn-group-vertical > .btn:hover, .btn-group > .btn:focus, .btn-group-vertical > .btn:focus, .btn-group > .btn:active, .btn-group-vertical > .btn:active, .btn-group > .btn.active, .btn-group-vertical > .btn.active { z-index: 2; } .btn-group > .btn:focus, .btn-group-vertical > .btn:focus { outline: none; } .btn-group .btn + .btn, .btn-group .btn + .btn-group, .btn-group .btn-group + .btn, .btn-group .btn-group + .btn-group { margin-left: -1px; } .btn-toolbar { margin-left: -5px; } .btn-toolbar .btn-group, .btn-toolbar .input-group { float: left; } .btn-toolbar > .btn, .btn-toolbar > .btn-group, .btn-toolbar > .input-group { margin-left: 5px; } .btn-group > .btn:not(:first-child):not(:last-child):not(.dropdown-toggle) { border-radius: 0; } .btn-group > .btn:first-child { margin-left: 0; } .btn-group > .btn:first-child:not(:last-child):not(.dropdown-toggle) { border-top-right-radius: 0; border-bottom-right-radius: 0; } .btn-group > .btn:last-child:not(:first-child), .btn-group > .dropdown-toggle:not(:first-child) { border-top-left-radius: 0; border-bottom-left-radius: 0; } .btn-group > .btn-group { float: left; } .btn-group > .btn-group:not(:first-child):not(:last-child) > .btn { border-radius: 0; } .btn-group > .btn-group:first-child > .btn:last-child, .btn-group > .btn-group:first-child > .dropdown-toggle { border-top-right-radius: 0; border-bottom-right-radius: 0; } .btn-group > .btn-group:last-child > .btn:first-child { border-top-left-radius: 0; border-bottom-left-radius: 0; } .btn-group .dropdown-toggle:active, .btn-group.open .dropdown-toggle { outline: 0; } .btn-group-xs > .btn { padding: 1px 5px; font-size: 12px; line-height: 1.5; border-radius: 3px; } .btn-group-sm > .btn { padding: 5px 10px; font-size: 12px; line-height: 1.5; border-radius: 3px; } .btn-group-lg > .btn { padding: 10px 16px; font-size: 18px; line-height: 1.33; border-radius: 6px; } .btn-group > .btn + .dropdown-toggle { padding-right: 8px; padding-left: 8px; } .btn-group > .btn-lg + .dropdown-toggle { padding-right: 12px; padding-left: 12px; } .btn-group.open .dropdown-toggle { -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125); box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125); } .btn-group.open .dropdown-toggle.btn-link { -webkit-box-shadow: none; box-shadow: none; } .btn .caret { margin-left: 0; } .btn-lg .caret { border-width: 5px 5px 0; border-bottom-width: 0; } .dropup .btn-lg .caret { border-width: 0 5px 5px; } .btn-group-vertical > .btn, .btn-group-vertical > .btn-group, .btn-group-vertical > .btn-group > .btn { display: block; float: none; width: 100%; max-width: 100%; } .btn-group-vertical > .btn-group > .btn { float: none; } .btn-group-vertical > .btn + .btn, .btn-group-vertical > .btn + .btn-group, .btn-group-vertical > .btn-group + .btn, .btn-group-vertical > .btn-group + .btn-group { margin-top: -1px; margin-left: 0; } .btn-group-vertical > .btn:not(:first-child):not(:last-child) { border-radius: 0; } .btn-group-vertical > .btn:first-child:not(:last-child) { border-top-right-radius: 4px; border-bottom-right-radius: 0; border-bottom-left-radius: 0; } .btn-group-vertical > .btn:last-child:not(:first-child) { border-top-left-radius: 0; border-top-right-radius: 0; border-bottom-left-radius: 4px; } .btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn { border-radius: 0; } .btn-group-vertical > .btn-group:first-child:not(:last-child) > .btn:last-child, .btn-group-vertical > .btn-group:first-child:not(:last-child) > .dropdown-toggle { border-bottom-right-radius: 0; border-bottom-left-radius: 0; } .btn-group-vertical > .btn-group:last-child:not(:first-child) > .btn:first-child { border-top-left-radius: 0; border-top-right-radius: 0; } .btn-group-justified { display: table; width: 100%; table-layout: fixed; border-collapse: separate; } .btn-group-justified > .btn, .btn-group-justified > .btn-group { display: table-cell; float: none; width: 1%; } .btn-group-justified > .btn-group .btn { width: 100%; } [data-toggle="buttons"] > .btn > input[type="radio"], [data-toggle="buttons"] > .btn > input[type="checkbox"] { display: none; } .input-group { position: relative; display: table; border-collapse: separate; } .input-group[class*="col-"] { float: none; padding-right: 0; padding-left: 0; } .input-group .form-control { float: left; width: 100%; margin-bottom: 0; } .input-group-lg > .form-control, .input-group-lg > .input-group-addon, .input-group-lg > .input-group-btn > .btn { height: 46px; padding: 10px 16px; font-size: 18px; line-height: 1.33; border-radius: 6px; } select.input-group-lg > .form-control, select.input-group-lg > .input-group-addon, select.input-group-lg > .input-group-btn > .btn { height: 46px; line-height: 46px; } textarea.input-group-lg > .form-control, textarea.input-group-lg > .input-group-addon, textarea.input-group-lg > .input-group-btn > .btn, select[multiple].input-group-lg > .form-control, select[multiple].input-group-lg > .input-group-addon, select[multiple].input-group-lg > .input-group-btn > .btn { height: auto; } .input-group-sm > .form-control, .input-group-sm > .input-group-addon, .input-group-sm > .input-group-btn > .btn { height: 30px; padding: 5px 10px; font-size: 12px; line-height: 1.5; border-radius: 3px; } select.input-group-sm > .form-control, select.input-group-sm > .input-group-addon, select.input-group-sm > .input-group-btn > .btn { height: 30px; line-height: 30px; } textarea.input-group-sm > .form-control, textarea.input-group-sm > .input-group-addon, textarea.input-group-sm > .input-group-btn > .btn, select[multiple].input-group-sm > .form-control, select[multiple].input-group-sm > .input-group-addon, select[multiple].input-group-sm > .input-group-btn > .btn { height: auto; } .input-group-addon, .input-group-btn, .input-group .form-control { display: table-cell; } .input-group-addon:not(:first-child):not(:last-child), .input-group-btn:not(:first-child):not(:last-child), .input-group .form-control:not(:first-child):not(:last-child) { border-radius: 0; } .input-group-addon, .input-group-btn { width: 1%; white-space: nowrap; vertical-align: middle; } .input-group-addon { padding: 6px 12px; font-size: 14px; font-weight: normal; line-height: 1; color: #555; text-align: center; background-color: #eee; border: 1px solid #ccc; border-radius: 4px; } .input-group-addon.input-sm { padding: 5px 10px; font-size: 12px; border-radius: 3px; } .input-group-addon.input-lg { padding: 10px 16px; font-size: 18px; border-radius: 6px; } .input-group-addon input[type="radio"], .input-group-addon input[type="checkbox"] { margin-top: 0; } .input-group .form-control:first-child, .input-group-addon:first-child, .input-group-btn:first-child > .btn, .input-group-btn:first-child > .btn-group > .btn, .input-group-btn:first-child > .dropdown-toggle, .input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle), .input-group-btn:last-child > .btn-group:not(:last-child) > .btn { border-top-right-radius: 0; border-bottom-right-radius: 0; } .input-group-addon:first-child { border-right: 0; } .input-group .form-control:last-child, .input-group-addon:last-child, .input-group-btn:last-child > .btn, .input-group-btn:last-child > .btn-group > .btn, .input-group-btn:last-child > .dropdown-toggle, .input-group-btn:first-child > .btn:not(:first-child), .input-group-btn:first-child > .btn-group:not(:first-child) > .btn { border-top-left-radius: 0; border-bottom-left-radius: 0; } .input-group-addon:last-child { border-left: 0; } .input-group-btn { position: relative; font-size: 0; white-space: nowrap; } .input-group-btn > .btn { position: relative; } .input-group-btn > .btn + .btn { margin-left: -1px; } .input-group-btn > .btn:hover, .input-group-btn > .btn:focus, .input-group-btn > .btn:active { z-index: 2; } .input-group-btn:first-child > .btn, .input-group-btn:first-child > .btn-group { margin-right: -1px; } .input-group-btn:last-child > .btn, .input-group-btn:last-child > .btn-group { margin-left: -1px; } .nav { padding-left: 0; margin-bottom: 0; list-style: none; } .nav > li { position: relative; display: block; } .nav > li > a { position: relative; display: block; padding: 10px 15px; } .nav > li > a:hover, .nav > li > a:focus { text-decoration: none; background-color: #eee; } .nav > li.disabled > a { color: #999; } .nav > li.disabled > a:hover, .nav > li.disabled > a:focus { color: #999; text-decoration: none; cursor: not-allowed; background-color: transparent; } .nav .open > a, .nav .open > a:hover, .nav .open > a:focus { background-color: #eee; border-color: #428bca; } .nav .nav-divider { height: 1px; margin: 9px 0; overflow: hidden; background-color: #e5e5e5; } .nav > li > a > img { max-width: none; } .nav-tabs { border-bottom: 1px solid #ddd; } .nav-tabs > li { float: left; margin-bottom: -1px; } .nav-tabs > li > a { margin-right: 2px; line-height: 1.428571429; border: 1px solid transparent; border-radius: 4px 4px 0 0; } .nav-tabs > li > a:hover { border-color: #eee #eee #ddd; } .nav-tabs > li.active > a, .nav-tabs > li.active > a:hover, .nav-tabs > li.active > a:focus { color: #555; cursor: default; background-color: #fff; border: 1px solid #ddd; border-bottom-color: transparent; } .nav-tabs.nav-justified { width: 100%; border-bottom: 0; } .nav-tabs.nav-justified > li { float: none; } .nav-tabs.nav-justified > li > a { margin-bottom: 5px; text-align: center; } .nav-tabs.nav-justified > .dropdown .dropdown-menu { top: auto; left: auto; } @media (min-width: 768px) { .nav-tabs.nav-justified > li { display: table-cell; width: 1%; } .nav-tabs.nav-justified > li > a { margin-bottom: 0; } } .nav-tabs.nav-justified > li > a { margin-right: 0; border-radius: 4px; } .nav-tabs.nav-justified > .active > a, .nav-tabs.nav-justified > .active > a:hover, .nav-tabs.nav-justified > .active > a:focus { border: 1px solid #ddd; } @media (min-width: 768px) { .nav-tabs.nav-justified > li > a { border-bottom: 1px solid #ddd; border-radius: 4px 4px 0 0; } .nav-tabs.nav-justified > .active > a, .nav-tabs.nav-justified > .active > a:hover, .nav-tabs.nav-justified > .active > a:focus { border-bottom-color: #fff; } } .nav-pills > li { float: left; } .nav-pills > li > a { border-radius: 4px; } .nav-pills > li + li { margin-left: 2px; } .nav-pills > li.active > a, .nav-pills > li.active > a:hover, .nav-pills > li.active > a:focus { color: #fff; background-color: #428bca; } .nav-stacked > li { float: none; } .nav-stacked > li + li { margin-top: 2px; margin-left: 0; } .nav-justified { width: 100%; } .nav-justified > li { float: none; } .nav-justified > li > a { margin-bottom: 5px; text-align: center; } .nav-justified > .dropdown .dropdown-menu { top: auto; left: auto; } @media (min-width: 768px) { .nav-justified > li { display: table-cell; width: 1%; } .nav-justified > li > a { margin-bottom: 0; } } .nav-tabs-justified { border-bottom: 0; } .nav-tabs-justified > li > a { margin-right: 0; border-radius: 4px; } .nav-tabs-justified > .active > a, .nav-tabs-justified > .active > a:hover, .nav-tabs-justified > .active > a:focus { border: 1px solid #ddd; } @media (min-width: 768px) { .nav-tabs-justified > li > a { border-bottom: 1px solid #ddd; border-radius: 4px 4px 0 0; } .nav-tabs-justified > .active > a, .nav-tabs-justified > .active > a:hover, .nav-tabs-justified > .active > a:focus { border-bottom-color: #fff; } } .tab-content > .tab-pane { display: none; } .tab-content > .active { display: block; } .nav-tabs .dropdown-menu { margin-top: -1px; border-top-left-radius: 0; border-top-right-radius: 0; } .navbar { position: relative; min-height: 50px; margin-bottom: 20px; border: 1px solid transparent; } @media (min-width: 768px) { .navbar { border-radius: 4px; } } @media (min-width: 768px) { .navbar-header { float: left; } } .navbar-collapse { max-height: 340px; padding-right: 15px; padding-left: 15px; overflow-x: visible; -webkit-overflow-scrolling: touch; border-top: 1px solid transparent; box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1); } .navbar-collapse.in { overflow-y: auto; } @media (min-width: 768px) { .navbar-collapse { width: auto; border-top: 0; box-shadow: none; } .navbar-collapse.collapse { display: block !important; height: auto !important; padding-bottom: 0; overflow: visible !important; } .navbar-collapse.in { overflow-y: visible; } .navbar-fixed-top .navbar-collapse, .navbar-static-top .navbar-collapse, .navbar-fixed-bottom .navbar-collapse { padding-right: 0; padding-left: 0; } } .container > .navbar-header, .container-fluid > .navbar-header, .container > .navbar-collapse, .container-fluid > .navbar-collapse { margin-right: -15px; margin-left: -15px; } @media (min-width: 768px) { .container > .navbar-header, .container-fluid > .navbar-header, .container > .navbar-collapse, .container-fluid > .navbar-collapse { margin-right: 0; margin-left: 0; } } .navbar-static-top { z-index: 1000; border-width: 0 0 1px; } @media (min-width: 768px) { .navbar-static-top { border-radius: 0; } } .navbar-fixed-top, .navbar-fixed-bottom { position: fixed; right: 0; left: 0; z-index: 1030; } @media (min-width: 768px) { .navbar-fixed-top, .navbar-fixed-bottom { border-radius: 0; } } .navbar-fixed-top { top: 0; border-width: 0 0 1px; } .navbar-fixed-bottom { bottom: 0; margin-bottom: 0; border-width: 1px 0 0; } .navbar-brand { float: left; height: 20px; padding: 15px 15px; font-size: 18px; line-height: 20px; } .navbar-brand:hover, .navbar-brand:focus { text-decoration: none; } @media (min-width: 768px) { .navbar > .container .navbar-brand, .navbar > .container-fluid .navbar-brand { margin-left: -15px; } } .navbar-toggle { position: relative; float: right; padding: 9px 10px; margin-top: 8px; margin-right: 15px; margin-bottom: 8px; background-color: transparent; background-image: none; border: 1px solid transparent; border-radius: 4px; } .navbar-toggle:focus { outline: none; } .navbar-toggle .icon-bar { display: block; width: 22px; height: 2px; border-radius: 1px; } .navbar-toggle .icon-bar + .icon-bar { margin-top: 4px; } @media (min-width: 768px) { .navbar-toggle { display: none; } } .navbar-nav { margin: 7.5px -15px; } .navbar-nav > li > a { padding-top: 10px; padding-bottom: 10px; line-height: 20px; } @media (max-width: 767px) { .navbar-nav .open .dropdown-menu { position: static; float: none; width: auto; margin-top: 0; background-color: transparent; border: 0; box-shadow: none; } .navbar-nav .open .dropdown-menu > li > a, .navbar-nav .open .dropdown-menu .dropdown-header { padding: 5px 15px 5px 25px; } .navbar-nav .open .dropdown-menu > li > a { line-height: 20px; } .navbar-nav .open .dropdown-menu > li > a:hover, .navbar-nav .open .dropdown-menu > li > a:focus { background-image: none; } } @media (min-width: 768px) { .navbar-nav { float: left; margin: 0; } .navbar-nav > li { float: left; } .navbar-nav > li > a { padding-top: 15px; padding-bottom: 15px; } .navbar-nav.navbar-right:last-child { margin-right: -15px; } } @media (min-width: 768px) { .navbar-left { float: left !important; } .navbar-right { float: right !important; } } .navbar-form { padding: 10px 15px; margin-top: 8px; margin-right: -15px; margin-bottom: 8px; margin-left: -15px; border-top: 1px solid transparent; border-bottom: 1px solid transparent; -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1); box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1); } @media (min-width: 768px) { .navbar-form .form-group { display: inline-block; margin-bottom: 0; vertical-align: middle; } .navbar-form .form-control { display: inline-block; width: auto; vertical-align: middle; } .navbar-form .control-label { margin-bottom: 0; vertical-align: middle; } .navbar-form .radio, .navbar-form .checkbox { display: inline-block; padding-left: 0; margin-top: 0; margin-bottom: 0; vertical-align: middle; } .navbar-form .radio input[type="radio"], .navbar-form .checkbox input[type="checkbox"] { float: none; margin-left: 0; } .navbar-form .has-feedback .form-control-feedback { top: 0; } } @media (max-width: 767px) { .navbar-form .form-group { margin-bottom: 5px; } } @media (min-width: 768px) { .navbar-form { width: auto; padding-top: 0; padding-bottom: 0; margin-right: 0; margin-left: 0; border: 0; -webkit-box-shadow: none; box-shadow: none; } .navbar-form.navbar-right:last-child { margin-right: -15px; } } .navbar-nav > li > .dropdown-menu { margin-top: 0; border-top-left-radius: 0; border-top-right-radius: 0; } .navbar-fixed-bottom .navbar-nav > li > .dropdown-menu { border-bottom-right-radius: 0; border-bottom-left-radius: 0; } .navbar-btn { margin-top: 8px; margin-bottom: 8px; } .navbar-btn.btn-sm { margin-top: 10px; margin-bottom: 10px; } .navbar-btn.btn-xs { margin-top: 14px; margin-bottom: 14px; } .navbar-text { margin-top: 15px; margin-bottom: 15px; } @media (min-width: 768px) { .navbar-text { float: left; margin-right: 15px; margin-left: 15px; } .navbar-text.navbar-right:last-child { margin-right: 0; } } .navbar-default { background-color: #f8f8f8; border-color: #e7e7e7; } .navbar-default .navbar-brand { color: #777; } .navbar-default .navbar-brand:hover, .navbar-default .navbar-brand:focus { color: #5e5e5e; background-color: transparent; } .navbar-default .navbar-text { color: #777; } .navbar-default .navbar-nav > li > a { color: #777; } .navbar-default .navbar-nav > li > a:hover, .navbar-default .navbar-nav > li > a:focus { color: #333; background-color: transparent; } .navbar-default .navbar-nav > .active > a, .navbar-default .navbar-nav > .active > a:hover, .navbar-default .navbar-nav > .active > a:focus { color: #555; background-color: #e7e7e7; } .navbar-default .navbar-nav > .disabled > a, .navbar-default .navbar-nav > .disabled > a:hover, .navbar-default .navbar-nav > .disabled > a:focus { color: #ccc; background-color: transparent; } .navbar-default .navbar-toggle { border-color: #ddd; } .navbar-default .navbar-toggle:hover, .navbar-default .navbar-toggle:focus { background-color: #ddd; } .navbar-default .navbar-toggle .icon-bar { background-color: #888; } .navbar-default .navbar-collapse, .navbar-default .navbar-form { border-color: #e7e7e7; } .navbar-default .navbar-nav > .open > a, .navbar-default .navbar-nav > .open > a:hover, .navbar-default .navbar-nav > .open > a:focus { color: #555; background-color: #e7e7e7; } @media (max-width: 767px) { .navbar-default .navbar-nav .open .dropdown-menu > li > a { color: #777; } .navbar-default .navbar-nav .open .dropdown-menu > li > a:hover, .navbar-default .navbar-nav .open .dropdown-menu > li > a:focus { color: #333; background-color: transparent; } .navbar-default .navbar-nav .open .dropdown-menu > .active > a, .navbar-default .navbar-nav .open .dropdown-menu > .active > a:hover, .navbar-default .navbar-nav .open .dropdown-menu > .active > a:focus { color: #555; background-color: #e7e7e7; } .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a, .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:hover, .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:focus { color: #ccc; background-color: transparent; } } .navbar-default .navbar-link { color: #777; } .navbar-default .navbar-link:hover { color: #333; } .navbar-inverse { background-color: #222; border-color: #080808; } .navbar-inverse .navbar-brand { color: #999; } .navbar-inverse .navbar-brand:hover, .navbar-inverse .navbar-brand:focus { color: #fff; background-color: transparent; } .navbar-inverse .navbar-text { color: #999; } .navbar-inverse .navbar-nav > li > a { color: #999; } .navbar-inverse .navbar-nav > li > a:hover, .navbar-inverse .navbar-nav > li > a:focus { color: #fff; background-color: transparent; } .navbar-inverse .navbar-nav > .active > a, .navbar-inverse .navbar-nav > .active > a:hover, .navbar-inverse .navbar-nav > .active > a:focus { color: #fff; background-color: #080808; } .navbar-inverse .navbar-nav > .disabled > a, .navbar-inverse .navbar-nav > .disabled > a:hover, .navbar-inverse .navbar-nav > .disabled > a:focus { color: #444; background-color: transparent; } .navbar-inverse .navbar-toggle { border-color: #333; } .navbar-inverse .navbar-toggle:hover, .navbar-inverse .navbar-toggle:focus { background-color: #333; } .navbar-inverse .navbar-toggle .icon-bar { background-color: #fff; } .navbar-inverse .navbar-collapse, .navbar-inverse .navbar-form { border-color: #101010; } .navbar-inverse .navbar-nav > .open > a, .navbar-inverse .navbar-nav > .open > a:hover, .navbar-inverse .navbar-nav > .open > a:focus { color: #fff; background-color: #080808; } @media (max-width: 767px) { .navbar-inverse .navbar-nav .open .dropdown-menu > .dropdown-header { border-color: #080808; } .navbar-inverse .navbar-nav .open .dropdown-menu .divider { background-color: #080808; } .navbar-inverse .navbar-nav .open .dropdown-menu > li > a { color: #999; } .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:focus { color: #fff; background-color: transparent; } .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a, .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:focus { color: #fff; background-color: #080808; } .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a, .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:focus { color: #444; background-color: transparent; } } .navbar-inverse .navbar-link { color: #999; } .navbar-inverse .navbar-link:hover { color: #fff; } .breadcrumb { padding: 8px 15px; margin-bottom: 20px; list-style: none; background-color: #f5f5f5; border-radius: 4px; } .breadcrumb > li { display: inline-block; } .breadcrumb > li + li:before { padding: 0 5px; color: #ccc; content: "/\00a0"; } .breadcrumb > .active { color: #999; } .pagination { display: inline-block; padding-left: 0; margin: 20px 0; border-radius: 4px; } .pagination > li { display: inline; } .pagination > li > a, .pagination > li > span { position: relative; float: left; padding: 6px 12px; margin-left: -1px; line-height: 1.428571429; color: #428bca; text-decoration: none; background-color: #fff; border: 1px solid #ddd; } .pagination > li:first-child > a, .pagination > li:first-child > span { margin-left: 0; border-top-left-radius: 4px; border-bottom-left-radius: 4px; } .pagination > li:last-child > a, .pagination > li:last-child > span { border-top-right-radius: 4px; border-bottom-right-radius: 4px; } .pagination > li > a:hover, .pagination > li > span:hover, .pagination > li > a:focus, .pagination > li > span:focus { color: #2a6496; background-color: #eee; border-color: #ddd; } .pagination > .active > a, .pagination > .active > span, .pagination > .active > a:hover, .pagination > .active > span:hover, .pagination > .active > a:focus, .pagination > .active > span:focus { z-index: 2; color: #fff; cursor: default; background-color: #428bca; border-color: #428bca; } .pagination > .disabled > span, .pagination > .disabled > span:hover, .pagination > .disabled > span:focus, .pagination > .disabled > a, .pagination > .disabled > a:hover, .pagination > .disabled > a:focus { color: #999; cursor: not-allowed; background-color: #fff; border-color: #ddd; } .pagination-lg > li > a, .pagination-lg > li > span { padding: 10px 16px; font-size: 18px; } .pagination-lg > li:first-child > a, .pagination-lg > li:first-child > span { border-top-left-radius: 6px; border-bottom-left-radius: 6px; } .pagination-lg > li:last-child > a, .pagination-lg > li:last-child > span { border-top-right-radius: 6px; border-bottom-right-radius: 6px; } .pagination-sm > li > a, .pagination-sm > li > span { padding: 5px 10px; font-size: 12px; } .pagination-sm > li:first-child > a, .pagination-sm > li:first-child > span { border-top-left-radius: 3px; border-bottom-left-radius: 3px; } .pagination-sm > li:last-child > a, .pagination-sm > li:last-child > span { border-top-right-radius: 3px; border-bottom-right-radius: 3px; } .pager { padding-left: 0; margin: 20px 0; text-align: center; list-style: none; } .pager li { display: inline; } .pager li > a, .pager li > span { display: inline-block; padding: 5px 14px; background-color: #fff; border: 1px solid #ddd; border-radius: 15px; } .pager li > a:hover, .pager li > a:focus { text-decoration: none; background-color: #eee; } .pager .next > a, .pager .next > span { float: right; } .pager .previous > a, .pager .previous > span { float: left; } .pager .disabled > a, .pager .disabled > a:hover, .pager .disabled > a:focus, .pager .disabled > span { color: #999; cursor: not-allowed; background-color: #fff; } .label { display: inline; padding: .2em .6em .3em; font-size: 75%; font-weight: bold; line-height: 1; color: #fff; text-align: center; white-space: nowrap; vertical-align: baseline; border-radius: .25em; } .label[href]:hover, .label[href]:focus { color: #fff; text-decoration: none; cursor: pointer; } .label:empty { display: none; } .btn .label { position: relative; top: -1px; } .label-default { background-color: #999; } .label-default[href]:hover, .label-default[href]:focus { background-color: #808080; } .label-primary { background-color: #428bca; } .label-primary[href]:hover, .label-primary[href]:focus { background-color: #3071a9; } .label-success { background-color: #5cb85c; } .label-success[href]:hover, .label-success[href]:focus { background-color: #449d44; } .label-info { background-color: #5bc0de; } .label-info[href]:hover, .label-info[href]:focus { background-color: #31b0d5; } .label-warning { background-color: #f0ad4e; } .label-warning[href]:hover, .label-warning[href]:focus { background-color: #ec971f; } .label-danger { background-color: #d9534f; } .label-danger[href]:hover, .label-danger[href]:focus { background-color: #c9302c; } .badge { display: inline-block; min-width: 10px; padding: 3px 7px; font-size: 12px; font-weight: bold; line-height: 1; color: #fff; text-align: center; white-space: nowrap; vertical-align: baseline; background-color: #999; border-radius: 10px; } .badge:empty { display: none; } .btn .badge { position: relative; top: -1px; } .btn-xs .badge { top: 0; padding: 1px 5px; } a.badge:hover, a.badge:focus { color: #fff; text-decoration: none; cursor: pointer; } a.list-group-item.active > .badge, .nav-pills > .active > a > .badge { color: #428bca; background-color: #fff; } .nav-pills > li > a > .badge { margin-left: 3px; } .jumbotron { padding: 30px; margin-bottom: 30px; color: inherit; background-color: #eee; } .jumbotron h1, .jumbotron .h1 { color: inherit; } .jumbotron p { margin-bottom: 15px; font-size: 21px; font-weight: 200; } .container .jumbotron { border-radius: 6px; } .jumbotron .container { max-width: 100%; } @media screen and (min-width: 768px) { .jumbotron { padding-top: 48px; padding-bottom: 48px; } .container .jumbotron { padding-right: 60px; padding-left: 60px; } .jumbotron h1, .jumbotron .h1 { font-size: 63px; } } .thumbnail { display: block; padding: 4px; margin-bottom: 20px; line-height: 1.428571429; background-color: #fff; border: 1px solid #ddd; border-radius: 4px; -webkit-transition: all .2s ease-in-out; transition: all .2s ease-in-out; } .thumbnail > img, .thumbnail a > img { display: block; max-width: 100%; height: auto; margin-right: auto; margin-left: auto; } a.thumbnail:hover, a.thumbnail:focus, a.thumbnail.active { border-color: #428bca; } .thumbnail .caption { padding: 9px; color: #333; } .alert { padding: 15px; margin-bottom: 20px; border: 1px solid transparent; border-radius: 4px; } .alert h4 { margin-top: 0; color: inherit; } .alert .alert-link { font-weight: bold; } .alert > p, .alert > ul { margin-bottom: 0; } .alert > p + p { margin-top: 5px; } .alert-dismissable { padding-right: 35px; } .alert-dismissable .close { position: relative; top: -2px; right: -21px; color: inherit; } .alert-success { color: #3c763d; background-color: #dff0d8; border-color: #d6e9c6; } .alert-success hr { border-top-color: #c9e2b3; } .alert-success .alert-link { color: #2b542c; } .alert-info { color: #31708f; background-color: #d9edf7; border-color: #bce8f1; } .alert-info hr { border-top-color: #a6e1ec; } .alert-info .alert-link { color: #245269; } .alert-warning { color: #8a6d3b; background-color: #fcf8e3; border-color: #faebcc; } .alert-warning hr { border-top-color: #f7e1b5; } .alert-warning .alert-link { color: #66512c; } .alert-danger { color: #a94442; background-color: #f2dede; border-color: #ebccd1; } .alert-danger hr { border-top-color: #e4b9c0; } .alert-danger .alert-link { color: #843534; } @-webkit-keyframes progress-bar-stripes { from { background-position: 40px 0; } to { background-position: 0 0; } } @keyframes progress-bar-stripes { from { background-position: 40px 0; } to { background-position: 0 0; } } .progress { height: 20px; margin-bottom: 20px; overflow: hidden; background-color: #f5f5f5; border-radius: 4px; -webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1); box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1); } .progress-bar { float: left; width: 0; height: 100%; font-size: 12px; line-height: 20px; color: #fff; text-align: center; background-color: #428bca; -webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15); box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15); -webkit-transition: width .6s ease; transition: width .6s ease; } .progress-striped .progress-bar { background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-size: 40px 40px; } .progress.active .progress-bar { -webkit-animation: progress-bar-stripes 2s linear infinite; animation: progress-bar-stripes 2s linear infinite; } .progress-bar-success { background-color: #5cb85c; } .progress-striped .progress-bar-success { background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); } .progress-bar-info { background-color: #5bc0de; } .progress-striped .progress-bar-info { background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); } .progress-bar-warning { background-color: #f0ad4e; } .progress-striped .progress-bar-warning { background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); } .progress-bar-danger { background-color: #d9534f; } .progress-striped .progress-bar-danger { background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent); } .media, .media-body { overflow: hidden; zoom: 1; } .media, .media .media { margin-top: 15px; } .media:first-child { margin-top: 0; } .media-object { display: block; } .media-heading { margin: 0 0 5px; } .media > .pull-left { margin-right: 10px; } .media > .pull-right { margin-left: 10px; } .media-list { padding-left: 0; list-style: none; } .list-group { padding-left: 0; margin-bottom: 20px; } .list-group-item { position: relative; display: block; padding: 10px 15px; margin-bottom: -1px; background-color: #fff; border: 1px solid #ddd; } .list-group-item:first-child { border-top-left-radius: 4px; border-top-right-radius: 4px; } .list-group-item:last-child { margin-bottom: 0; border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .list-group-item > .badge { float: right; } .list-group-item > .badge + .badge { margin-right: 5px; } a.list-group-item { color: #555; } a.list-group-item .list-group-item-heading { color: #333; } a.list-group-item:hover, a.list-group-item:focus { text-decoration: none; background-color: #f5f5f5; } a.list-group-item.active, a.list-group-item.active:hover, a.list-group-item.active:focus { z-index: 2; color: #fff; background-color: #428bca; border-color: #428bca; } a.list-group-item.active .list-group-item-heading, a.list-group-item.active:hover .list-group-item-heading, a.list-group-item.active:focus .list-group-item-heading { color: inherit; } a.list-group-item.active .list-group-item-text, a.list-group-item.active:hover .list-group-item-text, a.list-group-item.active:focus .list-group-item-text { color: #e1edf7; } .list-group-item-success { color: #3c763d; background-color: #dff0d8; } a.list-group-item-success { color: #3c763d; } a.list-group-item-success .list-group-item-heading { color: inherit; } a.list-group-item-success:hover, a.list-group-item-success:focus { color: #3c763d; background-color: #d0e9c6; } a.list-group-item-success.active, a.list-group-item-success.active:hover, a.list-group-item-success.active:focus { color: #fff; background-color: #3c763d; border-color: #3c763d; } .list-group-item-info { color: #31708f; background-color: #d9edf7; } a.list-group-item-info { color: #31708f; } a.list-group-item-info .list-group-item-heading { color: inherit; } a.list-group-item-info:hover, a.list-group-item-info:focus { color: #31708f; background-color: #c4e3f3; } a.list-group-item-info.active, a.list-group-item-info.active:hover, a.list-group-item-info.active:focus { color: #fff; background-color: #31708f; border-color: #31708f; } .list-group-item-warning { color: #8a6d3b; background-color: #fcf8e3; } a.list-group-item-warning { color: #8a6d3b; } a.list-group-item-warning .list-group-item-heading { color: inherit; } a.list-group-item-warning:hover, a.list-group-item-warning:focus { color: #8a6d3b; background-color: #faf2cc; } a.list-group-item-warning.active, a.list-group-item-warning.active:hover, a.list-group-item-warning.active:focus { color: #fff; background-color: #8a6d3b; border-color: #8a6d3b; } .list-group-item-danger { color: #a94442; background-color: #f2dede; } a.list-group-item-danger { color: #a94442; } a.list-group-item-danger .list-group-item-heading { color: inherit; } a.list-group-item-danger:hover, a.list-group-item-danger:focus { color: #a94442; background-color: #ebcccc; } a.list-group-item-danger.active, a.list-group-item-danger.active:hover, a.list-group-item-danger.active:focus { color: #fff; background-color: #a94442; border-color: #a94442; } .list-group-item-heading { margin-top: 0; margin-bottom: 5px; } .list-group-item-text { margin-bottom: 0; line-height: 1.3; } .panel { margin-bottom: 20px; background-color: #fff; border: 1px solid transparent; border-radius: 4px; -webkit-box-shadow: 0 1px 1px rgba(0, 0, 0, .05); box-shadow: 0 1px 1px rgba(0, 0, 0, .05); } .panel-body { padding: 15px; } .panel > .list-group { margin-bottom: 0; } .panel > .list-group .list-group-item { border-width: 1px 0; border-radius: 0; } .panel > .list-group .list-group-item:first-child { border-top: 0; } .panel > .list-group .list-group-item:last-child { border-bottom: 0; } .panel > .list-group:first-child .list-group-item:first-child { border-top-left-radius: 3px; border-top-right-radius: 3px; } .panel > .list-group:last-child .list-group-item:last-child { border-bottom-right-radius: 3px; border-bottom-left-radius: 3px; } .panel-heading + .list-group .list-group-item:first-child { border-top-width: 0; } .panel > .table, .panel > .table-responsive > .table { margin-bottom: 0; } .panel > .table:first-child > thead:first-child > tr:first-child td:first-child, .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:first-child, .panel > .table:first-child > tbody:first-child > tr:first-child td:first-child, .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:first-child, .panel > .table:first-child > thead:first-child > tr:first-child th:first-child, .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:first-child, .panel > .table:first-child > tbody:first-child > tr:first-child th:first-child, .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child th:first-child { border-top-left-radius: 3px; } .panel > .table:first-child > thead:first-child > tr:first-child td:last-child, .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:last-child, .panel > .table:first-child > tbody:first-child > tr:first-child td:last-child, .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:last-child, .panel > .table:first-child > thead:first-child > tr:first-child th:last-child, .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:last-child, .panel > .table:first-child > tbody:first-child > tr:first-child th:last-child, .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child th:last-child { border-top-right-radius: 3px; } .panel > .table:last-child > tbody:last-child > tr:last-child td:first-child, .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:first-child, .panel > .table:last-child > tfoot:last-child > tr:last-child td:first-child, .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:first-child, .panel > .table:last-child > tbody:last-child > tr:last-child th:first-child, .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:first-child, .panel > .table:last-child > tfoot:last-child > tr:last-child th:first-child, .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child th:first-child { border-bottom-left-radius: 3px; } .panel > .table:last-child > tbody:last-child > tr:last-child td:last-child, .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:last-child, .panel > .table:last-child > tfoot:last-child > tr:last-child td:last-child, .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:last-child, .panel > .table:last-child > tbody:last-child > tr:last-child th:last-child, .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:last-child, .panel > .table:last-child > tfoot:last-child > tr:last-child th:last-child, .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child th:last-child { border-bottom-right-radius: 3px; } .panel > .panel-body + .table, .panel > .panel-body + .table-responsive { border-top: 1px solid #ddd; } .panel > .table > tbody:first-child > tr:first-child th, .panel > .table > tbody:first-child > tr:first-child td { border-top: 0; } .panel > .table-bordered, .panel > .table-responsive > .table-bordered { border: 0; } .panel > .table-bordered > thead > tr > th:first-child, .panel > .table-responsive > .table-bordered > thead > tr > th:first-child, .panel > .table-bordered > tbody > tr > th:first-child, .panel > .table-responsive > .table-bordered > tbody > tr > th:first-child, .panel > .table-bordered > tfoot > tr > th:first-child, .panel > .table-responsive > .table-bordered > tfoot > tr > th:first-child, .panel > .table-bordered > thead > tr > td:first-child, .panel > .table-responsive > .table-bordered > thead > tr > td:first-child, .panel > .table-bordered > tbody > tr > td:first-child, .panel > .table-responsive > .table-bordered > tbody > tr > td:first-child, .panel > .table-bordered > tfoot > tr > td:first-child, .panel > .table-responsive > .table-bordered > tfoot > tr > td:first-child { border-left: 0; } .panel > .table-bordered > thead > tr > th:last-child, .panel > .table-responsive > .table-bordered > thead > tr > th:last-child, .panel > .table-bordered > tbody > tr > th:last-child, .panel > .table-responsive > .table-bordered > tbody > tr > th:last-child, .panel > .table-bordered > tfoot > tr > th:last-child, .panel > .table-responsive > .table-bordered > tfoot > tr > th:last-child, .panel > .table-bordered > thead > tr > td:last-child, .panel > .table-responsive > .table-bordered > thead > tr > td:last-child, .panel > .table-bordered > tbody > tr > td:last-child, .panel > .table-responsive > .table-bordered > tbody > tr > td:last-child, .panel > .table-bordered > tfoot > tr > td:last-child, .panel > .table-responsive > .table-bordered > tfoot > tr > td:last-child { border-right: 0; } .panel > .table-bordered > thead > tr:first-child > th, .panel > .table-responsive > .table-bordered > thead > tr:first-child > th, .panel > .table-bordered > tbody > tr:first-child > th, .panel > .table-responsive > .table-bordered > tbody > tr:first-child > th, .panel > .table-bordered > tfoot > tr:first-child > th, .panel > .table-responsive > .table-bordered > tfoot > tr:first-child > th, .panel > .table-bordered > thead > tr:first-child > td, .panel > .table-responsive > .table-bordered > thead > tr:first-child > td, .panel > .table-bordered > tbody > tr:first-child > td, .panel > .table-responsive > .table-bordered > tbody > tr:first-child > td, .panel > .table-bordered > tfoot > tr:first-child > td, .panel > .table-responsive > .table-bordered > tfoot > tr:first-child > td { border-top: 0; } .panel > .table-bordered > thead > tr:last-child > th, .panel > .table-responsive > .table-bordered > thead > tr:last-child > th, .panel > .table-bordered > tbody > tr:last-child > th, .panel > .table-responsive > .table-bordered > tbody > tr:last-child > th, .panel > .table-bordered > tfoot > tr:last-child > th, .panel > .table-responsive > .table-bordered > tfoot > tr:last-child > th, .panel > .table-bordered > thead > tr:last-child > td, .panel > .table-responsive > .table-bordered > thead > tr:last-child > td, .panel > .table-bordered > tbody > tr:last-child > td, .panel > .table-responsive > .table-bordered > tbody > tr:last-child > td, .panel > .table-bordered > tfoot > tr:last-child > td, .panel > .table-responsive > .table-bordered > tfoot > tr:last-child > td { border-bottom: 0; } .panel > .table-responsive { margin-bottom: 0; border: 0; } .panel-heading { padding: 10px 15px; border-bottom: 1px solid transparent; border-top-left-radius: 3px; border-top-right-radius: 3px; } .panel-heading > .dropdown .dropdown-toggle { color: inherit; } .panel-title { margin-top: 0; margin-bottom: 0; font-size: 16px; color: inherit; } .panel-title > a { color: inherit; } .panel-footer { padding: 10px 15px; background-color: #f5f5f5; border-top: 1px solid #ddd; border-bottom-right-radius: 3px; border-bottom-left-radius: 3px; } .panel-group { margin-bottom: 20px; } .panel-group .panel { margin-bottom: 0; overflow: hidden; border-radius: 4px; } .panel-group .panel + .panel { margin-top: 5px; } .panel-group .panel-heading { border-bottom: 0; } .panel-group .panel-heading + .panel-collapse .panel-body { border-top: 1px solid #ddd; } .panel-group .panel-footer { border-top: 0; } .panel-group .panel-footer + .panel-collapse .panel-body { border-bottom: 1px solid #ddd; } .panel-default { border-color: #ddd; } .panel-default > .panel-heading { color: #333; background-color: #f5f5f5; border-color: #ddd; } .panel-default > .panel-heading + .panel-collapse .panel-body { border-top-color: #ddd; } .panel-default > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #ddd; } .panel-primary { border-color: #428bca; } .panel-primary > .panel-heading { color: #fff; background-color: #428bca; border-color: #428bca; } .panel-primary > .panel-heading + .panel-collapse .panel-body { border-top-color: #428bca; } .panel-primary > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #428bca; } .panel-success { border-color: #d6e9c6; } .panel-success > .panel-heading { color: #3c763d; background-color: #dff0d8; border-color: #d6e9c6; } .panel-success > .panel-heading + .panel-collapse .panel-body { border-top-color: #d6e9c6; } .panel-success > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #d6e9c6; } .panel-info { border-color: #bce8f1; } .panel-info > .panel-heading { color: #31708f; background-color: #d9edf7; border-color: #bce8f1; } .panel-info > .panel-heading + .panel-collapse .panel-body { border-top-color: #bce8f1; } .panel-info > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #bce8f1; } .panel-warning { border-color: #faebcc; } .panel-warning > .panel-heading { color: #8a6d3b; background-color: #fcf8e3; border-color: #faebcc; } .panel-warning > .panel-heading + .panel-collapse .panel-body { border-top-color: #faebcc; } .panel-warning > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #faebcc; } .panel-danger { border-color: #ebccd1; } .panel-danger > .panel-heading { color: #a94442; background-color: #f2dede; border-color: #ebccd1; } .panel-danger > .panel-heading + .panel-collapse .panel-body { border-top-color: #ebccd1; } .panel-danger > .panel-footer + .panel-collapse .panel-body { border-bottom-color: #ebccd1; } .well { min-height: 20px; padding: 19px; margin-bottom: 20px; background-color: #f5f5f5; border: 1px solid #e3e3e3; border-radius: 4px; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05); box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05); } .well blockquote { border-color: #ddd; border-color: rgba(0, 0, 0, .15); } .well-lg { padding: 24px; border-radius: 6px; } .well-sm { padding: 9px; border-radius: 3px; } .close { float: right; font-size: 21px; font-weight: bold; line-height: 1; color: #000; text-shadow: 0 1px 0 #fff; filter: alpha(opacity=20); opacity: .2; } .close:hover, .close:focus { color: #000; text-decoration: none; cursor: pointer; filter: alpha(opacity=50); opacity: .5; } button.close { -webkit-appearance: none; padding: 0; cursor: pointer; background: transparent; border: 0; } .modal-open { overflow: hidden; } .modal { position: fixed; top: 0; right: 0; bottom: 0; left: 0; z-index: 1050; display: none; overflow: auto; overflow-y: scroll; -webkit-overflow-scrolling: touch; outline: 0; } .modal.fade .modal-dialog { -webkit-transition: -webkit-transform .3s ease-out; -moz-transition: -moz-transform .3s ease-out; -o-transition: -o-transform .3s ease-out; transition: transform .3s ease-out; -webkit-transform: translate(0, -25%); -ms-transform: translate(0, -25%); transform: translate(0, -25%); } .modal.in .modal-dialog { -webkit-transform: translate(0, 0); -ms-transform: translate(0, 0); transform: translate(0, 0); } .modal-dialog { position: relative; width: auto; margin: 10px; } .modal-content { position: relative; background-color: #fff; background-clip: padding-box; border: 1px solid #999; border: 1px solid rgba(0, 0, 0, .2); border-radius: 6px; outline: none; -webkit-box-shadow: 0 3px 9px rgba(0, 0, 0, .5); box-shadow: 0 3px 9px rgba(0, 0, 0, .5); } .modal-backdrop { position: fixed; top: 0; right: 0; bottom: 0; left: 0; z-index: 1040; background-color: #000; } .modal-backdrop.fade { filter: alpha(opacity=0); opacity: 0; } .modal-backdrop.in { filter: alpha(opacity=50); opacity: .5; } .modal-header { min-height: 16.428571429px; padding: 15px; border-bottom: 1px solid #e5e5e5; } .modal-header .close { margin-top: -2px; } .modal-title { margin: 0; line-height: 1.428571429; } .modal-body { position: relative; padding: 20px; } .modal-footer { padding: 19px 20px 20px; margin-top: 15px; text-align: right; border-top: 1px solid #e5e5e5; } .modal-footer .btn + .btn { margin-bottom: 0; margin-left: 5px; } .modal-footer .btn-group .btn + .btn { margin-left: -1px; } .modal-footer .btn-block + .btn-block { margin-left: 0; } @media (min-width: 768px) { .modal-dialog { width: 600px; margin: 30px auto; } .modal-content { -webkit-box-shadow: 0 5px 15px rgba(0, 0, 0, .5); box-shadow: 0 5px 15px rgba(0, 0, 0, .5); } .modal-sm { width: 300px; } .modal-lg { width: 900px; } } .tooltip { position: absolute; z-index: 1030; display: block; font-size: 12px; line-height: 1.4; visibility: visible; filter: alpha(opacity=0); opacity: 0; } .tooltip.in { filter: alpha(opacity=90); opacity: .9; } .tooltip.top { padding: 5px 0; margin-top: -3px; } .tooltip.right { padding: 0 5px; margin-left: 3px; } .tooltip.bottom { padding: 5px 0; margin-top: 3px; } .tooltip.left { padding: 0 5px; margin-left: -3px; } .tooltip-inner { max-width: 200px; padding: 3px 8px; color: #fff; text-align: center; text-decoration: none; background-color: #000; border-radius: 4px; } .tooltip-arrow { position: absolute; width: 0; height: 0; border-color: transparent; border-style: solid; } .tooltip.top .tooltip-arrow { bottom: 0; left: 50%; margin-left: -5px; border-width: 5px 5px 0; border-top-color: #000; } .tooltip.top-left .tooltip-arrow { bottom: 0; left: 5px; border-width: 5px 5px 0; border-top-color: #000; } .tooltip.top-right .tooltip-arrow { right: 5px; bottom: 0; border-width: 5px 5px 0; border-top-color: #000; } .tooltip.right .tooltip-arrow { top: 50%; left: 0; margin-top: -5px; border-width: 5px 5px 5px 0; border-right-color: #000; } .tooltip.left .tooltip-arrow { top: 50%; right: 0; margin-top: -5px; border-width: 5px 0 5px 5px; border-left-color: #000; } .tooltip.bottom .tooltip-arrow { top: 0; left: 50%; margin-left: -5px; border-width: 0 5px 5px; border-bottom-color: #000; } .tooltip.bottom-left .tooltip-arrow { top: 0; left: 5px; border-width: 0 5px 5px; border-bottom-color: #000; } .tooltip.bottom-right .tooltip-arrow { top: 0; right: 5px; border-width: 0 5px 5px; border-bottom-color: #000; } .popover { position: absolute; top: 0; left: 0; z-index: 1010; display: none; max-width: 276px; padding: 1px; text-align: left; white-space: normal; background-color: #fff; background-clip: padding-box; border: 1px solid #ccc; border: 1px solid rgba(0, 0, 0, .2); border-radius: 6px; -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, .2); box-shadow: 0 5px 10px rgba(0, 0, 0, .2); } .popover.top { margin-top: -10px; } .popover.right { margin-left: 10px; } .popover.bottom { margin-top: 10px; } .popover.left { margin-left: -10px; } .popover-title { padding: 8px 14px; margin: 0; font-size: 14px; font-weight: normal; line-height: 18px; background-color: #f7f7f7; border-bottom: 1px solid #ebebeb; border-radius: 5px 5px 0 0; } .popover-content { padding: 9px 14px; } .popover .arrow, .popover .arrow:after { position: absolute; display: block; width: 0; height: 0; border-color: transparent; border-style: solid; } .popover .arrow { border-width: 11px; } .popover .arrow:after { content: ""; border-width: 10px; } .popover.top .arrow { bottom: -11px; left: 50%; margin-left: -11px; border-top-color: #999; border-top-color: rgba(0, 0, 0, .25); border-bottom-width: 0; } .popover.top .arrow:after { bottom: 1px; margin-left: -10px; content: " "; border-top-color: #fff; border-bottom-width: 0; } .popover.right .arrow { top: 50%; left: -11px; margin-top: -11px; border-right-color: #999; border-right-color: rgba(0, 0, 0, .25); border-left-width: 0; } .popover.right .arrow:after { bottom: -10px; left: 1px; content: " "; border-right-color: #fff; border-left-width: 0; } .popover.bottom .arrow { top: -11px; left: 50%; margin-left: -11px; border-top-width: 0; border-bottom-color: #999; border-bottom-color: rgba(0, 0, 0, .25); } .popover.bottom .arrow:after { top: 1px; margin-left: -10px; content: " "; border-top-width: 0; border-bottom-color: #fff; } .popover.left .arrow { top: 50%; right: -11px; margin-top: -11px; border-right-width: 0; border-left-color: #999; border-left-color: rgba(0, 0, 0, .25); } .popover.left .arrow:after { right: 1px; bottom: -10px; content: " "; border-right-width: 0; border-left-color: #fff; } .carousel { position: relative; } .carousel-inner { position: relative; width: 100%; overflow: hidden; } .carousel-inner > .item { position: relative; display: none; -webkit-transition: .6s ease-in-out left; transition: .6s ease-in-out left; } .carousel-inner > .item > img, .carousel-inner > .item > a > img { display: block; max-width: 100%; height: auto; line-height: 1; } .carousel-inner > .active, .carousel-inner > .next, .carousel-inner > .prev { display: block; } .carousel-inner > .active { left: 0; } .carousel-inner > .next, .carousel-inner > .prev { position: absolute; top: 0; width: 100%; } .carousel-inner > .next { left: 100%; } .carousel-inner > .prev { left: -100%; } .carousel-inner > .next.left, .carousel-inner > .prev.right { left: 0; } .carousel-inner > .active.left { left: -100%; } .carousel-inner > .active.right { left: 100%; } .carousel-control { position: absolute; top: 0; bottom: 0; left: 0; width: 15%; font-size: 20px; color: #fff; text-align: center; text-shadow: 0 1px 2px rgba(0, 0, 0, .6); filter: alpha(opacity=50); opacity: .5; } .carousel-control.left { background-image: -webkit-linear-gradient(left, color-stop(rgba(0, 0, 0, .5) 0%), color-stop(rgba(0, 0, 0, .0001) 100%)); background-image: linear-gradient(to right, rgba(0, 0, 0, .5) 0%, rgba(0, 0, 0, .0001) 100%); filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1); background-repeat: repeat-x; } .carousel-control.right { right: 0; left: auto; background-image: -webkit-linear-gradient(left, color-stop(rgba(0, 0, 0, .0001) 0%), color-stop(rgba(0, 0, 0, .5) 100%)); background-image: linear-gradient(to right, rgba(0, 0, 0, .0001) 0%, rgba(0, 0, 0, .5) 100%); filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1); background-repeat: repeat-x; } .carousel-control:hover, .carousel-control:focus { color: #fff; text-decoration: none; filter: alpha(opacity=90); outline: none; opacity: .9; } .carousel-control .icon-prev, .carousel-control .icon-next, .carousel-control .glyphicon-chevron-left, .carousel-control .glyphicon-chevron-right { position: absolute; top: 50%; z-index: 5; display: inline-block; } .carousel-control .icon-prev, .carousel-control .glyphicon-chevron-left { left: 50%; } .carousel-control .icon-next, .carousel-control .glyphicon-chevron-right { right: 50%; } .carousel-control .icon-prev, .carousel-control .icon-next { width: 20px; height: 20px; margin-top: -10px; margin-left: -10px; font-family: serif; } .carousel-control .icon-prev:before { content: '\2039'; } .carousel-control .icon-next:before { content: '\203a'; } .carousel-indicators { position: absolute; bottom: 10px; left: 50%; z-index: 15; width: 60%; padding-left: 0; margin-left: -30%; text-align: center; list-style: none; } .carousel-indicators li { display: inline-block; width: 10px; height: 10px; margin: 1px; text-indent: -999px; cursor: pointer; background-color: #000 \9; background-color: rgba(0, 0, 0, 0); border: 1px solid #fff; border-radius: 10px; } .carousel-indicators .active { width: 12px; height: 12px; margin: 0; background-color: #fff; } .carousel-caption { position: absolute; right: 15%; bottom: 20px; left: 15%; z-index: 10; padding-top: 20px; padding-bottom: 20px; color: #fff; text-align: center; text-shadow: 0 1px 2px rgba(0, 0, 0, .6); } .carousel-caption .btn { text-shadow: none; } @media screen and (min-width: 768px) { .carousel-control .glyphicons-chevron-left, .carousel-control .glyphicons-chevron-right, .carousel-control .icon-prev, .carousel-control .icon-next { width: 30px; height: 30px; margin-top: -15px; margin-left: -15px; font-size: 30px; } .carousel-caption { right: 20%; left: 20%; padding-bottom: 30px; } .carousel-indicators { bottom: 20px; } } .clearfix:before, .clearfix:after, .container:before, .container:after, .container-fluid:before, .container-fluid:after, .row:before, .row:after, .form-horizontal .form-group:before, .form-horizontal .form-group:after, .btn-toolbar:before, .btn-toolbar:after, .btn-group-vertical > .btn-group:before, .btn-group-vertical > .btn-group:after, .nav:before, .nav:after, .navbar:before, .navbar:after, .navbar-header:before, .navbar-header:after, .navbar-collapse:before, .navbar-collapse:after, .pager:before, .pager:after, .panel-body:before, .panel-body:after, .modal-footer:before, .modal-footer:after { display: table; content: " "; } .clearfix:after, .container:after, .container-fluid:after, .row:after, .form-horizontal .form-group:after, .btn-toolbar:after, .btn-group-vertical > .btn-group:after, .nav:after, .navbar:after, .navbar-header:after, .navbar-collapse:after, .pager:after, .panel-body:after, .modal-footer:after { clear: both; } .center-block { display: block; margin-right: auto; margin-left: auto; } .pull-right { float: right !important; } .pull-left { float: left !important; } .hide { display: none !important; } .show { display: block !important; } .invisible { visibility: hidden; } .text-hide { font: 0/0 a; color: transparent; text-shadow: none; background-color: transparent; border: 0; } .hidden { display: none !important; visibility: hidden !important; } .affix { position: fixed; } @-ms-viewport { width: device-width; } .visible-xs, tr.visible-xs, th.visible-xs, td.visible-xs { display: none !important; } @media (max-width: 767px) { .visible-xs { display: block !important; } table.visible-xs { display: table; } tr.visible-xs { display: table-row !important; } th.visible-xs, td.visible-xs { display: table-cell !important; } } .visible-sm, tr.visible-sm, th.visible-sm, td.visible-sm { display: none !important; } @media (min-width: 768px) and (max-width: 991px) { .visible-sm { display: block !important; } table.visible-sm { display: table; } tr.visible-sm { display: table-row !important; } th.visible-sm, td.visible-sm { display: table-cell !important; } } .visible-md, tr.visible-md, th.visible-md, td.visible-md { display: none !important; } @media (min-width: 992px) and (max-width: 1199px) { .visible-md { display: block !important; } table.visible-md { display: table; } tr.visible-md { display: table-row !important; } th.visible-md, td.visible-md { display: table-cell !important; } } .visible-lg, tr.visible-lg, th.visible-lg, td.visible-lg { display: none !important; } @media (min-width: 1200px) { .visible-lg { display: block !important; } table.visible-lg { display: table; } tr.visible-lg { display: table-row !important; } th.visible-lg, td.visible-lg { display: table-cell !important; } } @media (max-width: 767px) { .hidden-xs, tr.hidden-xs, th.hidden-xs, td.hidden-xs { display: none !important; } } @media (min-width: 768px) and (max-width: 991px) { .hidden-sm, tr.hidden-sm, th.hidden-sm, td.hidden-sm { display: none !important; } } @media (min-width: 992px) and (max-width: 1199px) { .hidden-md, tr.hidden-md, th.hidden-md, td.hidden-md { display: none !important; } } @media (min-width: 1200px) { .hidden-lg, tr.hidden-lg, th.hidden-lg, td.hidden-lg { display: none !important; } } .visible-print, tr.visible-print, th.visible-print, td.visible-print { display: none !important; } @media print { .visible-print { display: block !important; } table.visible-print { display: table; } tr.visible-print { display: table-row !important; } th.visible-print, td.visible-print { display: table-cell !important; } } @media print { .hidden-print, tr.hidden-print, th.hidden-print, td.hidden-print { display: none !important; } } /*# sourceMappingURL=bootstrap.css.map */
server/app/views/sta/search_snap.scala.html
nekoworkshop/MyFleetGirls
@(snap: models.query.SnapshotSearch) @import com.github.nscala_time.time.Imports.DateTime @import models.query.SnapshotSearch.PageCount @main { <title>スナップショット検索</title> @Js.ImportJqplot("barRenderer", "categoryAxisRenderer", "pointLabels", "highlighter") <script src="@Js.Common"></script> <script src="@Js.Vue"></script> <script src="@Js.Coffee("snapshot")"></script> } { @statistics_head("search_snap") { <div class="page-header"> <h1>艦隊スナップショット検索</h1> </div> <form class="form-inline" role="form" onsubmit="var word = encodeURIComponent($('#search_input').val()); location.href = '@routes.ViewSta.searchSnap()?q=' + word; return false" style=""> <div class="form-group"> <input type="search" class="form-control" id="search_input" value="@snap.q"> </div> <button type="submit" class="btn btn-default">検索</button> </form> @if(snap.count > PageCount) { <ul class="pagination"> @if(snap.page == 0) { <li class="disabled"><a>&laquo;</a></li> } else { <li> <a href="@routes.ViewSta.searchSnap(snap.q, snap.page - 1)">&laquo;</a> </li> } @for(p <- 0 until math.min(snap.maxPage + 1, 10)) { <li @if(p == snap.page){class="active"}> <a href="@routes.ViewSta.searchSnap(snap.q, p)">@{p + 1}</a> </li> } @if(snap.isMaxPage) { <li class="disabled"><a>&raquo;</a></li> } else { <li> <a href="@routes.ViewSta.searchSnap(snap.q, snap.page + 1)">&raquo;</a> </li> } </ul> } @snap.snaps.map { x => <div class="panel panel-default" id="snap@x.id"> <div class="panel-heading"> <div style="float: right;"> <div style="float: left; margin-right: 1em;">(@{new DateTime(x.created).toString("yyyy-MM-dd HH:mm")} 登録)</div> <div style="float: right; width: 80px; margin-top: -5px;"> <div class="input-group input-group-sm favorite-group" data-path="@routes.UserView.snapshot(x.memberId)#snap@x.id" data-title="@x.title -@{x.admiral.nickname}提督のスナップショット-"> <span class="input-group-btn"> <button class="btn btn-default btn-add-favorite" type="button"> <span class="text-warning glyphicon glyphicon-star"></span> </button> </span> <input type="text" readonly="readonly" class="form-control fav-counter" style="width:35px;" /> </div> </div> </div> <h2 class="panel-title"><a href="@routes.UserView.snapshot(x.memberId)#snap@x.id">@x.title</a>(<a href="@routes.UserView.snapshot(x.memberId)">@{x.admiral.nickname}提督</a>)</h2> </div> <div class="panel-body"> @x.comments.map { it => @it <br> } </div> <table class="table table-striped"> <thead> <tr> <th>艦種</th> <th>名前</th> <th>Lv</th> <th>HP</th> <th>装備1</th> <th>装備2</th> <th>装備3</th> <th>装備4</th> </tr> </thead> <tbody> @x.ships.map { ship => <tr> <td>@ship.stAbbName</td> <td class="nowrap"><a data-toggle="modal" href="@routes.UserView.snapAship(x.memberId, ship.id)" class="modal_link" data-target="#modal">@ship.name</a></td> <td style="@if(ship.expRate > 0){background-color:#D9EDF7;display:block;width:@{(ship.expRate*100).toInt}%}">@ship.lv</td> <td style="padding:0px;"><div style="background-color:@ship.hpRGB.toString;width:@{(ship.hpRate*100).toInt}%;padding:5px;">@ship.nowhp/@ship.maxhp</div></td> @ship.slotMaster.map { slot => <td>@slot.name</td> } @{(0 until (4 - ship.slotMaster.size)).map { _ => <td></td> }} </tr> } </tbody> </table> </div> } @if(snap.count > PageCount) { <ul class="pagination"> <li @if(snap.page == 0){class="disabled"}> <a href="@routes.ViewSta.searchSnap(snap.q, snap.page - 1)">&laquo;</a> </li> @for(p <- 0 until math.min(snap.maxPage + 1, 10)) { <li @if(p == snap.page){class="active"}> <a href="@routes.ViewSta.searchSnap(snap.q, p)">@{p + 1}</a> </li> } <li @if(snap.isMaxPage){class="disabled"}> <a href="@routes.ViewSta.searchSnap(snap.q, snap.page + 1)">&raquo;</a> </li> </ul> } <div> <p>タイトル・コメント・艦名・装備名で検索できます</p> </div> <div class="modal fade bs-example-modal-lg" aria-hidden="true" role="dialog" aria-labelledby="modalLabel" id="modal"> <div class="modal-dialog modal-lg"> <div class="modal-content"></div> </div> </div> } }
docs/docsets/NTComponents.docset/Contents/Resources/Documents/Classes/NTDrawerBarButtonItem/AnimatedMenuButton.html
nathantannar4/NTComponents
<!DOCTYPE html> <html lang="en"> <head> <title>AnimatedMenuButton Class Reference</title> <link rel="stylesheet" type="text/css" href="../../css/jazzy.css" /> <link rel="stylesheet" type="text/css" href="../../css/highlight.css" /> <meta charset='utf-8'> <script src="../../js/jquery.min.js" defer></script> <script src="../../js/jazzy.js" defer></script> </head> <body> <a name="//apple_ref/swift/Class/AnimatedMenuButton" class="dashAnchor"></a> <a title="AnimatedMenuButton Class Reference"></a> <header> <div class="content-wrapper"> <p><a href="../../index.html">NTComponents Docs</a> (4% documented)</p> </div> </header> <div class="content-wrapper"> <p id="breadcrumbs"> <a href="../../index.html">NTComponents Reference</a> <img id="carat" src="../../img/carat.png" /> AnimatedMenuButton Class Reference </p> </div> <div class="content-wrapper"> <nav class="sidebar"> <ul class="nav-groups"> <li class="nav-group-name"> <a href="../../Classes.html">Classes</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Classes/CircularTransitionAnimator.html">CircularTransitionAnimator</a> </li> <li class="nav-group-task"> <a href="../../Classes/CircularTransitionAnimator/NTTransitionMode.html">– NTTransitionMode</a> </li> <li class="nav-group-task"> <a href="../../Classes/DiscardableImageCacheItem.html">DiscardableImageCacheItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/Lorem.html">Lorem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTActionSheetItem.html">NTActionSheetItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTActionSheetViewController.html">NTActionSheetViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTActivityView.html">NTActivityView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTAlertViewController.html">NTAlertViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTAnimatedCollectionViewCell.html">NTAnimatedCollectionViewCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTAnimatedTextField.html">NTAnimatedTextField</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTAnimatedTextField/AnimationType.html">– AnimationType</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTAnimatedView.html">NTAnimatedView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTBarLabelItem.html">NTBarLabelItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTButton.html">NTButton</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCarouselView.html">NTCarouselView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCheckbox.html">NTCheckbox</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTChime.html">NTChime</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionDatasource.html">NTCollectionDatasource</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionDatasourceCell.html">NTCollectionDatasourceCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionUserHeaderCell.html">NTCollectionUserHeaderCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionViewCell.html">NTCollectionViewCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionViewController.html">NTCollectionViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionViewDefaultCell.html">NTCollectionViewDefaultCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionViewDefaultFooter.html">NTCollectionViewDefaultFooter</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCollectionViewDefaultHeader.html">NTCollectionViewDefaultHeader</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTCredentialPromptViewController.html">NTCredentialPromptViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTDrawerBarButtonItem.html">NTDrawerBarButtonItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTDrawerBarButtonItem/AnimatedMenuButton.html">– AnimatedMenuButton</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTDrawerController.html">NTDrawerController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTEULAController.html">NTEULAController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTEmailAuthViewController.html">NTEmailAuthViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTEmailRegisterViewController.html">NTEmailRegisterViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTExpandableView.html">NTExpandableView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormActionCell.html">NTFormActionCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormAnimatedInputCell.html">NTFormAnimatedInputCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormCell.html">NTFormCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormControlCell.html">NTFormControlCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormDatasource.html">NTFormDatasource</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormDateInputCell.html">NTFormDateInputCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormImageSelectorCell.html">NTFormImageSelectorCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormImageViewCell.html">NTFormImageViewCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormInputCell.html">NTFormInputCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormLongInputCell.html">NTFormLongInputCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormProfileCell.html">NTFormProfileCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormSection.html">NTFormSection</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormTagInputCell.html">NTFormTagInputCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTFormViewController.html">NTFormViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTImagePickerController.html">NTImagePickerController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTImageView.html">NTImageView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTImageViewController.html">NTImageViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTInputAccessoryView.html">NTInputAccessoryView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTLabel.html">NTLabel</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTLandingViewController.html">NTLandingViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTLoginButton.html">NTLoginButton</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTLoginViewController.html">NTLoginViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTMagicView.html">NTMagicView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTMapAnnotation.html">NTMapAnnotation</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTMapAnnotationView.html">NTMapAnnotationView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTMapView.html">NTMapView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTMapViewController.html">NTMapViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTNavigationController.html">NTNavigationController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTNavigationViewController.html">NTNavigationViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTOnboardingDatasource.html">NTOnboardingDatasource</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTOnboardingViewController.html">NTOnboardingViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTPageViewController.html">NTPageViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTPing.html">NTPing</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTProgressHUD.html">NTProgressHUD</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTProgressLineIndicator.html">NTProgressLineIndicator</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTRefreshControl.html">NTRefreshControl</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTScrollableTabBar.html">NTScrollableTabBar</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTScrollableTabBarController.html">NTScrollableTabBarController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTScrollableTabBarItem.html">NTScrollableTabBarItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSearchBar.html">NTSearchBar</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSearchBarView.html">NTSearchBarView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSearchSelectViewController.html">NTSearchSelectViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSearchViewController.html">NTSearchViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSegmentedControl.html">NTSegmentedControl</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTSwitch.html">NTSwitch</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTabBar.html">NTTabBar</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTabBarController.html">NTTabBarController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTabBarItem.html">NTTabBarItem</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTableView.html">NTTableView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTableViewCell.html">NTTableViewCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTableViewController.html">NTTableViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTableViewHeaderFooterView.html">NTTableViewHeaderFooterView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTagDeleteButton.html">NTTagDeleteButton</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTagListView.html">NTTagListView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTagListView/Alignment.html">– Alignment</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTagView.html">NTTagView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTextField.html">NTTextField</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTextInputBar.html">NTTextInputBar</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTextView.html">NTTextView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTTimelineTableViewCell.html">NTTimelineTableViewCell</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTToast.html">NTToast</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTToolbar.html">NTToolbar</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTView.html">NTView</a> </li> <li class="nav-group-task"> <a href="../../Classes/NTViewController.html">NTViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/Person.html">Person</a> </li> <li class="nav-group-task"> <a href="../../Classes/Person/Gender.html">– Gender</a> </li> <li class="nav-group-task"> <a href="../../Classes/Person/Provider.html">– Provider</a> </li> <li class="nav-group-task"> <a href="../../Classes/PulleyViewController.html">PulleyViewController</a> </li> <li class="nav-group-task"> <a href="../../Classes/RippleView.html">RippleView</a> </li> <li class="nav-group-task"> <a href="../../Classes/ScaleBackTransitionAnimator.html">ScaleBackTransitionAnimator</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../../Enums.html">Enums</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Enums/FAType.html">FAType</a> </li> <li class="nav-group-task"> <a href="../../Enums/GMDType.html">GMDType</a> </li> <li class="nav-group-task"> <a href="../../Enums/LogMode.html">LogMode</a> </li> <li class="nav-group-task"> <a href="../../Enums/LogType.html">LogType</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTAlertType.html">NTAlertType</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTDrawerControllerState.html">NTDrawerControllerState</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTDrawerSide.html">NTDrawerSide</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTLoginMethod.html">NTLoginMethod</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTPreferredFontStyle.html">NTPreferredFontStyle</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTPresentationDirection.html">NTPresentationDirection</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTProgressIndicatorState.html">NTProgressIndicatorState</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTTabBarPosition.html">NTTabBarPosition</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTTimelineTableViewCellStyle.html">NTTimelineTableViewCellStyle</a> </li> <li class="nav-group-task"> <a href="../../Enums/NTViewState.html">NTViewState</a> </li> <li class="nav-group-task"> <a href="../../Enums/PulleyPosition.html">PulleyPosition</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../../Extensions.html">Extensions</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Extensions/Array.html">Array</a> </li> <li class="nav-group-task"> <a href="../../Extensions/CALayer.html">CALayer</a> </li> <li class="nav-group-task"> <a href="../../Extensions/Date.html">Date</a> </li> <li class="nav-group-task"> <a href="../../Extensions/DispatchQueue.html">DispatchQueue</a> </li> <li class="nav-group-task"> <a href="../../Extensions/Int.html">Int</a> </li> <li class="nav-group-task"> <a href="../../Extensions/NSMutableAttributedString.html">NSMutableAttributedString</a> </li> <li class="nav-group-task"> <a href="../../Extensions/String.html">String</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIApplication.html">UIApplication</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIBarButtonItem.html">UIBarButtonItem</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIButton.html">UIButton</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIColor.html">UIColor</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIImage.html">UIImage</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIImageView.html">UIImageView</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UILabel.html">UILabel</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UISearchBar.html">UISearchBar</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UISegmentedControl.html">UISegmentedControl</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UISlider.html">UISlider</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIStepper.html">UIStepper</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UITabBarItem.html">UITabBarItem</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UITextField.html">UITextField</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UITextView.html">UITextView</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIView.html">UIView</a> </li> <li class="nav-group-task"> <a href="../../Extensions/UIViewController.html">UIViewController</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../../Protocols.html">Protocols</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Protocols/IconType.html">IconType</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTEmailAuthDelegate.html">NTEmailAuthDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTMagicViewDelegate.html">NTMagicViewDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTNavigationViewControllerDelegate.html">NTNavigationViewControllerDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTSearchBarViewDelegate.html">NTSearchBarViewDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTSegmentedControlDelegate.html">NTSegmentedControlDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTTabBarDelegate.html">NTTabBarDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTTabBarItemDelegate.html">NTTabBarItemDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTTableViewImageDataSource.html">NTTableViewImageDataSource</a> </li> <li class="nav-group-task"> <a href="../../Protocols/NTTagListViewDelegate.html">NTTagListViewDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/PulleyDelegate.html">PulleyDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/PulleyDrawerViewControllerDelegate.html">PulleyDrawerViewControllerDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols.html#/s:12NTComponents38PulleyPrimaryContentControllerDelegateP">PulleyPrimaryContentControllerDelegate</a> </li> <li class="nav-group-task"> <a href="../../Protocols/RippleEffect.html">RippleEffect</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../../Structs.html">Structs</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Structs/Color.html">Color</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Default.html">– Default</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Red.html">– Red</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Pink.html">– Pink</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Purple.html">– Purple</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/DeepPurple.html">– DeepPurple</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Indigo.html">– Indigo</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Blue.html">– Blue</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/LightBlue.html">– LightBlue</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Cyan.html">– Cyan</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Teal.html">– Teal</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Green.html">– Green</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/LightGreen.html">– LightGreen</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Lime.html">– Lime</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Yellow.html">– Yellow</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Amber.html">– Amber</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Orange.html">– Orange</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/DeepOrange.html">– DeepOrange</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Brown.html">– Brown</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/Gray.html">– Gray</a> </li> <li class="nav-group-task"> <a href="../../Structs/Color/BlueGray.html">– BlueGray</a> </li> <li class="nav-group-task"> <a href="../../Structs/Font.html">Font</a> </li> <li class="nav-group-task"> <a href="../../Structs/Font/Default.html">– Default</a> </li> <li class="nav-group-task"> <a href="../../Structs/Font/Roboto.html">– Roboto</a> </li> <li class="nav-group-task"> <a href="../../Structs/Icon.html">Icon</a> </li> <li class="nav-group-task"> <a href="../../Structs/Icon/Arrow.html">– Arrow</a> </li> <li class="nav-group-task"> <a href="../../Structs/Log.html">Log</a> </li> <li class="nav-group-task"> <a href="../../Structs/NTCollectionDatasourceData.html">NTCollectionDatasourceData</a> </li> <li class="nav-group-task"> <a href="../../Structs/NTCollectionUserHeaderData.html">NTCollectionUserHeaderData</a> </li> <li class="nav-group-task"> <a href="../../Structs/NTDrawerViewProperties.html">NTDrawerViewProperties</a> </li> <li class="nav-group-task"> <a href="../../Structs/NTOnboardingDataSet.html">NTOnboardingDataSet</a> </li> <li class="nav-group-task"> <a href="../../Structs/Timeline.html">Timeline</a> </li> <li class="nav-group-task"> <a href="../../Structs/TimelinePoint.html">TimelinePoint</a> </li> </ul> </li> <li class="nav-group-name"> <a href="../../Typealiases.html">Typealiases</a> <ul class="nav-group-tasks"> <li class="nav-group-task"> <a href="../../Typealiases.html#/s:12NTComponents30PulleyAnimationCompletionBlocka">PulleyAnimationCompletionBlock</a> </li> </ul> </li> </ul> </nav> <article class="main-content"> <section> <section class="section"> <h1>AnimatedMenuButton</h1> <p>Undocumented</p> </section> <section class="section task-group-section"> <div class="task-group"> <div class="task-name-container"> <a name="/Initializers"></a> <a name="//apple_ref/swift/Section/Initializers" class="dashAnchor"></a> <a href="#/Initializers"> <h3 class="section-name">Initializers</h3> </a> </div> <ul> <li class="item"> <div> <code> <a name="/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0CAESgSo7NSCoderC5coder_tcfc"></a> <a name="//apple_ref/swift/Method/init(coder:)" class="dashAnchor"></a> <a class="token" href="#/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0CAESgSo7NSCoderC5coder_tcfc">init(coder:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Undocumented</p> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0CAESC6CGRectV5frame_So7UIColorC11strokeColortcfc"></a> <a name="//apple_ref/swift/Method/init(frame:strokeColor:)" class="dashAnchor"></a> <a class="token" href="#/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0CAESC6CGRectV5frame_So7UIColorC11strokeColortcfc">init(frame:strokeColor:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Undocumented</p> </div> </section> </div> </li> <li class="item"> <div> <code> <a name="/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0C4drawySC6CGRectVF"></a> <a name="//apple_ref/swift/Method/draw(_:)" class="dashAnchor"></a> <a class="token" href="#/s:12NTComponents21NTDrawerBarButtonItemC012AnimatedMenuD0C4drawySC6CGRectVF">draw(_:)</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Undocumented</p> </div> </section> </div> </li> </ul> </div> </section> </section> <section id="footer"> <p>&copy; 2017 <a class="link" href="https://github.com/nathantannar4/NTComponents" target="_blank" rel="external">Nathan Tannar</a>. All rights reserved. (Last updated: 2017-09-26)</p> <p>Generated by <a class="link" href="https://github.com/realm/jazzy" target="_blank" rel="external">jazzy ♪♫ v0.8.2</a>, a <a class="link" href="http://realm.io" target="_blank" rel="external">Realm</a> project.</p> </section> </article> </div> </body> </div> </html>
_includes/social-share.html
skhu-sw/blog
<div class="social-share"> <ul class="socialcount socialcount-small inline-list"> <li class="facebook"><a href="https://www.facebook.com/sharer/sharer.php?u={{ site.url }}{{ page.url }}" target="blank" title="Share on Facebook" ><span class="count"><i class="fa fa-facebook-square"></i> 페북</span></a></li> <li class="twitter"><a href="https://twitter.com/intent/tweet?text={{ site.url }}{{ page.url }}" title="Share on Twitter"><span class="count"><i class="fa fa-twitter-square"></i> 트윗</span></a></li> <li class="googleplus"><a href="https://plus.google.com/share?url={{ site.url }}{{ page.url }}" target="blank" title="Share on Google Plus"><span class="count"><i class="fa fa-google-plus-square"></i> 구글</span></a></li> </ul> </div><!-- /.social-share --> <!-- 포스트 내부 공우 -->
app/assets/stylesheets/landing-page.css
makafis/thecampusbazaar
/*! * Start Bootstrap - Landing Page Bootstrap Theme (http://startbootstrap.com) * Code licensed under the Apache License v2.0. * For details, see http://www.apache.org/licenses/LICENSE-2.0. */ body, html { width: 100%; height: 100%; } body, h1, h2, h3, h4, h5, h6 { font-family: "Lato","Helvetica Neue",Helvetica,Arial,sans-serif; font-weight: 700; } .lead { font-size: 18px; font-weight: 400; } .intro-header h1{ color: white; } .intro-message h2{ color: white; } .intro-header { padding-bottom: 50px; text-align: center; color: #f8f8f8; background: url(http://assets.dwell.com/sites/default/files/2014/07/07/grovemade-deskcollection-maple-view1.jpg) no-repeat center center; background-size: cover; } .col-lg-5 { width: 41.66666667%; } .col-lg-offset-2 { margin-left: 16.66666667%; } .col-sm-pull-6 { right: 50%; } .btn { display: inline-block; padding: 6px 12px; margin-bottom: 0; font-size: 14px; font-weight: normal; line-height: 1.42857143; text-align: center; white-space: nowrap; vertical-align: middle; -ms-touch-action: manipulation; touch-action: manipulation; cursor: pointer; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; background-image: none; border: 1px solid transparent; border-radius: 4px; } .btn-default { color: #333; background-color: #fff; border-color: #ccc; } .btn-lg, .btn-group-lg > .btn { padding: 10px 16px; font-size: 18px; line-height: 1.3333333; border-radius: 6px; } .col-xs-1, .col-sm-1, .col-md-1, .col-lg-1, .col-xs-2, .col-sm-2, .col-md-2, .col-lg-2, .col-xs-3, .col-sm-3, .col-md-3, .col-lg-3, .col-xs-4, .col-sm-4, .col-md-4, .col-lg-4, .col-xs-5, .col-sm-5, .col-md-5, .col-lg-5, .col-xs-6, .col-sm-6, .col-md-6, .col-lg-6, .col-xs-7, .col-sm-7, .col-md-7, .col-lg-7, .col-xs-8, .col-sm-8, .col-md-8, .col-lg-8, .col-xs-9, .col-sm-9, .col-md-9, .col-lg-9, .col-xs-10, .col-sm-10, .col-md-10, .col-lg-10, .col-xs-11, .col-sm-11, .col-md-11, .col-lg-11, .col-xs-12, .col-sm-12, .col-md-12, .col-lg-12 { position: relative; min-height: 1px; padding-right: 15px; padding-left: 15px; } .col-lg-offset-12 { margin-left: 100%; } .img-responsive, .thumbnail > img, .thumbnail a > img, .carousel-inner > .item > img, .carousel-inner > .item > a > img { display: block; max-width: 100%; height: auto; } .list-inline { padding-left: 0; margin-left: -5px; list-style: none; } .list-inline > li { display: inline-block; padding-right: 5px; padding-left: 5px; } .intro-message { position: relative; padding-top: 20%; padding-bottom: 20%; } .intro-message > h1 { margin: 0; text-shadow: 2px 2px 3px rgba(0,0,0,0.6); font-size: 5em; } .intro-divider { width: 400px; border-top: 1px solid #f8f8f8; border-bottom: 1px solid rgba(0,0,0,0.2); } .intro-message > h3 { text-shadow: 2px 2px 3px rgba(0,0,0,0.6); } @media(max-width:767px) { .intro-message { padding-bottom: 15%; } .intro-message > h1 { font-size: 3em; } ul.intro-social-buttons > li { display: block; margin-bottom: 20px; padding: 0; } ul.intro-social-buttons > li:last-child { margin-bottom: 0; } .intro-divider { width: 100%; } } .network-name { text-transform: uppercase; font-size: 14px; font-weight: 400; letter-spacing: 2px; } .content-section-a { padding: 50px 0; background-color: #f8f8f8; } .content-section-b { padding: 50px 0; border-top: 1px solid #e7e7e7; border-bottom: 1px solid #e7e7e7; } .section-heading { margin-bottom: 30px; } .section-heading-spacer { float: left; width: 200px; border-top: 3px solid #e7e7e7; } .banner { padding: 100px 0; color: #f8f8f8; background: url(../img/banner-bg.jpg) no-repeat center center; background-size: cover; } .banner h2 { margin: 0; text-shadow: 2px 2px 3px rgba(0,0,0,0.6); font-size: 3em; } .banner ul { margin-bottom: 0; } .banner-social-buttons { float: right; margin-top: 0; } @media(max-width:1199px) { ul.banner-social-buttons { float: left; margin-top: 15px; } } @media(max-width:767px) { .banner h2 { margin: 0; text-shadow: 2px 2px 3px rgba(0,0,0,0.6); font-size: 3em; } ul.banner-social-buttons > li { display: block; margin-bottom: 20px; padding: 0; } ul.banner-social-buttons > li:last-child { margin-bottom: 0; } } p.copyright { margin: 15px 0 0; }
watchdog_id/main/templates/account/login.html
watchdogpolska/watchdog-id
{% extends "account/base.html" %} {% load i18n %} {% load account socialaccount %} {% load crispy_forms_tags %} {% block head_title %}{% trans "Sign In" %}{% endblock %} {% block inner %} <h1>{% trans "Sign In" %}</h1> {% get_providers as socialaccount_providers %} {% if socialaccount_providers %} <p>{% blocktrans with site.name as site_name %}Please sign in with one of your existing third party accounts. Or, <a href="{{ signup_url }}">sign up</a> for a {{ site_name }} account and sign in below:{% endblocktrans %}</p> <div class="socialaccount_ballot"> <ul class="socialaccount_providers"> {% include "socialaccount/snippets/provider_list.html" with process="login" %} </ul> <div class="login-or">{% trans 'or' %}</div> </div> {% include "socialaccount/snippets/login_extra.html" %} {% else %} <p>{% blocktrans %}If you have not created an account yet, then please <a href="{{ signup_url }}">sign up</a> first.{% endblocktrans %}</p> {% endif %} <form class="login" method="POST" action="{% url 'account_login' %}"> {% csrf_token %} {{ form|crispy }} {% if redirect_field_value %} <input type="hidden" name="{{ redirect_field_name }}" value="{{ redirect_field_value }}"/> {% endif %} <a class="button secondaryAction" href="{% url 'account_reset_password' %}">{% trans "Forgot Password?" %}</a> <button class="primaryAction btn btn-primary" type="submit">{% trans "Sign In" %}</button> </form> {% endblock %}
src/main/resources/webadmin-html/js/lib/codemirror2/util/dialog.css
ahmadassaf/Balloon
.CodeMirror-dialog {position: relative;}.CodeMirror-dialog > div {position: absolute; top: 0; left: 0; right: 0; background: white; border-bottom: 1px solid #eee; z-index: 15; padding: .1em .8em; overflow: hidden; color: #333;}.CodeMirror-dialog input {border: none; outline: none; background: transparent; width: 20em; color: inherit; font-family: monospace;}
categories/index.html
moo-mou/moo-mou.github.io
<!DOCTYPE html> <html> <head> <meta charset="utf-8" /> <meta http-equiv="X-UA-Compatible" content="IE=edge"><title>Categories - moomou</title><meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="alternate" type="application/rss" href="https://paul.mou.dev/categories/index.xml" title="moomou" /> <meta property="og:title" content="Categories" /> <meta property="og:description" content="" /> <meta property="og:type" content="website" /> <meta property="og:url" content="https://paul.mou.dev/categories/" /> <meta name="twitter:card" content="summary"/> <meta name="twitter:title" content="Categories"/> <meta name="twitter:description" content=""/> <link href="https://fonts.googleapis.com/css?family=Ubuntu:300,400,300italic,400italic|Raleway:200,300" rel="stylesheet"> <link rel="stylesheet" type="text/css" media="screen" href="https://paul.mou.devcss/normalize.css" /> <link rel="stylesheet" type="text/css" media="screen" href="https://paul.mou.devcss/main.css" /> <script src="https://paul.mou.devjs/main.js"></script> </head> <body> <div class="container wrapper tags"> <div class="header"> <h1 class="site-title"><a href="https://paul.mou.dev">moomou</a></h1> <div class="site-description"><nav class="nav social"> <ul class="flat"></ul> </nav> </div> <nav class="nav"> <ul class="flat"> </ul> </nav> </div> <h1 class="page-title">All tags</h1> <div class="tag-cloud"> </div> </div> <div class="footer wrapper"> <nav class="nav"> <div> &amp;copy; 2020 | Follow on &lt;a href=&#34;https://github.com/moomou&#34; target=&#34;_blank&#34;&gt;Github&lt;/a&gt; | <a href="https://github.com/vividvilla/ezhil">Ezhil theme</a> | Built with <a href="https://gohugo.io">Hugo</a></div> </nav> </div> <script> var doNotTrack = false; if (!doNotTrack) { window.ga=window.ga||function(){(ga.q=ga.q||[]).push(arguments)};ga.l=+new Date; ga('create', 'trackingcode', 'auto'); ga('send', 'pageview'); } </script> <script async src='https://www.google-analytics.com/analytics.js'></script> </body> </html>
client/templates/user/mentor.html
mpoegel/HackRPI-Status-Board
<template name="user_mentor"> {{#if isInRole 'mentor'}} <div id="user-mentor"> <div class=""> <div class="row"> <div class="col-xs-offset-1"> <h3>Mentoring Status</h3> {{#if checked_in}} {{#if active}} <div class="btn btn-danger user-mentor-btn" value="suspend"> Suspend </div> {{else}} <div class="btn btn-success user-mentor-btn" value="activate"> Activate </div> {{/if}} {{else}} <p> <b>You have not checked in yet. You cannot be added to the active mentor queue until you check in.</b> </p> {{/if}} </div> </div> <div class="row"> <div class="col-xs-offset-1"> <h3>Current Assignment</h3> {{#if assignment}} <dl class="dl-horizontal"> {{#with assignment}} <dt>Mentee</dt><dd>{{ name }}</dd> <dt>Tag</dt><dd>{{ tag }}</dd> <dt>Location</dt><dd>{{ loc }}</dd> {{/with}} </dl> <div class="btn btn-success user-mentor-btn" value="complete-task" title="Mark the current assignment as complete"> Complete </div> <div class="btn btn-warning user-mentor-btn" value="waive-task" title="Give the current assignment to someone else"> Waive </div> {{else}} <p> You do not currently have an assignment. </p> {{/if}} </div> </div> <div class="row"> <div class="col-xs-offset-1"> <h3>Skills</h3> {{#if editSkills}} <div class="row"> <div class="col-xs-4" id="user-mentor-checkbox-langs"> {{#each modifyLangs}} <div class="checkbox"> {{#if checked}} <label><input type="checkbox" name="{{name}}" checked>{{name}}</label> {{else}} <label><input type="checkbox" name="{{name}}">{{name}} </label> {{/if}} </div> {{/each}} </div> <div class="col-xs-4" id="user-mentor-checkbox-frames"> {{#each modifyFrames}} <div class="checkbox"> {{#if checked}} <label><input type="checkbox" name="{{name}}" checked>{{name}}</label> {{else}} <label><input type="checkbox" name="{{name}}">{{name}} </label> {{/if}} </div> {{/each}} </div> <div class="col-xs-4" id="user-mentor-checkbox-apis"> {{#each modifyApis}} <div class="checkbox"> {{#if checked}} <label><input type="checkbox" name="{{name}}" checked>{{name}}</label> {{else}} <label><input type="checkbox" name="{{name}}">{{name}} </label> {{/if}} </div> {{/each}} </div> </div> <div class="row"> <div class="col-xs-offset-4 col-xs-2"> <div class="btn btn-primary user-mentor-btn" value="save-skills"> Save Changes </div> </div> </div> {{else}} <div class="row mentor-tag-list"> <div class="col-xs-12"> {{#each skills}} <span class="btn btn-sm btn-default disabled skill-tag"> {{ this }}</span> {{/each}} </div> </div> {{/if}} <div class="btn btn-primary user-mentor-btn" value="edit-skills"> Edit Skills </div> </div> </div> <div class="row"> <div class="col-xs-offset-1"> <h3>History</h3> <table class="table"> <tr> <th>Name</th> <th>Tag</th> <th>Location</th> <th>Time Completed</th> </tr> <tbody> {{#each history}} <tr> <td>{{name}}</td> <td>{{tag}}</td> <td>{{loc}}</td> <td>{{time}}</td> </tr> {{/each}} </tbody> </table> </div> </div> </div> </div> {{else}} <h1>Unauthorized Access</h1> {{/if}} </template>
src/main/resources/templates/index/login.html
toukajiang/sztw
<!DOCTYPE html> <html xmlns:th="http://www.w3.org/1999/xhtml"> <head> <meta charset="utf-8"/> <meta http-equiv="X-UA-Compatible" content="IE=edge"/> <meta name="viewport" content="width=device-width, initial-scale=1"/> <title>登录</title> <link rel="stylesheet" href="/css/base.css"/> <link rel="stylesheet" href="/css/common.css"/> <link rel="stylesheet" href="/css/userpage.css"/> <link rel="stylesheet" href="/css/inform.css"/> <!--[if lt IE 9]> <script src="https://cdn.bootcss.com/html5shiv/3.7.3/html5shiv.min.js"></script> <script src="https://cdn.bootcss.com/respond.js/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <nav> <ul class="nav-right"> <!--<a>--> <!--<li onclick="window.location.href='/user/register'">--> <!--注册--> <!--</li>--> <!--</a>--> <li class="on"> 登录 </li> </ul> </nav> <div class="login"> <h1>用户登录</h1> <hr/> <form method="post" id="login-form"> <div><label>用户名</label><input id="username" type="text" name="username"/></div> <div><label>密码</label><input id="password" type="password" name="password"/></div> <input type="button" id="login-btn" value="登录"/> <input type="button" id="login-reset" value="重置"/> </form> </div> <div class="inform"> <h1>通知公告</h1> <hr/> <div class="news" id="demo"> <li class="news-li" th:each="data:${announcement}"> <p th:text="${data.date}"></p> <a target="_blank" th:href="'/information/getAnnouncementById?id='+${data.id}" th:text="${data.title}"></a> </li> </div> </div> <footer> <div class="copyright"> <span>Copyright © | betahouse技术支持 | betahouse版权所有 </span> </div> </footer> <script type="text/javascript" src="/js/jquery.js"></script> <script type="text/javascript" src="/js/main.js"></script> <script type="text/javascript" src="/js/inform.js"></script> </body> </html>
www/debug.html
TerryKang/OrigamiBarrage
<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Security-Policy" content="default-src 'self' data: gap: https://ssl.gstatic.com 'unsafe-eval'; style-src 'self' 'unsafe-inline'; media-src *"> <meta name="format-detection" content="telephone=no"> <meta name="msapplication-tap-highlight" content="no"> <meta name="viewport" content="user-scalable=no, initial-scale=1, maximum-scale=1, minimum-scale=1, width=device-width"> <title>Origami Barrage</title> <script type="text/javascript" src="js/phaser.min.js"></script> <script type="text/javascript" src="js/states/Boot.js"></script> <script type="text/javascript" src="js/states/Preloader.js"></script> <script type="text/javascript" src="js/states/MainMenu.js"></script> <script type="text/javascript" src="js/states/Game.js"></script> <script type="text/javascript" src="js/debug.js"></script> <style> body { padding: 0px; margin: 0px; background-color: black; } </style> </head> <body> </body> </html>
static/style.css
kevinkrenz/kevinkrenz.github.io
h1,h2,h3,h4,a,body,code { font-family: 'Ubuntu Mono', monospace; }
src/app/auth/register.html
Hindol/suggest-a-movie
<gz-auth-form form-title="Sign up" submit-action="vm.register(user)" error="vm.error"> <!--Option to add extra fields using transclude.--> </gz-auth-form>
BlueButton/apps/BlueButtonApp/ipad/native/www/default/css/Appointments.css
sethrylan/AI
/* Stylesheet content from css/Appointments.css in folder common */ /* Reset CSS */ a, abbr, address, article, aside, audio, b, blockquote, body, canvas, caption, cite, code, dd, del, details, dfn, dialog, div, dl, dt, em, fieldset, figcaption, figure, footer, form, h1, h2, h3, h4, h5, h6, header, hgroup, html, i, iframe, img, ins, kbd, label, legend, li, mark, menu, nav, object, ol, p, pre, q, samp, section, small, span, strong, sub, summary, sup, table, tbody, td, tfoot, th, thead, time, tr, ul, var, video { margin: 0; padding: 0; } /* Worklight container div */ #content { height: 460px; margin: 0 auto; width: 320px; }
backend/normal/Azan/landing1/css/red.css
newset/theme
/********* Background Color **********/ .heading > h2:before, .heading > h2:after, .services-box:hover > h3 > i, .portfolio-nav > ul > li.active:before, .portfolio-nav > ul > li.active > i, .team-slide .owl-pagination > div.active, .contact-form > form .submit, nav > ul > li.active > a, .sidebar-tabs > ul > li.active > a, .subscribe > form > button, .social-btns > li > a:hover, .tags-cloud > a:hover, .single-post blockquote:before, .single-post blockquote:after, .tags > li > a:hover, .add-comment .submit, .slide1-btn2, .slide2-box:hover { background-color:#ed4848; } /********* Font Color **********/ .heading > h2 > i, .portfolio-nav > ul > li.active > span, .mini-heading > i, .work-progress:hover > i, .tags > li > span > i, .comments > ul li h5, .comments > ul li h5 i > span, .top-contacts > ul > li > i { color:#ed4848; } /********* Border Color **********/ .portfolio-nav > ul > li.active > i, .sidebar-tabs > ul > li.active > a, .mini-heading > i, .social-btns > li > a:hover, .tags-cloud > a:hover, .tags > li > a:hover, .slide2-box:hover { border-color:#ed4848; } /********* Transparent Color **********/ .about-tabs > li > a:before, .portfolio-thumb:before, .portfolio-thumb:after, .post-thumb:before, .flickr a:before, .comments > ul li .avatar:after { background-color:rgba(237,72,72,0.65); } /********* Custom Color **********/
public/css/style.css
mstred/mstred.github.com
/*--- * style.css - custom style definitions */ .sidebar .avatar { border-radius: 4px; margin: 0px; } .sidebar a { outline: none } img.center { margin: 0px auto; } ul.unbulleted li { list-style: none; } /**--- * Borrowed from poole's pre styledef */ li.monotyped { font-family: Menlo, Monaco, "Courier New", monospace; margin-bottom: 1rem; padding: 1rem; font-size: 0.8rem; background-color: #F9F9F9; }
utils/pmd-bin-5.2.2/docs/xref/net/sourceforge/pmd/lang/java/ast/ASTConstructorDeclaration.html
byronka/xenos
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head><meta http-equiv="content-type" content="text/html; charset=UTF-8" /> <title>ASTConstructorDeclaration xref</title> <link type="text/css" rel="stylesheet" href="../../../../../../stylesheet.css" /> </head> <body> <div id="overview"><a href="../../../../../../../apidocs/net/sourceforge/pmd/lang/java/ast/ASTConstructorDeclaration.html">View Javadoc</a></div><pre> <a class="jxr_linenumber" name="L1" href="#L1">1</a> <em class="jxr_javadoccomment">/**</em> <a class="jxr_linenumber" name="L2" href="#L2">2</a> <em class="jxr_javadoccomment"> * BSD-style license; for more info see <a href="http://pmd.sourceforge.net/license.htm" target="alexandria_uri">http://pmd.sourceforge.net/license.htm</a>l</em> <a class="jxr_linenumber" name="L3" href="#L3">3</a> <em class="jxr_javadoccomment"> */</em> <a class="jxr_linenumber" name="L4" href="#L4">4</a> <em class="jxr_comment">/* Generated By:JJTree: Do not edit this line. ASTConstructorDeclaration.java */</em> <a class="jxr_linenumber" name="L5" href="#L5">5</a> <a class="jxr_linenumber" name="L6" href="#L6">6</a> <strong class="jxr_keyword">package</strong> net.sourceforge.pmd.lang.java.ast; <a class="jxr_linenumber" name="L7" href="#L7">7</a> <a class="jxr_linenumber" name="L8" href="#L8">8</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">class</strong> <a href="../../../../../../net/sourceforge/pmd/lang/java/ast/ASTConstructorDeclaration.html">ASTConstructorDeclaration</a> <strong class="jxr_keyword">extends</strong> <a href="../../../../../../net/sourceforge/pmd/lang/java/ast/AbstractJavaAccessNode.html">AbstractJavaAccessNode</a> { <a class="jxr_linenumber" name="L9" href="#L9">9</a> <strong class="jxr_keyword">public</strong> <a href="../../../../../../net/sourceforge/pmd/lang/java/ast/ASTConstructorDeclaration.html">ASTConstructorDeclaration</a>(<strong class="jxr_keyword">int</strong> id) { <a class="jxr_linenumber" name="L10" href="#L10">10</a> <strong class="jxr_keyword">super</strong>(id); <a class="jxr_linenumber" name="L11" href="#L11">11</a> } <a class="jxr_linenumber" name="L12" href="#L12">12</a> <a class="jxr_linenumber" name="L13" href="#L13">13</a> <strong class="jxr_keyword">public</strong> <a href="../../../../../../net/sourceforge/pmd/lang/java/ast/ASTConstructorDeclaration.html">ASTConstructorDeclaration</a>(JavaParser p, <strong class="jxr_keyword">int</strong> id) { <a class="jxr_linenumber" name="L14" href="#L14">14</a> <strong class="jxr_keyword">super</strong>(p, id); <a class="jxr_linenumber" name="L15" href="#L15">15</a> } <a class="jxr_linenumber" name="L16" href="#L16">16</a> <a class="jxr_linenumber" name="L17" href="#L17">17</a> <strong class="jxr_keyword">public</strong> <a href="../../../../../../net/sourceforge/pmd/lang/java/ast/ASTFormalParameters.html">ASTFormalParameters</a> getParameters() { <a class="jxr_linenumber" name="L18" href="#L18">18</a> <strong class="jxr_keyword">return</strong> (ASTFormalParameters) (jjtGetChild(0) instanceof ASTFormalParameters?jjtGetChild(0):jjtGetChild(1)); <a class="jxr_linenumber" name="L19" href="#L19">19</a> } <a class="jxr_linenumber" name="L20" href="#L20">20</a> <a class="jxr_linenumber" name="L21" href="#L21">21</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">int</strong> getParameterCount() { <a class="jxr_linenumber" name="L22" href="#L22">22</a> <strong class="jxr_keyword">return</strong> getParameters().getParameterCount(); <a class="jxr_linenumber" name="L23" href="#L23">23</a> } <a class="jxr_linenumber" name="L24" href="#L24">24</a> <a class="jxr_linenumber" name="L25" href="#L25">25</a> <a class="jxr_linenumber" name="L26" href="#L26">26</a> <em class="jxr_javadoccomment">/**</em> <a class="jxr_linenumber" name="L27" href="#L27">27</a> <em class="jxr_javadoccomment"> * Accept the visitor. *</em> <a class="jxr_linenumber" name="L28" href="#L28">28</a> <em class="jxr_javadoccomment"> */</em> <a class="jxr_linenumber" name="L29" href="#L29">29</a> <strong class="jxr_keyword">public</strong> Object jjtAccept(JavaParserVisitor visitor, Object data) { <a class="jxr_linenumber" name="L30" href="#L30">30</a> <strong class="jxr_keyword">return</strong> visitor.visit(<strong class="jxr_keyword">this</strong>, data); <a class="jxr_linenumber" name="L31" href="#L31">31</a> } <a class="jxr_linenumber" name="L32" href="#L32">32</a> <a class="jxr_linenumber" name="L33" href="#L33">33</a> <strong class="jxr_keyword">private</strong> <strong class="jxr_keyword">boolean</strong> containsComment; <a class="jxr_linenumber" name="L34" href="#L34">34</a> <a class="jxr_linenumber" name="L35" href="#L35">35</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">boolean</strong> containsComment() { <a class="jxr_linenumber" name="L36" href="#L36">36</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">this</strong>.containsComment; <a class="jxr_linenumber" name="L37" href="#L37">37</a> } <a class="jxr_linenumber" name="L38" href="#L38">38</a> <a class="jxr_linenumber" name="L39" href="#L39">39</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">void</strong> setContainsComment() { <a class="jxr_linenumber" name="L40" href="#L40">40</a> <strong class="jxr_keyword">this</strong>.containsComment = <strong class="jxr_keyword">true</strong>; <a class="jxr_linenumber" name="L41" href="#L41">41</a> } <a class="jxr_linenumber" name="L42" href="#L42">42</a> } </pre> <hr/> <div id="footer">Copyright &#169; 2002&#x2013;2014 <a href="http://pmd.sourceforge.net/">InfoEther</a>. All rights reserved.</div> </body> </html>
reference/HTML/rs-demo-web-product-light.html
darrylivan/marcojscalise.com
<!DOCTYPE html> <html dir="ltr" lang="en-US"> <head> <meta http-equiv="content-type" content="text/html; charset=utf-8" /> <meta name="author" content="SemiColonWeb" /> <!-- Stylesheets ============================================= --> <link href="http://fonts.googleapis.com/css?family=Lato:300,400,400italic,600,700|Raleway:300,400,500,600,700,800,900|Permanent+Marker" rel="stylesheet" type="text/css" /> <link rel="stylesheet" href="css/bootstrap.css" type="text/css" /> <link rel="stylesheet" href="style.css" type="text/css" /> <link rel="stylesheet" href="css/dark.css" type="text/css" /> <link rel="stylesheet" href="css/font-icons.css" type="text/css" /> <link rel="stylesheet" href="css/animate.css" type="text/css" /> <link rel="stylesheet" href="css/magnific-popup.css" type="text/css" /> <link rel="stylesheet" href="css/responsive.css" type="text/css" /> <meta name="viewport" content="width=device-width, initial-scale=1" /> <!--[if lt IE 9]> <script src="http://css3-mediaqueries-js.googlecode.com/svn/trunk/css3-mediaqueries.js"></script> <![endif]--> <!-- SLIDER REVOLUTION 5.x CSS SETTINGS --> <link rel="stylesheet" type="text/css" href="include/rs-plugin/css/settings.css" media="screen" /> <link rel="stylesheet" type="text/css" href="include/rs-plugin/css/layers.css"> <link rel="stylesheet" type="text/css" href="include/rs-plugin/css/navigation.css"> <!-- Document Title ============================================= --> <title>Web Product Light - Revolution Slider | Canvas</title> <style> .demos-filter { margin: 0; text-align: right; } .demos-filter li { list-style: none; margin: 10px 0px; } .demos-filter li a { display: block; border: 0; text-transform: uppercase; letter-spacing: 1px; color: #444; } .demos-filter li a:hover, .demos-filter li.activeFilter a { color: #1ABC9C; } @media (max-width: 991px) { .demos-filter { text-align: center; } .demos-filter li { float: left; width: 33.3%; padding: 0 20px; } } @media (max-width: 767px) { .demos-filter li { width: 50%; } } .tp-video-play-button { display: none !important; } .tp-caption { white-space: nowrap; } </style> </head> <body class="stretched"> <!-- Document Wrapper ============================================= --> <div id="wrapper" class="clearfix"> <!-- Slider ============================================= --> <section id="slider" class="revslider-wrap clearfix"> <div id="rev_slider_72_1_wrapper" class="rev_slider_wrapper fullscreen-container" data-alias="web-product-light" style="background-color:transparent;padding:0px;"> <!-- START REVOLUTION SLIDER 5.0.7 fullscreen mode --> <div id="rev_slider_72_1" class="rev_slider fullscreenbanner" style="display:none;" data-version="5.0.7"> <ul> <!-- SLIDE --> <li data-index="rs-251" data-transition="slidevertical" data-slotamount="1" data-easein="default" data-easeout="default" data-masterspeed="1500" data-thumb="include/rs-plugin/demos/assets/images/express_bglight-100x50.jpg" data-rotate="0" data-fstransition="fade" data-fsmasterspeed="1500" data-fsslotamount="7" data-saveperformance="off" data-title="Intro" data-description=""> <!-- MAIN IMAGE --> <img src="include/rs-plugin/demos/assets/images/express_bglight.jpg" alt="" data-bgposition="center center" data-bgfit="cover" data-bgrepeat="no-repeat" class="rev-slidebg" data-no-retina> <!-- LAYERS --> <!-- LAYER NR. 1 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-1" data-x="['right','right','center','center']" data-hoffset="['-254','-453','70','60']" data-y="['middle','middle','middle','bottom']" data-voffset="['50','50','211','25']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:right;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="2500" data-responsive_offset="on" style="z-index: 5;"><img src="include/rs-plugin/demos/assets/images/macbookpro.png" alt="" width="1000" height="600" data-ww="['1000px','1000px','500px','350px']" data-hh="['600px','600px','300px','210px']" data-no-retina> </div> <!-- LAYER NR. 2 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-2" data-x="['left','left','center','center']" data-hoffset="['828','865','70','60']" data-y="['top','top','top','bottom']" data-voffset="['266','216','580','63']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="z:0;rX:0deg;rY:0;rZ:0;sX:1.5;sY:1.5;skX:0;skY:0;opacity:0;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-mask_in="x:0px;y:0px;s:inherit;e:inherit;" data-start="3350" data-responsive_offset="on" style="z-index: 6;"><img src="include/rs-plugin/demos/assets/images/express_macbook_content1.jpg" alt="" width="653" height="408" data-ww="['653px','653px','330px','230px']" data-hh="['408px','408px','206px','144px']" data-no-retina> </div> <!-- LAYER NR. 3 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-3" data-x="['left','left','center','center']" data-hoffset="['593','633','-110','-60']" data-y="['top','top','top','bottom']" data-voffset="['253','203','590','20']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:right;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="2750" data-responsive_offset="on" style="z-index: 7;"><img src="include/rs-plugin/demos/assets/images/ipad.png" alt="" width="430" height="540" data-ww="['430px','430px','200px','170px']" data-hh="['540px','540px','251px','213px']" data-no-retina> </div> <!-- LAYER NR. 4 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-4" data-x="['left','left','left','center']" data-hoffset="['663','703','212','-60']" data-y="['top','top','top','bottom']" data-voffset="['341','291','632','50']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="z:0;rX:0deg;rY:0;rZ:0;sX:1.5;sY:1.5;skX:0;skY:0;opacity:0;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-mask_in="x:0px;y:0px;s:inherit;e:inherit;" data-start="3700" data-responsive_offset="on" style="z-index: 8;"><img src="include/rs-plugin/demos/assets/images/express_ipad_content1.jpg" alt="" width="290" height="374" data-ww="['290px','290px','135px','115px']" data-hh="['374px','374px','174px','148px']" data-no-retina> </div> <!-- LAYER NR. 5 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-5" data-x="['left','left','left','left']" data-hoffset="['530','553','127','58']" data-y="['top','top','top','top']" data-voffset="['348','297','622','529']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:right;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="3000" data-responsive_offset="on" style="z-index: 9;"><img src="include/rs-plugin/demos/assets/images/ihpone.png" alt="" width="260" height="450" data-ww="['260px','260px','130px','100px']" data-hh="['450px','450px','225px','173px']" data-no-retina> </div> <!-- LAYER NR. 6 --> <div class="tp-caption tp-resizeme" id="slide-251-layer-6" data-x="['left','left','left','left']" data-hoffset="['576','598','150','75']" data-y="['top','top','top','top']" data-voffset="['431','379','663','560']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="z:0;rX:0deg;rY:0;rZ:0;sX:1.5;sY:1.5;skX:0;skY:0;opacity:0;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-mask_in="x:0px;y:0px;s:inherit;e:inherit;" data-start="3950" data-responsive_offset="on" style="z-index: 10;"><img src="include/rs-plugin/demos/assets/images/express_iphone_content1.jpg" alt="" width="170" height="286" data-ww="['170px','170px','85px','66px']" data-hh="['286px','286px','143px','111px']" data-no-retina> </div> <!-- LAYER NR. 7 --> <div class="tp-caption WebProduct-Title tp-resizeme" id="slide-251-layer-7" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['-80','-80','137','130']" data-fontsize="['90','90','75','75']" data-lineheight="['90','90','75','70']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1000" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 11; white-space: nowrap;">Beautiful<br>Websites </div> <!-- LAYER NR. 8 --> <div class="tp-caption WebProduct-SubTitle tp-resizeme" id="slide-251-layer-10" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['44','44','294','277']" data-fontsize="['15','15','15','13']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1250" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 12; white-space: nowrap;letter-spacing:2px;font-weight:500;">WORDPRESS / HTML & CSS / JQUERY </div> <!-- LAYER NR. 9 --> <div class="tp-caption WebProduct-Content tp-resizeme" id="slide-251-layer-9" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['129','127','345','316']" data-fontsize="['16','16','16','14']" data-lineheight="['24','24','24','22']" data-width="['448','356','334','277']" data-height="['none','none','76','68']" data-whitespace="normal" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1500" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 13; min-width: 448px; max-width: 448px; white-space: normal;">Our portfolio includes some of the most prominent clients.<br> You can be a part now! </div> <!-- LAYER NR. 10 --> <div class="tp-caption rev-btn rev-btn " id="slide-251-layer-8" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['268','268','456','420']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:300;e:Linear.easeNone;" data-style_hover="c:rgba(51, 51, 51, 1.00);bg:rgba(255, 255, 255, 1.00);" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1750" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-252","delay":""}]' data-responsive_offset="on" data-responsive="off" style="z-index: 14; white-space: nowrap; font-size: 16px; line-height: 48px; font-weight: 600; color: rgba(255, 255, 255, 1.00);font-family:Raleway;background-color:rgba(51, 51, 51, 1.00);padding:0px 40px 0px 40px;border-color:rgba(0, 0, 0, 1.00);border-width:2px;letter-spacing:1px;color: #FFF;">GET STARTED TODAY </div> </li> <!-- SLIDE --> <li data-index="rs-252" data-transition="slidevertical" data-slotamount="1" data-easein="default" data-easeout="default" data-masterspeed="1500" data-thumb="include/rs-plugin/demos/assets/images/desktopbg1-100x50.jpg" data-rotate="0" data-saveperformance="off" data-title="Examples" data-description=""> <!-- MAIN IMAGE --> <img src="include/rs-plugin/demos/assets/images/desktopbg1.jpg" alt="" data-bgposition="center center" data-bgfit="cover" data-bgrepeat="no-repeat" class="rev-slidebg" data-no-retina> <!-- LAYERS --> <!-- LAYER NR. 1 --> <div class="tp-caption tp-resizeme" id="slide-252-layer-1" data-x="['right','right','center','center']" data-hoffset="['103','161','-264','-116']" data-y="['middle','middle','middle','bottom']" data-voffset="['-260','-152','252','65']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;rZ:-30;" data-transform_hover="o:1;sX:0.9;sY:0.9;skX:0px;rX:0;rY:0;rZ:-30;z:0;s:500;e:Power1.easeInOut;" data-style_hover="c:rgba(255, 255, 255, 1.00);" data-transform_in="y:bottom;rX:-20deg;rY:-20deg;rZ:0deg;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:2000;e:Power4.easeIn;s:2000;e:Power4.easeIn;" data-start="2500" data-responsive_offset="on" data-end="8500" style="z-index: 5;"><img src="include/rs-plugin/demos/assets/images/examplelayer3.jpg" alt="" width="800" height="450" data-ww="['600px','500px','400px','200px']" data-hh="['338px','281px','225px','113px']" data-no-retina> </div> <!-- LAYER NR. 2 --> <div class="tp-caption tp-resizeme" id="slide-252-layer-3" data-x="['left','left','center','center']" data-hoffset="['779','623','-3','16']" data-y="['top','top','top','bottom']" data-voffset="['276','325','809','-32']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;rZ:-10;" data-transform_hover="o:1;sX:0.9;sY:0.9;rX:0;rY:0;rZ:-10;z:0;s:500;e:Power1.easeInOut;" data-style_hover="c:rgba(255, 255, 255, 1.00);" data-transform_in="y:bottom;rX:-20deg;rY:-20deg;rZ:0deg;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:2000;e:Power4.easeIn;s:2000;e:Power4.easeIn;" data-start="2750" data-responsive_offset="on" data-end="8500" style="z-index: 6;"><img src="include/rs-plugin/demos/assets/images/examplelayer2.jpg" alt="" width="800" height="450" data-ww="['600px','500px','400px','200px']" data-hh="['338px','281px','225px','113px']" data-no-retina> </div> <!-- LAYER NR. 3 --> <div class="tp-caption tp-resizeme" id="slide-252-layer-5" data-x="['left','left','left','left']" data-hoffset="['813','638','396','263']" data-y="['top','top','top','top']" data-voffset="['557','549','551','507']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;rZ:10;" data-transform_hover="o:1;sX:0.9;sY:0.9;rX:0;rY:0;rZ:10;z:0;s:500;e:Power1.easeInOut;" data-style_hover="c:rgba(255, 255, 255, 1.00);" data-transform_in="y:bottom;rX:-20deg;rY:-20deg;rZ:0deg;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:2000;e:Power4.easeIn;s:2000;e:Power4.easeIn;" data-start="3000" data-responsive_offset="on" data-end="8500" style="z-index: 7;"><img src="include/rs-plugin/demos/assets/images/examplelayer1.jpg" alt="" width="800" height="450" data-ww="['600px','500px','400px','200px']" data-hh="['338px','281px','225px','113px']" data-no-retina> </div> <!-- LAYER NR. 4 --> <div class="tp-caption WebProduct-Title tp-resizeme" id="slide-252-layer-7" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['-80','-80','137','140']" data-fontsize="['90','90','75','75']" data-lineheight="['90','90','75','70']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1000" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 8; white-space: nowrap;">This is<br> Variety! </div> <!-- LAYER NR. 5 --> <div class="tp-caption WebProduct-SubTitle tp-resizeme" id="slide-252-layer-10" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['44','44','294','287']" data-fontsize="['15','15','15','13']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1250" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 9; white-space: nowrap;letter-spacing:2px;font-weight:500;">JUST PICK AND CUSTOMIZE </div> <!-- LAYER NR. 6 --> <div class="tp-caption WebProduct-Content tp-resizeme" id="slide-252-layer-9" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['129','127','345','326']" data-fontsize="['16','16','16','14']" data-lineheight="['24','24','24','22']" data-width="['448','356','334','277']" data-height="['none','none','76','68']" data-whitespace="normal" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1500" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 10; min-width: 448px; max-width: 448px; white-space: normal;">We made sure that there are plenty of examples available for you to choose from. </div> <!-- LAYER NR. 7 --> <div class="tp-caption WebProduct-Button rev-btn " id="slide-252-layer-8" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['268','268','456','430']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:300;e:Linear.easeNone;" data-style_hover="c:rgba(51, 51, 51, 1.00);bg:rgba(255, 255, 255, 1.00);" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1750" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-253","delay":""}]' data-responsive_offset="on" data-responsive="off" style="z-index: 11; white-space: nowrap;letter-spacing:1px;color: #FFF">HOW DOES IT WORK? </div> </li> <!-- SLIDE --> <li data-index="rs-253" data-transition="slidevertical" data-slotamount="1" data-easein="default" data-easeout="default" data-masterspeed="1500" data-thumb="include/rs-plugin/demos/assets/images/mountainbg-100x50.jpg" data-rotate="0" data-saveperformance="off" data-title="Easy to Use" data-description=""> <!-- MAIN IMAGE --> <img src="include/rs-plugin/demos/assets/images/mountainbg.jpg" alt="" data-bgposition="center center" data-bgfit="cover" data-bgrepeat="no-repeat" class="rev-slidebg" data-no-retina> <!-- LAYERS --> <!-- LAYER NR. 1 --> <div class="tp-caption tp-resizeme" id="slide-253-layer-1" data-x="['right','right','center','center']" data-hoffset="['-54','-133','0','0']" data-y="['middle','middle','middle','bottom']" data-voffset="['50','50','211','5']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:right;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="2500" data-responsive_offset="on" style="z-index: 5;"><img src="include/rs-plugin/demos/assets/images/macbookpro.png" alt="" width="1000" height="600" data-ww="['1000px','1000px','500px','350px']" data-hh="['600px','600px','300px','210px']" data-no-retina> </div> <!-- LAYER NR. 2 --> <div class="tp-caption tp-resizeme" id="slide-253-layer-2" data-x="['left','left','center','center']" data-hoffset="['628','545','0','0']" data-y="['top','top','top','bottom']" data-voffset="['267','216','580','43']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="z:0;rX:0deg;rY:0;rZ:0;sX:1.5;sY:1.5;skX:0;skY:0;opacity:0;s:1500;e:Power3.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-mask_in="x:0px;y:0px;s:inherit;e:inherit;" data-start="3350" data-responsive_offset="on" style="z-index: 6;"><img src="include/rs-plugin/demos/assets/images/editor_layers1.jpg" alt="" width="653" height="408" data-ww="['653px','653px','330px','230px']" data-hh="['408px','408px','206px','144px']" data-no-retina> </div> <!-- LAYER NR. 3 --> <div class="tp-caption WebProduct-Title tp-resizeme" id="slide-253-layer-7" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['-80','-80','137','140']" data-fontsize="['90','90','75','75']" data-lineheight="['90','90','75','70']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1000" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 7; white-space: nowrap;">How Does<br> it Work? </div> <!-- LAYER NR. 4 --> <div class="tp-caption WebProduct-SubTitle tp-resizeme" id="slide-253-layer-10" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['44','44','294','287']" data-fontsize="['15','15','15','13']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1250" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 8; white-space: nowrap;letter-spacing:2px;font-weight:500;">IT'S SO EASY THAT ANYONE CAN DO IT </div> <!-- LAYER NR. 5 --> <div class="tp-caption WebProduct-Content tp-resizeme" id="slide-253-layer-9" data-x="['left','left','left','left']" data-hoffset="['30','30','200','80']" data-y="['middle','middle','top','top']" data-voffset="['129','127','345','326']" data-fontsize="['16','16','16','14']" data-lineheight="['24','24','24','22']" data-width="['448','356','334','277']" data-height="['none','none','76','68']" data-whitespace="normal" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1500" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 9; min-width: 448px; max-width: 448px; white-space: normal;">Our new Visual Editor will make creating any design an absolute breeze. Designers will feel at home right away! </div> <!-- LAYER NR. 6 --> <div class="tp-caption WebProduct-Button rev-btn " id="slide-253-layer-8" data-x="['left','left','left','left']" data-hoffset="['30','30','200','79']" data-y="['middle','middle','top','top']" data-voffset="['268','268','456','430']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:300;e:Linear.easeNone;" data-style_hover="c:rgba(51, 51, 51, 1.00);bg:rgba(255, 255, 255, 1.00);" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1750" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-254","delay":""}]' data-responsive_offset="on" data-responsive="off" style="z-index: 10; white-space: nowrap;letter-spacing:1px;color: #FFF;">I WANT A LICENSE </div> </li> <!-- SLIDE --> <li data-index="rs-254" data-transition="slidevertical" data-slotamount="1" data-easein="default" data-easeout="default" data-masterspeed="1500" data-thumb="include/rs-plugin/demos/assets/images/officeloop_cover-100x50.jpg" data-rotate="0" data-saveperformance="off" data-title="Get a License" data-description=""> <!-- MAIN IMAGE --> <img src="include/rs-plugin/demos/assets/images/officeloop_cover.jpg" alt="" data-bgposition="center center" data-bgfit="cover" data-bgrepeat="no-repeat" class="rev-slidebg" data-no-retina> <!-- LAYERS --> <!-- BACKGROUND VIDEO LAYER --> <div class="rs-background-video-layer" data-forcerewind="on" data-volume="mute" data-videowidth="100%" data-videoheight="100%" data-videomp4="include/rs-plugin/demos/assets/videos/officeloop_low.mp4" data-videopreload="preload" data-videoloop="none" data-forceCover="1" data-aspectratio="16:9" data-autoplay="true" data-autoplayonlyfirsttime="false" data-nextslideatend="true" ></div> <!-- LAYER NR. 1 --> <div class="tp-caption tp-shape tp-shapewrapper tp-resizeme" id="slide-254-layer-11" data-x="['center','center','center','center']" data-hoffset="['0','0','0','0']" data-y="['middle','middle','middle','middle']" data-voffset="['0','0','0','0']" data-width="full" data-height="full" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="opacity:0;s:1500;e:Power3.easeInOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="0" data-basealign="slide" data-responsive_offset="on" style="z-index: 5;background-color:rgba(245, 245, 245, 0.95);border-color:rgba(0, 0, 0, 1.00);"> </div> <!-- LAYER NR. 2 --> <div class="tp-caption WebProduct-Title tp-resizeme" id="slide-254-layer-7" data-x="['center','center','center','center']" data-hoffset="['0','0','0','0']" data-y="['middle','middle','top','top']" data-voffset="['-80','-80','176','187']" data-fontsize="['90','90','50','40']" data-lineheight="['90','90','50','40']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1000" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 6; white-space: nowrap;text-align:center;">The Whole World of<br> Canvas Template </div> <!-- LAYER NR. 3 --> <div class="tp-caption WebProduct-SubTitle tp-resizeme" id="slide-254-layer-10" data-x="['center','center','center','center']" data-hoffset="['0','0','0','0']" data-y="['middle','middle','top','top']" data-voffset="['44','44','294','287']" data-fontsize="['15','15','15','13']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1250" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 7; white-space: nowrap;letter-spacing:2px;font-weight:500;">LICENSES STARTING FROM $17 </div> <!-- LAYER NR. 4 --> <div class="tp-caption WebProduct-Content tp-resizeme" id="slide-254-layer-9" data-x="['center','center','center','center']" data-hoffset="['0','0','0','0']" data-y="['middle','middle','top','top']" data-voffset="['129','127','345','326']" data-fontsize="['16','16','16','14']" data-lineheight="['24','24','24','22']" data-width="['448','356','334','277']" data-height="['none','none','76','68']" data-whitespace="normal" data-transform_idle="o:1;" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1500" data-splitin="none" data-splitout="none" data-responsive_offset="on" style="z-index: 8; min-width: 448px; max-width: 448px; white-space: normal;text-align:center;">Make the most of your website and enhance it with cutting-edge ThemePunch technology. </div> <!-- LAYER NR. 5 --> <a class="tp-caption WebProduct-Button rev-btn " href="http://themeforest.net/item/canvas-the-multipurpose-html5-template/9228123?ref=SemiColonWeb&license=regular&open_purchase_for_item_id=9228123&purchasable=source" target="_blank" id="slide-254-layer-8" data-x="['center','center','center','center']" data-hoffset="['0','0','0','0']" data-y="['middle','middle','top','top']" data-voffset="['268','268','456','430']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:300;e:Linear.easeNone;" data-style_hover="c:rgba(51, 51, 51, 1.00);bg:rgba(255, 255, 255, 1.00);" data-transform_in="x:-50px;opacity:0;s:1000;e:Power2.easeOut;" data-transform_out="opacity:0;s:1500;e:Power4.easeIn;s:1500;e:Power4.easeIn;" data-start="1750" data-splitin="none" data-splitout="none" data-actions='' data-responsive_offset="on" data-responsive="off" style="z-index: 9; white-space: nowrap;letter-spacing:1px; color: #FFF;">BUY ON THEMEFOREST </a> </li> </ul> <div class="tp-static-layers"> <!-- LAYER NR. 1 --> <div class="tp-caption - tp-static-layer" id="slide-36-layer-1" data-x="['right','right','right','right']" data-hoffset="['30','30','30','30']" data-y="['top','top','top','top']" data-voffset="['30','30','30','30']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="opacity:0;s:1000;e:Power3.easeInOut;" data-transform_out="auto:auto;s:1000;" data-start="500" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"toggleclass","layer":"slide-36-layer-1","delay":"0","classname":"open"},{"event":"click","action":"togglelayer","layerstatus":"hidden","layer":"slide-36-layer-3","delay":"0"},{"event":"click","action":"togglelayer","layerstatus":"hidden","layer":"slide-36-layer-4","delay":"0"},{"event":"click","action":"togglelayer","layerstatus":"hidden","layer":"slide-36-layer-5","delay":"0"},{"event":"click","action":"togglelayer","layerstatus":"hidden","layer":"slide-36-layer-6","delay":"0"}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" style="z-index: 5; white-space: nowrap; font-size: 20px; line-height: 22px; font-weight: 400; color: rgba(255, 255, 255, 1.00);"><div id="rev-burger"> <span></span> <span></span> <span></span> </div> </div> <!-- LAYER NR. 2 --> <div class="tp-caption rev-burger revb-dark tp-static-layer" id="slide-36-layer-7" data-x="['right','right','right','right']" data-hoffset="['30','30','30','30']" data-y="['top','top','top','top']" data-voffset="['30','30','30','30']" data-width="60" data-height="60" data-whitespace="nowrap" data-transform_idle="o:1;" data-style_hover="cursor:pointer;" data-transform_in="opacity:0;s:1000;e:Power3.easeInOut;" data-transform_out="opacity:0;s:1000;s:1000;" data-start="500" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"toggleclass","layer":"slide-36-layer-7","delay":"0","classname":"open"},{"event":"click","action":"togglelayer","layerstatus":"visible","layer":"slide-36-layer-3","delay":""},{"event":"click","action":"togglelayer","layerstatus":"visible","layer":"slide-36-layer-4","delay":""},{"event":"click","action":"togglelayer","layerstatus":"visible","layer":"slide-36-layer-5","delay":""},{"event":"click","action":"togglelayer","layerstatus":"visible","layer":"slide-36-layer-6","delay":""}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" style="z-index: 6; min-width: 60px; max-width: 60px; max-width: 60px; max-width: 60px; white-space: nowrap; font-size: px; line-height: px; font-weight: 100;padding:22px 0px 0px 14px;border-color:rgba(51, 51, 51, 0.24);border-style:solid;border-width:1px;border-radius:50% 50% 50% 50%;box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;"> <span></span> <span></span> <span></span> </div> <!-- LAYER NR. 3 --> <div class="tp-caption tp-static-layer" id="slide-36-layer-2" data-x="['left','left','left','left']" data-hoffset="['30','30','30','30']" data-y="['top','top','top','top']" data-voffset="['10','10','10','10']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_in="opacity:0;s:1000;e:Power3.easeInOut;" data-transform_out="auto:auto;s:1000;" data-start="500" data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" style="z-index: 7;"><img src="images/logo@2x.png" alt="" width="126" height="100" data-ww="['126px','126px','126px','126px']" data-hh="['100px','100px','100px','100px']"> </div> <!-- LAYER NR. 4 --> <div class="tp-caption WebProduct-Menuitem tp-static-layer" id="slide-36-layer-3" data-x="['right','right','right','right']" data-hoffset="['120','120','120','120']" data-y="['top','top','top','top']" data-voffset="['30','30','30','30']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:200;e:Linear.easeNone;" data-style_hover="c:rgba(153, 153, 153, 1.00);bg:rgba(255, 255, 255, 1.00);cursor:pointer;" data-transform_in="y:top;s:800;e:Power3.easeInOut;" data-transform_out="x:[100%];s:1000;e:Power3.easeInOut;s:1000;e:Power3.easeInOut;" data-mask_out="x:inherit;y:inherit;" data-start="bytrigger" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-251","delay":""},{"event":"click","action":"simulateclick","layer":"slide-36-layer-7","delay":"0"}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" data-end="bytrigger" data-lasttriggerstate="keep" style="z-index: 8; white-space: nowrap; color: #FFF;">INTRO </div> <!-- LAYER NR. 5 --> <div class="tp-caption WebProduct-Menuitem tp-static-layer" id="slide-36-layer-4" data-x="['right','right','right','right']" data-hoffset="['120','120','120','120']" data-y="['top','top','top','top']" data-voffset="['61','61','61','61']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:200;e:Linear.easeNone;" data-style_hover="c:rgba(153, 153, 153, 1.00);bg:rgba(255, 255, 255, 1.00);cursor:pointer;" data-transform_in="y:top;s:800;e:Power3.easeInOut;" data-transform_out="x:[100%];s:1000;e:Power3.easeInOut;s:1000;e:Power3.easeInOut;" data-mask_out="x:inherit;y:inherit;" data-start="bytrigger" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-252","delay":""},{"event":"click","action":"simulateclick","layer":"slide-36-layer-7","delay":"0"}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" data-end="bytrigger" data-lasttriggerstate="keep" style="z-index: 9; white-space: nowrap; color: #FFF;">EXAMPLES </div> <!-- LAYER NR. 6 --> <div class="tp-caption WebProduct-Menuitem tp-static-layer" id="slide-36-layer-5" data-x="['right','right','right','right']" data-hoffset="['120','120','120','120']" data-y="['top','top','top','top']" data-voffset="['92','92','92','92']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:200;e:Linear.easeNone;" data-style_hover="c:rgba(153, 153, 153, 1.00);bg:rgba(255, 255, 255, 1.00);cursor:pointer;" data-transform_in="y:top;s:800;e:Power3.easeInOut;" data-transform_out="x:[100%];s:1000;e:Power3.easeInOut;s:1000;e:Power3.easeInOut;" data-mask_out="x:inherit;y:inherit;" data-start="bytrigger" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-253","delay":""},{"event":"click","action":"simulateclick","layer":"slide-36-layer-7","delay":"0"}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" data-end="bytrigger" data-lasttriggerstate="keep" style="z-index: 10; white-space: nowrap; color: #FFF;">EASY TO USE </div> <!-- LAYER NR. 7 --> <div class="tp-caption WebProduct-Menuitem tp-static-layer" id="slide-36-layer-6" data-x="['right','right','right','right']" data-hoffset="['120','120','120','120']" data-y="['top','top','top','top']" data-voffset="['123','123','123','123']" data-width="none" data-height="none" data-whitespace="nowrap" data-transform_idle="o:1;" data-transform_hover="o:1;rX:0;rY:0;rZ:0;z:0;s:200;e:Linear.easeNone;" data-style_hover="c:rgba(153, 153, 153, 1.00);bg:rgba(255, 255, 255, 1.00);cursor:pointer;" data-transform_in="y:top;s:800;e:Power3.easeInOut;" data-transform_out="x:[100%];s:1000;e:Power3.easeInOut;s:1000;e:Power3.easeInOut;" data-mask_out="x:inherit;y:inherit;" data-start="bytrigger" data-splitin="none" data-splitout="none" data-actions='[{"event":"click","action":"jumptoslide","slide":"rs-254","delay":"0"},{"event":"click","action":"simulateclick","layer":"slide-36-layer-7","delay":"0"}]' data-basealign="slide" data-responsive_offset="off" data-responsive="off" data-startslide="0" data-endslide="3" data-end="bytrigger" data-lasttriggerstate="keep" style="z-index: 11; white-space: nowrap; color: #FFF;">BUY LICENSE </div> </div> <div class="tp-bannertimer tp-bottom" style="visibility: hidden !important;"></div> </div> </div><!-- END REVOLUTION SLIDER --> </section> </div><!-- #wrapper end --> <!-- External JavaScripts ============================================= --> <script type="text/javascript" src="js/jquery.js"></script> <script type="text/javascript" src="js/plugins.js"></script> <!-- Footer Scripts ============================================= --> <script type="text/javascript" src="js/functions.js"></script> <!-- SLIDER REVOLUTION 5.x SCRIPTS --> <script type="text/javascript" src="include/rs-plugin/js/jquery.themepunch.tools.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/jquery.themepunch.revolution.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/extensions/revolution.extension.video.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/extensions/revolution.extension.slideanims.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/extensions/revolution.extension.actions.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/extensions/revolution.extension.layeranimation.min.js"></script> <script type="text/javascript" src="include/rs-plugin/js/extensions/revolution.extension.navigation.min.js"></script> <script type="text/javascript"> var tpj=jQuery, revapi72; tpj(document).ready(function() { if(tpj("#rev_slider_72_1").revolution == undefined){ revslider_showDoubleJqueryError("#rev_slider_72_1"); }else{ revapi72 = tpj("#rev_slider_72_1").show().revolution({ sliderType:"standard", jsFileLocation:"include/rs-plugin/js/", sliderLayout:"fullscreen", dottedOverlay:"none", delay:9000, navigation: { keyboardNavigation:"on", keyboard_direction: "vertical", mouseScrollNavigation:"on", onHoverStop:"off", touch:{ touchenabled:"on", swipe_threshold: 75, swipe_min_touches: 50, swipe_direction: "vertical", drag_block_vertical: false } , bullets: { enable:true, hide_onmobile:true, hide_under:1024, style:"hephaistos", hide_onleave:false, direction:"vertical", h_align:"right", v_align:"center", h_offset:30, v_offset:0, space:5, tmp:'' } }, responsiveLevels:[1240,1024,778,480], gridwidth:[1400,1240,778,480], gridheight:[868,768,960,720], lazyType:"none", shadow:0, spinner:"spinner2", stopLoop:"on", stopAfterLoops:0, stopAtSlide:1, shuffle:"off", autoHeight:"off", fullScreenAlignForce:"off", fullScreenOffsetContainer: "", fullScreenOffset: "", disableProgressBar:"on", hideThumbsOnMobile:"off", hideSliderAtLimit:0, hideCaptionAtLimit:0, hideAllCaptionAtLilmit:0, debugMode:false, fallbacks: { simplifyAll:"off", nextSlideOnWindowFocus:"off", disableFocusListener:false, } }); } }); /*ready*/ </script> </body> </html>
templates/static/theme/ecommerce_product.html
vellonce/CodePM
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>INSPINIA | E-commerce</title> <link href="css/bootstrap.min.css" rel="stylesheet"> <link href="font-awesome/css/font-awesome.css" rel="stylesheet"> <link href="css/plugins/summernote/summernote.css" rel="stylesheet"> <link href="css/plugins/summernote/summernote-bs3.css" rel="stylesheet"> <link href="css/plugins/datapicker/datepicker3.css" rel="stylesheet"> <link href="css/animate.css" rel="stylesheet"> <link href="css/style.css" rel="stylesheet"> </head> <body> <div id="wrapper"> <nav class="navbar-default navbar-static-side" role="navigation"> <div class="sidebar-collapse"> <ul class="nav metismenu" id="side-menu"> <li class="nav-header"> <div class="dropdown profile-element"> <span> <img alt="image" class="img-circle" src="img/profile_small.jpg" /> </span> <a data-toggle="dropdown" class="dropdown-toggle" href="#"> <span class="clear"> <span class="block m-t-xs"> <strong class="font-bold">David Williams</strong> </span> <span class="text-muted text-xs block">Art Director <b class="caret"></b></span> </span> </a> <ul class="dropdown-menu animated fadeInRight m-t-xs"> <li><a href="profile.html">Profile</a></li> <li><a href="contacts.html">Contacts</a></li> <li><a href="mailbox.html">Mailbox</a></li> <li class="divider"></li> <li><a href="login.html">Logout</a></li> </ul> </div> <div class="logo-element"> IN+ </div> </li> <li> <a href="index.html"><i class="fa fa-th-large"></i> <span class="nav-label">Dashboards</span> <span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="index.html">Dashboard v.1</a></li> <li><a href="dashboard_2.html">Dashboard v.2</a></li> <li><a href="dashboard_3.html">Dashboard v.3</a></li> <li><a href="dashboard_4_1.html">Dashboard v.4</a></li> <li><a href="dashboard_5.html">Dashboard v.5 <span class="label label-primary pull-right">NEW</span></a></li> </ul> </li> <li> <a href="layouts.html"><i class="fa fa-diamond"></i> <span class="nav-label">Layouts</span></a> </li> <li> <a href="#"><i class="fa fa-bar-chart-o"></i> <span class="nav-label">Graphs</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="graph_flot.html">Flot Charts</a></li> <li><a href="graph_morris.html">Morris.js Charts</a></li> <li><a href="graph_rickshaw.html">Rickshaw Charts</a></li> <li><a href="graph_chartjs.html">Chart.js</a></li> <li><a href="graph_chartist.html">Chartist</a></li> <li><a href="c3.html">c3 charts</a></li> <li><a href="graph_peity.html">Peity Charts</a></li> <li><a href="graph_sparkline.html">Sparkline Charts</a></li> </ul> </li> <li> <a href="mailbox.html"><i class="fa fa-envelope"></i> <span class="nav-label">Mailbox </span><span class="label label-warning pull-right">16/24</span></a> <ul class="nav nav-second-level collapse"> <li><a href="mailbox.html">Inbox</a></li> <li><a href="mail_detail.html">Email view</a></li> <li><a href="mail_compose.html">Compose email</a></li> <li><a href="email_template.html">Email templates</a></li> </ul> </li> <li> <a href="metrics.html"><i class="fa fa-pie-chart"></i> <span class="nav-label">Metrics</span> </a> </li> <li> <a href="widgets.html"><i class="fa fa-flask"></i> <span class="nav-label">Widgets</span></a> </li> <li> <a href="#"><i class="fa fa-edit"></i> <span class="nav-label">Forms</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="form_basic.html">Basic form</a></li> <li><a href="form_advanced.html">Advanced Plugins</a></li> <li><a href="form_wizard.html">Wizard</a></li> <li><a href="form_file_upload.html">File Upload</a></li> <li><a href="form_editors.html">Text Editor</a></li> <li><a href="form_markdown.html">Markdown</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-desktop"></i> <span class="nav-label">App Views</span> <span class="pull-right label label-primary">SPECIAL</span></a> <ul class="nav nav-second-level collapse"> <li><a href="contacts.html">Contacts</a></li> <li><a href="profile.html">Profile</a></li> <li><a href="profile_2.html">Profile v.2</a></li> <li><a href="contacts_2.html">Contacts v.2</a></li> <li><a href="projects.html">Projects</a></li> <li><a href="project_detail.html">Project detail</a></li> <li><a href="teams_board.html">Teams board</a></li> <li><a href="social_feed.html">Social feed</a></li> <li><a href="clients.html">Clients</a></li> <li><a href="full_height.html">Outlook view</a></li> <li><a href="vote_list.html">Vote list</a></li> <li><a href="file_manager.html">File manager</a></li> <li><a href="calendar.html">Calendar</a></li> <li><a href="issue_tracker.html">Issue tracker</a></li> <li><a href="blog.html">Blog</a></li> <li><a href="article.html">Article</a></li> <li><a href="faq.html">FAQ</a></li> <li><a href="timeline.html">Timeline</a></li> <li><a href="pin_board.html">Pin board</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-files-o"></i> <span class="nav-label">Other Pages</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="search_results.html">Search results</a></li> <li><a href="lockscreen.html">Lockscreen</a></li> <li><a href="invoice.html">Invoice</a></li> <li><a href="login.html">Login</a></li> <li><a href="login_two_columns.html">Login v.2</a></li> <li><a href="forgot_password.html">Forget password</a></li> <li><a href="register.html">Register</a></li> <li><a href="404.html">404 Page</a></li> <li><a href="500.html">500 Page</a></li> <li><a href="empty_page.html">Empty page</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-globe"></i> <span class="nav-label">Miscellaneous</span><span class="label label-info pull-right">NEW</span></a> <ul class="nav nav-second-level collapse"> <li><a href="toastr_notifications.html">Notification</a></li> <li><a href="nestable_list.html">Nestable list</a></li> <li><a href="agile_board.html">Agile board</a></li> <li><a href="timeline_2.html">Timeline v.2</a></li> <li><a href="diff.html">Diff</a></li> <li><a href="i18support.html">i18 support</a></li> <li><a href="sweetalert.html">Sweet alert</a></li> <li><a href="idle_timer.html">Idle timer</a></li> <li><a href="truncate.html">Truncate</a></li> <li><a href="spinners.html">Spinners</a></li> <li><a href="tinycon.html">Live favicon</a></li> <li><a href="google_maps.html">Google maps</a></li> <li><a href="code_editor.html">Code editor</a></li> <li><a href="modal_window.html">Modal window</a></li> <li><a href="clipboard.html">Clipboard</a></li> <li><a href="forum_main.html">Forum view</a></li> <li><a href="validation.html">Validation</a></li> <li><a href="tree_view.html">Tree view</a></li> <li><a href="loading_buttons.html">Loading buttons</a></li> <li><a href="chat_view.html">Chat view</a></li> <li><a href="masonry.html">Masonry</a></li> <li><a href="tour.html">Tour</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-flask"></i> <span class="nav-label">UI Elements</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="typography.html">Typography</a></li> <li><a href="icons.html">Icons</a></li> <li><a href="draggable_panels.html">Draggable Panels</a></li> <li><a href="resizeable_panels.html">Resizeable Panels</a></li> <li><a href="buttons.html">Buttons</a></li> <li><a href="video.html">Video</a></li> <li><a href="tabs_panels.html">Panels</a></li> <li><a href="tabs.html">Tabs</a></li> <li><a href="notifications.html">Notifications & Tooltips</a></li> <li><a href="badges_labels.html">Badges, Labels, Progress</a></li> </ul> </li> <li> <a href="grid_options.html"><i class="fa fa-laptop"></i> <span class="nav-label">Grid options</span></a> </li> <li> <a href="#"><i class="fa fa-table"></i> <span class="nav-label">Tables</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="table_basic.html">Static Tables</a></li> <li><a href="table_data_tables.html">Data Tables</a></li> <li><a href="table_foo_table.html">Foo Tables</a></li> <li><a href="jq_grid.html">jqGrid</a></li> </ul> </li> <li class="active"> <a href="#"><i class="fa fa-shopping-cart"></i> <span class="nav-label">E-commerce</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level"> <li><a href="ecommerce_products_grid.html">Products grid</a></li> <li><a href="ecommerce_product_list.html">Products list</a></li> <li class="active"><a href="ecommerce_product.html">Product edit</a></li> <li><a href="ecommerce_product_detail.html">Product detail</a></li> <li><a href="ecommerce-cart.html">Cart</a></li> <li><a href="ecommerce-orders.html">Orders</a></li> <li><a href="ecommerce_payments.html">Credit Card form</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-picture-o"></i> <span class="nav-label">Gallery</span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li><a href="basic_gallery.html">Lightbox Gallery</a></li> <li><a href="slick_carousel.html">Slick Carousel</a></li> <li><a href="carousel.html">Bootstrap Carousel</a></li> </ul> </li> <li> <a href="#"><i class="fa fa-sitemap"></i> <span class="nav-label">Menu Levels </span><span class="fa arrow"></span></a> <ul class="nav nav-second-level collapse"> <li> <a href="#">Third Level <span class="fa arrow"></span></a> <ul class="nav nav-third-level"> <li> <a href="#">Third Level Item</a> </li> <li> <a href="#">Third Level Item</a> </li> <li> <a href="#">Third Level Item</a> </li> </ul> </li> <li><a href="#">Second Level Item</a></li> <li> <a href="#">Second Level Item</a></li> <li> <a href="#">Second Level Item</a></li> </ul> </li> <li> <a href="css_animation.html"><i class="fa fa-magic"></i> <span class="nav-label">CSS Animations </span><span class="label label-info pull-right">62</span></a> </li> <li class="landing_link"> <a target="_blank" href="landing.html"><i class="fa fa-star"></i> <span class="nav-label">Landing Page</span> <span class="label label-warning pull-right">NEW</span></a> </li> <li class="special_link"> <a href="package.html"><i class="fa fa-database"></i> <span class="nav-label">Package</span></a> </li> </ul> </div> </nav> <div id="page-wrapper" class="gray-bg"> <div class="row border-bottom"> <nav class="navbar navbar-static-top" role="navigation" style="margin-bottom: 0"> <div class="navbar-header"> <a class="navbar-minimalize minimalize-styl-2 btn btn-primary " href="#"><i class="fa fa-bars"></i> </a> <form role="search" class="navbar-form-custom" action="search_results.html"> <div class="form-group"> <input type="text" placeholder="Search for something..." class="form-control" name="top-search" id="top-search"> </div> </form> </div> <ul class="nav navbar-top-links navbar-right"> <li> <span class="m-r-sm text-muted welcome-message">Welcome to INSPINIA+ Admin Theme.</span> </li> <li class="dropdown"> <a class="dropdown-toggle count-info" data-toggle="dropdown" href="#"> <i class="fa fa-envelope"></i> <span class="label label-warning">16</span> </a> <ul class="dropdown-menu dropdown-messages"> <li> <div class="dropdown-messages-box"> <a href="profile.html" class="pull-left"> <img alt="image" class="img-circle" src="img/a7.jpg"> </a> <div class="media-body"> <small class="pull-right">46h ago</small> <strong>Mike Loreipsum</strong> started following <strong>Monica Smith</strong>. <br> <small class="text-muted">3 days ago at 7:58 pm - 10.06.2014</small> </div> </div> </li> <li class="divider"></li> <li> <div class="dropdown-messages-box"> <a href="profile.html" class="pull-left"> <img alt="image" class="img-circle" src="img/a4.jpg"> </a> <div class="media-body "> <small class="pull-right text-navy">5h ago</small> <strong>Chris Johnatan Overtunk</strong> started following <strong>Monica Smith</strong>. <br> <small class="text-muted">Yesterday 1:21 pm - 11.06.2014</small> </div> </div> </li> <li class="divider"></li> <li> <div class="dropdown-messages-box"> <a href="profile.html" class="pull-left"> <img alt="image" class="img-circle" src="img/profile.jpg"> </a> <div class="media-body "> <small class="pull-right">23h ago</small> <strong>Monica Smith</strong> love <strong>Kim Smith</strong>. <br> <small class="text-muted">2 days ago at 2:30 am - 11.06.2014</small> </div> </div> </li> <li class="divider"></li> <li> <div class="text-center link-block"> <a href="mailbox.html"> <i class="fa fa-envelope"></i> <strong>Read All Messages</strong> </a> </div> </li> </ul> </li> <li class="dropdown"> <a class="dropdown-toggle count-info" data-toggle="dropdown" href="#"> <i class="fa fa-bell"></i> <span class="label label-primary">8</span> </a> <ul class="dropdown-menu dropdown-alerts"> <li> <a href="mailbox.html"> <div> <i class="fa fa-envelope fa-fw"></i> You have 16 messages <span class="pull-right text-muted small">4 minutes ago</span> </div> </a> </li> <li class="divider"></li> <li> <a href="profile.html"> <div> <i class="fa fa-twitter fa-fw"></i> 3 New Followers <span class="pull-right text-muted small">12 minutes ago</span> </div> </a> </li> <li class="divider"></li> <li> <a href="grid_options.html"> <div> <i class="fa fa-upload fa-fw"></i> Server Rebooted <span class="pull-right text-muted small">4 minutes ago</span> </div> </a> </li> <li class="divider"></li> <li> <div class="text-center link-block"> <a href="notifications.html"> <strong>See All Alerts</strong> <i class="fa fa-angle-right"></i> </a> </div> </li> </ul> </li> <li> <a href="login.html"> <i class="fa fa-sign-out"></i> Log out </a> </li> </ul> </nav> </div> <div class="row wrapper border-bottom white-bg page-heading"> <div class="col-lg-10"> <h2>Product edit</h2> <ol class="breadcrumb"> <li> <a href="index.html">Home</a> </li> <li> <a>E-commerce</a> </li> <li class="active"> <strong>Product edit</strong> </li> </ol> </div> </div> <div class="wrapper wrapper-content animated fadeInRight ecommerce"> <div class="row"> <div class="col-lg-12"> <div class="tabs-container"> <ul class="nav nav-tabs"> <li class="active"><a data-toggle="tab" href="#tab-1"> Product info</a></li> <li class=""><a data-toggle="tab" href="#tab-2"> Data</a></li> <li class=""><a data-toggle="tab" href="#tab-3"> Discount</a></li> <li class=""><a data-toggle="tab" href="#tab-4"> Images</a></li> </ul> <div class="tab-content"> <div id="tab-1" class="tab-pane active"> <div class="panel-body"> <fieldset class="form-horizontal"> <div class="form-group"><label class="col-sm-2 control-label">Name:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="Product name"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Price:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="$160.00"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Description:</label> <div class="col-sm-10"> <div class="summernote"> <h3>Lorem Ipsum is simply</h3> dummy text of the printing and typesetting industry. <strong>Lorem Ipsum has been the industry's</strong> standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with <br/> </div> </div> </div> <div class="form-group"><label class="col-sm-2 control-label">Meta Tag Title:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="..."></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Meta Tag Description:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="Sheets containing Lorem"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Meta Tag Keywords:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="Lorem, Ipsum, has, been"></div> </div> </fieldset> </div> </div> <div id="tab-2" class="tab-pane"> <div class="panel-body"> <fieldset class="form-horizontal"> <div class="form-group"><label class="col-sm-2 control-label">ID:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="543"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Model:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="..."></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Location:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="location"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Tax Class:</label> <div class="col-sm-10"> <select class="form-control" > <option>option 1</option> <option>option 2</option> </select> </div> </div> <div class="form-group"><label class="col-sm-2 control-label">Quantity:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="Quantity"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Minimum quantity:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="2"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Sort order:</label> <div class="col-sm-10"><input type="text" class="form-control" placeholder="0"></div> </div> <div class="form-group"><label class="col-sm-2 control-label">Status:</label> <div class="col-sm-10"> <select class="form-control" > <option>option 1</option> <option>option 2</option> </select> </div> </div> </fieldset> </div> </div> <div id="tab-3" class="tab-pane"> <div class="panel-body"> <div class="table-responsive"> <table class="table table-stripped table-bordered"> <thead> <tr> <th> Group </th> <th> Quantity </th> <th> Discount </th> <th style="width: 20%"> Date start </th> <th style="width: 20%"> Date end </th> <th> Actions </th> </tr> </thead> <tbody> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <select class="form-control" > <option selected>Group 1</option> <option>Group 2</option> <option>Group 3</option> <option>Group 4</option> </select> </td> <td> <input type="text" class="form-control" placeholder="10"> </td> <td> <input type="text" class="form-control" placeholder="$10.00"> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <div class="input-group date"> <span class="input-group-addon"><i class="fa fa-calendar"></i></span><input type="text" class="form-control" value="07/01/2014"> </div> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> </tbody> </table> </div> </div> </div> <div id="tab-4" class="tab-pane"> <div class="panel-body"> <div class="table-responsive"> <table class="table table-bordered table-stripped"> <thead> <tr> <th> Image preview </th> <th> Image url </th> <th> Sort order </th> <th> Actions </th> </tr> </thead> <tbody> <tr> <td> <img src="img/gallery/2s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image1.png"> </td> <td> <input type="text" class="form-control" value="1"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/1s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image2.png"> </td> <td> <input type="text" class="form-control" value="2"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/3s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image3.png"> </td> <td> <input type="text" class="form-control" value="3"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/4s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image4.png"> </td> <td> <input type="text" class="form-control" value="4"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/5s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image5.png"> </td> <td> <input type="text" class="form-control" value="5"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/6s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image6.png"> </td> <td> <input type="text" class="form-control" value="6"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> <tr> <td> <img src="img/gallery/7s.jpg"> </td> <td> <input type="text" class="form-control" disabled value="http://mydomain.com/images/image7.png"> </td> <td> <input type="text" class="form-control" value="7"> </td> <td> <button class="btn btn-white"><i class="fa fa-trash"></i> </button> </td> </tr> </tbody> </table> </div> </div> </div> </div> </div> </div> </div> </div> <div class="footer"> <div class="pull-right"> 10GB of <strong>250GB</strong> Free. </div> <div> <strong>Copyright</strong> Example Company &copy; 2014-2015 </div> </div> </div> </div> <!-- Mainly scripts --> <script src="js/jquery-2.1.1.js"></script> <script src="js/bootstrap.min.js"></script> <script src="js/plugins/metisMenu/jquery.metisMenu.js"></script> <script src="js/plugins/slimscroll/jquery.slimscroll.min.js"></script> <!-- Custom and plugin javascript --> <script src="js/inspinia.js"></script> <script src="js/plugins/pace/pace.min.js"></script> <!-- SUMMERNOTE --> <script src="js/plugins/summernote/summernote.min.js"></script> <!-- Data picker --> <script src="js/plugins/datapicker/bootstrap-datepicker.js"></script> <script> $(document).ready(function(){ $('.summernote').summernote(); $('.input-group.date').datepicker({ todayBtn: "linked", keyboardNavigation: false, forceParse: false, calendarWeeks: true, autoclose: true }); }); </script> </body> </html>
.history/src/app/admin-configuration/manage-activity-payment/manage-activity-payment.component_20170211125031.html
mnjkumar426/AshaFrontEnd
{{diagnostic}} <div class="aw-ui-callout aw-ui-callout-info"> <span>Please see below all the price set for various Asha Payment Activities.</span> </div> <form class="form-horizontal" #rulesForm="ngForm" (ngSubmit)="onSubmit(ruleForm.value)" method="POST"> <div> <h2>Maternal Health</h2> <h3>ANC Checkups</h3> <div class="form-group"> <label for="101" class="col-sm-4 control-label">No. of Registration during the first trimester of pregnancy at</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-101-R"><i class="fa fa-inr"></i></span> <input id="101_R" class="form-control" type="text" aria-describedby="addon-101-R" [(ngModel)]="model.R_101" name="R_101" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-101-U"><i class="fa fa-inr"></i></span> <input id="101_U" class="form-control" type="text" aria-describedby="addon-101-U" [(ngModel)]="model.U_101" name="U_101" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="101_H" class="form-control" row="1" [(ngModel)]="model.H_101" name="H_101" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="102" class="col-sm-4 control-label">No. of 1st check up</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-102-R"><i class="fa fa-inr"></i></span> <input id="102_R" class="form-control" type="" aria-describedby="addon-102-R" [(ngModel)]="model.R_102" name="R_102" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-102-U"><i class="fa fa-inr"></i></span> <input id="102_U" class="form-control" type="" aria-describedby="addon-102-U" [(ngModel)]="model.U_102" name="U_102" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="102_H" class="form-control" row="1" [(ngModel)]="model.H_102" name="H_102" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="103" class="col-sm-4 control-label">No. of 2 nd check up </label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-103-R"><i class="fa fa-inr"></i></span> <input id="103_R" class="form-control" type="" aria-describedby="addon-103-R" [(ngModel)]="model.R_103" name="R_103" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-103-U"><i class="fa fa-inr"></i></span> <input id="103_U" class="form-control" type="" aria-describedby="addon-103-U" [(ngModel)]="model.U_103" name="U_103" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="103_H" class="form-control" row="1" [(ngModel)]="model.H_103" name="H_102" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="104" class="col-sm-4 control-label">No. of 3 rd check up</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-104-R"><i class="fa fa-inr"></i></span> <input id="104_R" class="form-control" type="" aria-describedby="addon-104-R" [(ngModel)]="model.R_104" name="R_104" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-104-U"><i class="fa fa-inr"></i></span> <input id="104_U" class="form-control" type="" aria-describedby="addon-104-U" [(ngModel)]="model.U_104" name="U_104" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="104_H" class="form-control" row="1" [(ngModel)]="model.H_104" name="H_104" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="105" class="col-sm-4 control-label">No. of 4 th check up by M.O</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-105-R"><i class="fa fa-inr"></i></span> <input id="105_R" class="form-control" type="" aria-describedby="addon-105-R" [(ngModel)]="model.R_105" name="R_105" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-105-U"><i class="fa fa-inr"></i></span> <input id="105_U" class="form-control" type="" aria-describedby="addon-105-U" [(ngModel)]="model.R_105" name="R_105" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="105_H" class="form-control" row="1" [(ngModel)]="model.H_105" name="H_105" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="106" class="col-sm-4 control-label">No. of Deliveres conducted in PHC/Institutons</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-106-R"><i class="fa fa-inr"></i></span> <input id="106_R" class="form-control" type="" aria-describedby="addon-106-R" [(ngModel)]="model.R_106" name="R_106" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-106-U"><i class="fa fa-inr"></i></span> <input id="106_U" class="form-control" type="" aria-describedby="addon-106-U" [(ngModel)]="model.U_106" name="U_106" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="106_H" class="form-control" row="1" [(ngModel)]="model.H_106" name="H_106" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="107" class="col-sm-4 control-label">No. of Maternal Death reported to Sub Centre</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-107-R"><i class="fa fa-inr"></i></span> <input id="107_R" class="form-control" type="" aria-describedby="addon-107-R" [(ngModel)]="model.R_107" name="R_107" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-107-U"><i class="fa fa-inr"></i></span> <input id="107_U" class="form-control" type="" aria-describedby="addon-107-U" [(ngModel)]="model.U_107" name="U_107" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="107_H" class="form-control" row="1" [(ngModel)]="model.H_107" name="H_107" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>Child Health</h2> <div class="form-group"> <label for="108" class="col-sm-4 control-label">Postnatal Visits (HBNC) (6 visits in Institutional Delivery, 7 Visits in Home Delivery)</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-108-R"><i class="fa fa-inr"></i></span> <input id="108_R" class="form-control" type="" aria-describedby="addon-108-R" [(ngModel)]="model.R_108" name="R_108" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-108-U"><i class="fa fa-inr"></i></span> <input id="108_U" class="form-control" type="" aria-describedby="addon-108-U" [(ngModel)]="model.U_108" name="U_108" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="108_H" class="form-control" row="1" [(ngModel)]="model.H_108" name="H_108" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="109" class="col-sm-4 control-label">Rreferral & Follow up of SAM Cases to NRC</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-109-R"><i class="fa fa-inr"></i></span> <input id="109_R" class="form-control" type="" aria-describedby="addon-109-R" [(ngModel)]="model.R_109" name="R_109" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-109-U"><i class="fa fa-inr"></i></span> <input id="109_U" class="form-control" type="" aria-describedby="addon-109-U" [(ngModel)]="model.U_109" name="U_109" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="109_H" class="form-control" row="1" [(ngModel)]="model.H_109" name="H_109" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="110" class="col-sm-4 control-label">Follow up of LBW babies (LBW Low Birth Weight Babies)</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-110-R"><i class="fa fa-inr"></i></span> <input id="110_R" class="form-control" type="" aria-describedby="addon-110-R" [(ngModel)]="model.R_110" name="R_110" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-110-U"><i class="fa fa-inr"></i></span> <input id="110_U" class="form-control" type="" aria-describedby="addon-110-U" [(ngModel)]="model.U_110" name="U_110" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea id="110_H" class="form-control" row="1" [(ngModel)]="model.H_110" name="H_110" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="111" class="col-sm-4 control-label">Follow up of SNCU discharge babies</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-111-R"><i class="fa fa-inr"></i></span> <input id="111_R" class="form-control" type="" aria-describedby="addon-111-R" [(ngModel)]="model.R_111" name="R_111" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-111-U"><i class="fa fa-inr"></i></span> <input id="111_U" class="form-control" type="" aria-describedby="addon-111-U" [(ngModel)]="model.U_111" name="U_111" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_111" name="H_111" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="112" class="col-sm-4 control-label">Infant death reporting to Sub-centre and PHC</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-112-R"><i class="fa fa-inr"></i></span> <input id="112_R" class="form-control" type="" aria-describedby="addon-112-R" [(ngModel)]="model.R_112" name="R_112" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-112-U"><i class="fa fa-inr"></i></span> <input id="112_U" class="form-control" type="" aria-describedby="addon-112-U" [(ngModel)]="model.U_112" name="U_112" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_112" name="H_112" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="113" class="col-sm-4 control-label">Intesive Diarrhoea Control Programme</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-113-R"><i class="fa fa-inr"></i></span> <input id="113_R" class="form-control" type="" aria-describedby="addon-113-R" [(ngModel)]="model.R_113" name="R_113" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-113-U"><i class="fa fa-inr"></i></span> <input id="113_U" class="form-control" type="" aria-describedby="addon-113-U" [(ngModel)]="model.U_113" name="U_113" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_113" name="H_113" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>Immunization</h2> <div class="form-group"> <label for="114" class="col-sm-4 control-label">Pulse Polio Booth Mobilization</label> <div class="col-sm-2"> <div class="input-group disabled"> <span class="input-group-addon" id="addon-114-R"><i class="fa fa-inr"></i></span> <input id="114_R" class="form-control" type="" aria-describedby="addon-114-R" [(ngModel)]="model.R_114" name="R_114" #name="ngModel" disabled> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-114-U"><i class="fa fa-inr"></i></span> <input id="114_U" class="form-control" type="" aria-describedby="addon-114-U" [(ngModel)]="model.U_114" name="U_114" #name="ngModel" disabled> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_114" name="H_114" #name="ngModel"></textarea> </div> </div> <h3>Full Immunization</h3> <div class="form-group"> <label for="115" class="col-sm-4 control-label">Complete Immunization in 1st year of age</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-115-R"><i class="fa fa-inr"></i></span> <input id="115_R" class="form-control" type="" aria-describedby="addon-115-R" [(ngModel)]="model.R_115" name="R_115" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-115-U"><i class="fa fa-inr"></i></span> <input id="115U" class="form-control" type="" aria-describedby="addon-115-U" [(ngModel)]="model.U_115" name="U_115" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_115" name="H_115" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="116" class="col-sm-4 control-label">Full Immunization of 2nd year of age</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-116-R"><i class="fa fa-inr"></i></span> <input id="116" class="form-control" type="" aria-describedby="addon-116-R" [(ngModel)]="model.R_116" name="R_116" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-116-U"><i class="fa fa-inr"></i></span> <input id="116" class="form-control" type="" aria-describedby="addon-116-U" [(ngModel)]="model.U_116" name="U_116" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_116" name="H_116" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>Family Planning</h2> <div class="form-group"> <label for="117" class="col-sm-4 control-label">No. of Counseling & Motivation of women for Tubectomy</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-117-R"><i class="fa fa-inr"></i></span> <input id="117" class="form-control" type="" aria-describedby="addon-117-R" [(ngModel)]="model.R_117" name="R_117" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-117-U"><i class="fa fa-inr"></i></span> <input id="117" class="form-control" type="" aria-describedby="addon-117-U" [(ngModel)]="model.U_117" name="U_117" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_117" name="H_117" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="118" class="col-sm-4 control-label">No. of Counseling & Motivation for men of Vasectomy</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-118-R"><i class="fa fa-inr"></i></span> <input id="118" class="form-control" type="" aria-describedby="addon-118-R" [(ngModel)]="model.R_118" name="R_118" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-118-U"><i class="fa fa-inr"></i></span> <input id="118" class="form-control" type="" aria-describedby="addon-118-U" [(ngModel)]="model.U_118" name="U_118" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_118" name="H_118" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="119" class="col-sm-4 control-label">Accompanying the beneficiary for PPIUCD</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-119-R"><i class="fa fa-inr"></i></span> <input id="119" class="form-control" type="" aria-describedby="addon-119-R" [(ngModel)]="model.R_119" name="R_119" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-119-U"><i class="fa fa-inr"></i></span> <input id="119" class="form-control" type="" aria-describedby="addon-119-U" [(ngModel)]="model.U_119" name="U_119" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_119" name="H_119" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>RKSK (only for HPDs)</h2> <div class="form-group"> <label for="120" class="col-sm-4 control-label">Support to Peer Educator</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-120-R"><i class="fa fa-inr"></i></span> <input id="120" class="form-control" type="" aria-describedby="addon-120-R" [(ngModel)]="model.R_120" name="R_120" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-120-U"><i class="fa fa-inr"></i></span> <input id="120" class="form-control" type="" aria-describedby="addon-120-U" [(ngModel)]="model.U_120" name="U_120" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_120" name="H_120" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="121" class="col-sm-4 control-label">Mobilizing Adolescents for AHD</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-121-R"><i class="fa fa-inr"></i></span> <input id="121" class="form-control" type="" aria-describedby="addon-121-R" [(ngModel)]="model.R_121" name="R_121" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-121-U"><i class="fa fa-inr"></i></span> <input id="121" class="form-control" type="" aria-describedby="addon-121-U" [(ngModel)]="model.U_121" name="U_121" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_121" name="H_121" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>RNTCP</h2> <div class="form-group"> <label for="122" class="col-sm-4 control-label">New TB case Catg.I TB (42 contacts 6-7 months treatment)</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-122-R"><i class="fa fa-inr"></i></span> <input id="122" class="form-control" type="" aria-describedby="addon-122-R" [(ngModel)]="model.R_122" name="R_122" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-122-U"><i class="fa fa-inr"></i></span> <input id="122" class="form-control" type="" aria-describedby="addon-122-U" [(ngModel)]="model.U_122" name="U_122" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_122" name="H_122" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="123" class="col-sm-4 control-label">Previous treated TB case (57 contacts, catg.II TB 8-9 months treatment</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-123-R"><i class="fa fa-inr"></i></span> <input id="123" class="form-control" type="" aria-describedby="addon-123-R" [(ngModel)]="model.R_123" name="R_123" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-123-U"><i class="fa fa-inr"></i></span> <input id="123" class="form-control" type="" aria-describedby="addon-123-U" [(ngModel)]="model.U_123" name="U_123" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_123" name="H_123" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="124" class="col-sm-4 control-label">Providing treatment and support to Drug resistant TB patient (MDR)</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-124-R"><i class="fa fa-inr"></i></span> <input id="124" class="form-control" type="" aria-describedby="addon-124-R" [(ngModel)]="model.R_124" name="R_124" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-124-U"><i class="fa fa-inr"></i></span> <input id="124" class="form-control" type="" aria-describedby="addon-124-U" [(ngModel)]="model.U_124" name="U_124" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_124" name="H_124" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="125" class="col-sm-4 control-label">Identification & Successful completion of DOTS for TB</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-125-R"><i class="fa fa-inr"></i></span> <input id="125" class="form-control" type="" aria-describedby="addon-125-R" [(ngModel)]="model.R_125" name="R_125" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-125-U"><i class="fa fa-inr"></i></span> <input id="125" class="form-control" type="" aria-describedby="addon-125-U" [(ngModel)]="model.U_125" name="U_125" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.H_125" name="H_125" #name="ngModel"></textarea> </div> </div> </div> <div> <h2>NLEP</h2> <div class="form-group"> <label for="126" class="col-sm-4 control-label">PB - Referring for Diagnostics + Complete treatment</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-126-R"><i class="fa fa-inr"></i></span> <input id="126" class="form-control" type="" aria-describedby="addon-126-R" [(ngModel)]="model.R_126" name="R_126" #name="ngModel"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-126-U"><i class="fa fa-inr"></i></span> <input id="126" class="form-control" type="" aria-describedby="addon-126-U" [(ngModel)]="model.U_126" name="R_126" #name="ngModel"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1" [(ngModel)]="model.R_126" name="R_126" #name="ngModel"></textarea> </div> </div> <div class="form-group"> <label for="127" class="col-sm-4 control-label">MB - Dsetection + complete treatment</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-127-R"><i class="fa fa-inr"></i></span> <input id="127" class="form-control" type="" aria-describedby="addon-127-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-127-U"><i class="fa fa-inr"></i></span> <input id="127" class="form-control" type="" aria-describedby="addon-127-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> </div> <div> <h2>NVBDC Programme (Srikakulam, Vizianagaram, East Godavari)</h2> <div class="form-group"> <label for="128" class="col-sm-4 control-label">Preparation of Blood Slide </label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-128-R"><i class="fa fa-inr"></i></span> <input id="128" class="form-control" type="" aria-describedby="addon-128-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-128-U"><i class="fa fa-inr"></i></span> <input id="128" class="form-control" type="" aria-describedby="addon-128-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="129" class="col-sm-4 control-label">Complete treatment for RDT +ve PF case & complete Radical treatment to +ve PF & PC cases</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-129-R"><i class="fa fa-inr"></i></span> <input id="129" class="form-control" type="" aria-describedby="addon-129-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-129-U"><i class="fa fa-inr"></i></span> <input id="129" class="form-control" type="" aria-describedby="addon-129-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="130" class="col-sm-4 control-label">Lymphatic Filariasis – for One time Line listing of Lymphoedema and Hydrocele cases in non-endemic dist</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-130-R"><i class="fa fa-inr"></i></span> <input id="130" class="form-control" type="" aria-describedby="addon-130-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-130-U"><i class="fa fa-inr"></i></span> <input id="130" class="form-control" type="" aria-describedby="addon-130-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="131" class="col-sm-4 control-label">Line listing of Lymphatic Filariasis</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-131-R"><i class="fa fa-inr"></i></span> <input id="131" class="form-control" type="" aria-describedby="addon-131-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-131-U"><i class="fa fa-inr"></i></span> <input id="131" class="form-control" type="" aria-describedby="addon-131-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="132" class="col-sm-4 control-label">Referral of AES / JE cases to the nearest CHC / DH / Medical College</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-132-R"><i class="fa fa-inr"></i></span> <input id="132" class="form-control" type="" aria-describedby="addon-132-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-132-U"><i class="fa fa-inr"></i></span> <input id="132" class="form-control" type="" aria-describedby="addon-132-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> </div> <div> <h2>Routine & Recurrent activities</h2> <div class="form-group"> <label for="133" class="col-sm-4 control-label">Mobilizing & attending VHND in the month</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-133-R"><i class="fa fa-inr"></i></span> <input id="133" class="form-control" type="" aria-describedby="addon-133-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-133-U"><i class="fa fa-inr"></i></span> <input id="133" class="form-control" type="" aria-describedby="addon-133-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="134" class="col-sm-4 control-label">Attending VHSNC meeting</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-134-R"><i class="fa fa-inr"></i></span> <input id="134" class="form-control" type="" aria-describedby="addon-134-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-134-U"><i class="fa fa-inr"></i></span> <input id="134" class="form-control" type="" aria-describedby="addon-134-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="135" class="col-sm-4 control-label">Atttending ASHA Day Meeting</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-135-R"><i class="fa fa-inr"></i></span> <input id="135" class="form-control" type="" aria-describedby="addon-135-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-135-U"><i class="fa fa-inr"></i></span> <input id="135" class="form-control" type="" aria-describedby="addon-135-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="136" class="col-sm-4 control-label">Line listing of households done at beginning of the year and updated after six months</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-136-R"><i class="fa fa-inr"></i></span> <input id="136" class="form-control" type="" aria-describedby="addon-136-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-136-U"><i class="fa fa-inr"></i></span> <input id="136" class="form-control" type="" aria-describedby="addon-136-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="137" class="col-sm-4 control-label">Maintaining village health register and supporting universal registration of births and deaths</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-137-R"><i class="fa fa-inr"></i></span> <input id="137" class="form-control" type="" aria-describedby="addon-137-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-137-U"><i class="fa fa-inr"></i></span> <input id="137" class="form-control" type="" aria-describedby="addon-137-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="138" class="col-sm-4 control-label">Preparation of due list of children to be immunized updated on monthly basis</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-138-R"><i class="fa fa-inr"></i></span> <input id="138" class="form-control" type="" aria-describedby="addon-138-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-138-U"><i class="fa fa-inr"></i></span> <input id="138" class="form-control" type="" aria-describedby="addon-138-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="139" class="col-sm-4 control-label">Preparation of list of ANC beneficiaries to be updated on monthly basis</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-139-R"><i class="fa fa-inr"></i></span> <input id="139" class="form-control" type="" aria-describedby="addon-139-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-139-U"><i class="fa fa-inr"></i></span> <input id="139" class="form-control" type="" aria-describedby="addon-139-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> <div class="form-group"> <label for="140" class="col-sm-4 control-label">Preparation of list of eligible couples updated on monthly basis</label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-140-R"><i class="fa fa-inr"></i></span> <input id="140" class="form-control" type="" aria-describedby="addon-140-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-140-U"><i class="fa fa-inr"></i></span> <input id="140" class="form-control" type="" aria-describedby="addon-140-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> </div> <div> <h2>104 (by state budget)</h2> <div class="form-group"> <label for="141" class="col-sm-4 control-label">No.of ASHA attended 104 Fixed day health services in villages </label> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-141-R"><i class="fa fa-inr"></i></span> <input id="141" class="form-control" type="" aria-describedby="addon-141-R"> </div> </div> <div class="col-sm-2"> <div class="input-group"> <span class="input-group-addon" id="addon-141-U"><i class="fa fa-inr"></i></span> <input id="141" class="form-control" type="" aria-describedby="addon-141-U"> </div> </div> <div class="col-sm-2"> <textarea class="form-control" row="1"></textarea> </div> </div> </div> <div> <button type="submit" class="btn btn-primary">Save</button> </div> </form>
rawdata/utf8_lawstat/version2/04518/0451862051500.html
g0v/laweasyread-data
<html> <META HTTP-EQUIV=Content-Type Content="text/html; charset=utf8"> <!-- Mirrored from lis.ly.gov.tw/lghtml/lawstat/version2/04518/0451862051500.htm by HTTrack Website Copier/3.x [XR&CO'2010], Sun, 24 Mar 2013 09:23:11 GMT --> <head><title>法編號:04518 版本:062051500</title> <link rel="stylesheet" type="text/css" href="../../version.css" > </HEAD> <body><left> <table><tr><td><FONT COLOR=blue SIZE=5>票據法(04518)</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <tr><td align=left valign=top> <a href=0451818092800.html target=law04518><nobr><font size=2>中華民國 18 年 9 月 28 日</font></nobr></a> </td> <td valign=top><font size=2>制定139條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 18 年 10 月 30 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451843043000.html target=law04518><nobr><font size=2>中華民國 43 年 4 月 30 日</font></nobr></a> </td> <td valign=top><font size=2>修正第123條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 43 年 5 月 14 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451849032200.html target=law04518><nobr><font size=2>中華民國 49 年 3 月 22 日</font></nobr></a> </td> <td valign=top><font size=2>修正全文145條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 49 年 3 月 31 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451862051500.html target=law04518><nobr><font size=2>中華民國 62 年 5 月 15 日</font></nobr></a> </td> <td valign=top><font size=2>增訂第146條<br> 修正第6, 8, 11, 13, 14, 16, 18, 19, 22, 23, 25, 29, 30, 31至34, 37, 41, 46, 47, 49, 64, 65, 67, 71, 73, 76, 85至87, 99至101, 111, 114, 116, 120, 124, 125, 128, 130, 131, 135, 138, 139, 141, 144, 145條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 62 年 5 月 28 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451866071300.html target=law04518><nobr><font size=2>中華民國 66 年 7 月 13 日</font></nobr></a> </td> <td valign=top><font size=2>修正第4, 127, 139, 141條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 66 年 7 月 23 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451875062000.html target=law04518><nobr><font size=2>中華民國 75 年 6 月 20 日</font></nobr></a> </td> <td valign=top><font size=2>修正第4, 127, 139條<br> 增訂第144之1條<br> 第141、142條之施行期限,已於中華民國75年12月31日屆滿當然廢止</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 75 年 6 月 29 日公布</font></nobr></td> <tr><td align=left valign=top> <a href=0451876062200.html target=law04518><nobr><font size=2>中華民國 76 年 6 月 22 日</font></nobr></a> </td> <td valign=top><font size=2>刪除第144之1條</font></td> <tr><td align=left valign=top><nobr><font size=2>中華民國 76 年 6 月 29 日公布</font></nobr></td> </table></table></table></table> <p><table><tr><td><font color=blue size=4>民國62年5月15日(非現行條文)</font></td> <td><a href=http://lis.ly.gov.tw/lghtml/lawstat/reason2/0451862051500.htm target=reason><font size=2>立法理由</font></a></td> <td><a href=http://lis.ly.gov.tw/lgcgi/lglawproc?0451862051500 target=proc><font size=2>立法紀錄</font></a></td> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第一章 通則</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   本法所稱票據,為匯票、本票及支票。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   稱匯票者,謂發票人簽發一定之金額,委託付款人於指定之到期日,無條件支付與受款人或執票人之票據。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   稱本票者,謂發票人簽發一定之金額,於指定之到期日,由自己無條件支付與受款人或執票人之票據。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   稱支票者,謂發票人簽發一定之金額,委託銀錢業者或信用合作社,於見票時無條件支付與受款人或執票人之票據。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   在票據上簽名者,依票上所載文義負責。<br>   二人以上共同簽名時,應連帶負責。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上之簽名,得以蓋章代之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上記載金額之文字與號碼不符時,以文字為準。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上雖有無行為能力人或限制行為能力人之簽名,不影響其他簽名之效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   代理人未載明為本人代理之旨而簽名於票據者,應自負票據上之責任。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   無代理權而以代理人名義簽名於票據者,應自負票據上之責任。<br>   代理人逾越權限時,就其權限外之部分,亦應自負票據上之責任。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   欠缺本法所規定票據上應記載事項之一者,其票據無效。但本法別有規定者,不在此限。<br>   執票人善意取得已具備本法規定應記載事項之票據者,得依票據文義行使權利;票據債務人不得以票據原係欠缺應記載事項為理由,對於執票人,主張票據無效。<br>   票據上之記載,除金額外,得由原記載人於交付前改寫之。但應於改寫處簽名。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上記載本法所不規定之事項者,不生票據上之效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據債務人,不得以自己與發票人或執票人之前手間所存抗辯之事由,對抗執票人。但執票人取得票據出於惡意者,不在此限。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   以惡意或有重大過失取得票據者,不得享有票據上之權利。<br>   無對價或以不相當之對價取得票據者,不得享有優於其前手之權利。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據之偽造或票上簽名之偽造,不影響於真正簽名之效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據經變造時,簽名在變造前者,依原有文義負責;簽名在變造後者,依變造文義負責;不能辨別前後時,推定簽名在變造前。<br>   前項票據變造,其參與或同意變造者,不論簽名在變造前後,均依變造文義負責。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上之簽名或記載被塗銷時,非由票據權利人故意為之者,不影響於票據上之效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據喪失時,票據權利人得為止付之通知。但應於提出止付通知後五日內,向付款人提出已為聲請公示催告之證明。<br>   未依前項但書規定辦理者,止付通知失其效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據喪失時,票據權利人得為公示催告之聲請。<br>   公示催告程序開始後,其經到期之票據,聲請人得提供擔保,請求票據金額之支付;不能提供擔保時,得請求將票據金額依法提存。其尚未到期之票據,聲請人得提供擔保,請求給與新票據。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   為行使或保全票據上權利,對於票據關係人應為之行為,應在票據上指定之處所為之;無指定之處所者,在其營業所為之;無營業所者,在其住所或居所為之。票據關係人之營業所、住所或居所不明時,因作成拒絕證書,得請求法院公證處、商會或其他公共會所,調查其人之所在;若仍不明時,得在該法院公證處、商會或其他公共會所作成之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   為行使或保全票據上權利,對於票據關係人應為之行為,應於其營業日之營業時間內為之;如其無特定營業日或未訂有營業時間者,應於通常營業日之營業時間內為之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據上之權利,對匯票承兌人及本票發票人,自到期日起算;見票即付之本票,自發票日起算,三年間不行使,因時效而消滅。對支票發票人自發票日起算,一年間不行使,因時效而消滅。<br>   匯票、本票之執票人,對前手之追索權,自作成拒絕證書日起算,一年間不行使,因時效而消滅。支票之執票人,對前手之追索權,四個月間不行使,因時效而消滅。其免除作成拒絕證書者:匯票、本票自到期日起算;支票自提示日起算。<br>   匯票、本票之背書人,對於前手之追索權,自為清償之日或被訴之日起算,六個月間不行使,因時效而消滅。支票之背書人,對前手之追索權,二個月間不行使,因時效而消滅。<br>   票據上之債權,雖依本法因時效或手續之欠缺而消滅,執票人對於發票人或承兌人,於其所受利益之限度,得請求償還。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   票據餘白不敷記載時,得黏單延長之。<br>   黏單後第一記載人,應於騎縫上簽名。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第二章 匯票</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第一節 發票及款式</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票應記載左列事項,由發票人簽名:<br>   一、表明其為匯票之文字。<br>   二、一定之金額。<br>   三、付款人之姓名或商號。<br>   四、受款人之姓名或商號。<br>   五、無條件支付之委託。<br>   六、發票地。<br>   七、發票年、月、日。<br>   八、付款地。<br>   九、到期日。<br>   未載到期日者,視為見票即付。<br>   未載付款人者,以發票人為付款人。<br>   未載受款人者,以執票人為受款人。<br>   未載發票地者,以發票人之營業所、住所或居所所在地為發票地。<br>   未載付款地者,以付款人之營業所、住所或居所所在地為付款地。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人得以自己或付款人為受款人,並得以自己為付款人。<br>   匯票未載受款人者,執票人得於無記名匯票之空白內,記載自己或他人為受款人,變更為記名匯票。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人得於付款人外,記載一人為擔當付款人。<br>   發票人亦得於付款人外,記載在付款地之一人為預備付款人。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人得記載在付款地之付款處所。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人得記載對於票據金額支付利息及其利率。<br>   利率未經載明時,定為年利六釐。<br>   利息自發票日起算。但有特約者,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第二十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人應照匯票文義擔保承兌及付款。但得依特約免除擔保承兌之責。<br>   前項特約,應載明於匯票。<br>   匯票上有免除擔保付款之記載者,其記載無效。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第二節 背書</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票依背書及交付而轉讓。無記名匯票得僅依交付轉讓之。<br>   記名匯票發票人有禁止轉讓之記載者,不得轉讓。<br>   背書人於票上記載禁止轉讓者,仍得依背書而轉讓之。但禁止轉讓者,對於禁止後再由背書取得匯票之人,不負責任。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   背書由背書人在匯票之背面或其黏單上為之。<br>   背書人記載被背書人,並簽名於匯票者,為記名背書。<br>   背書人不記載被背書人,僅簽名於匯票者,為空白背書。<br>   前兩項之背書,背書人得記載背書之年、月、日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   空白背書之匯票,得依匯票之交付轉讓之。<br>   前項匯票,亦得以空白背書或記名背書轉讓之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票之最後背書為空白背書者,執票人得於該空白內,記載自己或他人為被背書人,變更為記名背書,再為轉讓。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票得讓與發票人、承兌人、付款人或其他票據債務人。<br>   前項受讓人,於匯票到期日前,得再為轉讓。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   背書人得記載在付款地之一人為預備付款人。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   就匯票金額之一部分所為之背書,或將匯票金額分別轉讓於數人之背書,不生效力。背書附記條件者,其條件視為無記載。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人應以背書之連續,證明其權利。但背書中有空白背書時,其次之背書人,視為前空白背書之被背書人。<br>   塗銷之背書,不影響背書之連續者,對於背書之連續,視為無記載。<br>   塗銷之背書,影響背書之連續者,對於背書之連續,視為未塗銷。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人故意塗銷背書者,其被塗銷之背書人,及其被塗銷背書人名次之後而於未塗銷以前為背書者,均免其責任。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第三十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   第二十九條之規定,於背書人準用之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人以委任取款之目的而為背書時,應於匯票上記載之。<br>   前項被背書人,得行使匯票上一切權利,並得以同一目的更為背書。<br>   其次之被背書人所得行使之權利,與第一被背書人同。<br>   票據債務人,對於受任人所得提出之抗辯,以得對抗委任人者為限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   到期日後之背書,僅有通常債權轉讓之效力。<br>   背書未記明日期者,推定其作成於到期日前。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第三節 承兌</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人於匯票到期日前,得向付款人為承兌之提示。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   承兌應在匯票正面記載承兌字樣,由付款人簽名。付款人僅在票面簽名者,視為承兌。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   除見票即付之匯票外,發票人或背書人,得在匯票上為應請求承兌之記載,並得指定其期限。<br>   發票人得為於一定日期前,禁止請求承兌之記載。<br>   背書人所定應請求承兌之期限,不得在發票人所定禁止期限之內。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   見票後定期付款之匯票,應自發票日起六個月內為承兌之提示。<br>   前項期限,發票人得以特約縮短或延長之。但延長之期限,不得逾六個月。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   見票後定期付款之匯票,或指定請求承兌期限之匯票,應由付款人在承兌時,記載其日期。<br>   承兌日期未經記載時,承兌仍屬有效。但執票人得請作成拒絕證書,證明承兌日期;未作成拒絕證書者,以前條所許或發票人指定之承兌期限之末日為承兌日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人承兌時,經執票人之同意,得就匯票金額之一部分為之。但執票人應將事由通知其前手。<br>   承兌附條件者,視為承兌之拒絕。但承兌人仍依所附條件負其責任。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於執票人請求承兌時,得請其延期為之。但以三日為限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第四十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於承兌時,得指定擔當付款人。<br>   發票人已指定擔當付款人者,付款人於承兌時,得塗銷或變更之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於承兌時,得於匯票上記載付款地之付款處所。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人雖在匯票上簽名承兌,未將匯票交還執票人以前,仍得撤銷其承兌。但已向執票人或匯票簽名人以書面通知承兌者,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於承兌後,應負付款之責。<br>   承兌人到期不付款者,執票人雖係原發票人,亦得就第九十七條及第九十八條所定之金額,直接請求支付。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第四節 參加承兌</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人於到期日前得行使追索權時,匯票上指定有預備付款人者,得請求其為參加承兌。<br>   除預備付款人與票據債務人外,不問何人,經執票人同意,得以票據債務人中之一人為被參加人,而為參加承兌。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加承兌,應在匯票正面記載左列各款,由參加承兌人簽名:<br>   一、參加承兌之意旨。<br>   二、被參加人姓名。<br>   三、年、月、日。<br>   未記載被參加人者,視為為發票人參加承兌。<br>   預備付款人為參加承兌時,以指定預備付款人之人為被參加人。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加人非受被參加人之委託而為參加者,應於參加後四日內,將參加事由通知被參加人。<br>   參加人怠於為前項通知因而發生損害時,應負賠償之責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人允許參加承兌後,不得於到期日前行使追索權。<br>   被參加人及其前手,仍得於參加承兌後,向執票人支付第九十七條所定金額,請其交出匯票及拒絕證書。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人或擔當付款人,不於第六十九條及第七十條所定期限內付款時,參加承兌人應負支付第九十七條所定金額之責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第五節 保證</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票之債務,得由保證人保證之。<br>   前項保證人,除票據債務人外,不問何人,均得為之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第五十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   保證應在匯票或其謄本上記載左列各款,由保證人簽名:<br>   一、保證人之意旨。<br>   二、被保證人姓名。<br>   三、年、月、日。<br>   保證未載明年、月、日者,以發票年、月、日為年、月、日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   保證未載明被保證人者,視為為承兌人保證;其未經承兌者,視為為發票人保證。但得推知其為何人保證者,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   保證人與被保證人負同一責任。<br>   被保證人之債務縱為無效,保證人仍負擔其義務。但被保證人之債務,因方式之欠缺而為無效者,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   二人以上為保證時,均應連帶負責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   保證得就匯票金額之一部分為之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   保證人清償債務後,得行使執票人對承兌人、被保證人及其前手之追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第六節 到期日</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票之到期日,應依左列各式之一定之:<br>   一、定日付款。<br>   二、發票日後定期付款。<br>   三、見票即付。<br>   四、見票後定期付款。<br>   分期付款之匯票,其中任何一期,到期不獲付款時,未到期部分,視為全部到期。<br>   前項視為到期之匯票金額中所含未到期之利息,於清償時,應扣減之。<br>   利息經約定於匯票到期日前分期付款者,任何一期利息到期不獲付款時,全部匯票金額視為均已到期。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   見票即付之匯票,以提示日為到期日。<br>   第四十五條之規定,於前項提示準用之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   見票後定期付款之匯票,依承兌日或拒絕承兌證書作成日,計算到期日。<br>   匯票經拒絕承兌而未作成拒絕承兌證書者,依第四十五條所規定承兌提示期限之末日,計算到期日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票日後或見票日後一個月或數個月付款之匯票,以在應付款之月與該日期相當之日為到期日;無相當日者,以該月末日為到期日。<br>   發票日後或見票日後一個月半或數個月半付款之匯票,應依前項規定,計算全月後加十五日,以其末日為到期日。<br>   票上僅載月初、月中、月底者,謂月之一日、十五日、末日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第七節 付款</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第六十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人應於到期日或其後二日內,為付款之提示。<br>   匯票上載有擔當付款人者,其付款之提示,應向擔當付款人為之。<br>   為交換票據向票據交換所提示者,與付款之提示有同一效力。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款經執票人之同意,得延期為之。但以提示後三日為限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人對於背書不連續之匯票而付款者,應自負其責。<br>   付款人對於背書簽名之真偽,及執票人是否票據權利人,不負認定之責。但有惡意或重大過失時,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   到期日前之付款,執票人得拒絕之。<br>   付款人於到期日前付款者,應自負其責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   一部分之付款,執票人不得拒絕。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人付款時,得要求執票人記載收訖字樣簽名為證,並交出匯票。<br>   付款人為一部分之付款時,得要求執票人在票上記載所收金額,並另給收據。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   表示匯票金額之貨幣,如為付款地不通用者,得依付款日行市,以付款地通用之貨幣支付之。但有特約者,不在此限。<br>   表示匯票金額之貨幣,如在發票地與付款地名同價異者,推定其為付款地之貨幣。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人在第六十九條所定期限內,不為付款之提示時,票據債務人得將匯票金額依法提存;其提存費用,由執票人負擔之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第八節 參加付款</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款,應於執票人得行使追索權時為之。但至遲不得逾拒絕證明作成期限之末日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款,不問何人,均得為之。<br>   執票人拒絕參加付款者,對於被參加人及其後手喪失追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第七十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人或擔當付款人,不於第六十九條及第七十條所定期限內付款者,有參加承兌人時,執票人應向參加承兌人為付款之提示;無參加承兌人而有預備付款人時,應向預備付款人為付款之提示。<br>   參加承兌人或預備付款人,不於付款提示時為清償者,執票人應請作成拒絕付款證書之機關,於拒絕證書上載明之。<br>   執票人違反前二項規定時,對於被參加人與指定預備付款人之人及其後手,喪失追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   請為參加付款者有數人時,其能免除最多數之債務者,有優先權。<br>   故意違反前項規定為參加付款者,對於因之未能免除債務之人,喪失追索權。<br>   能免除最多數之債務者有數人時,應由受被參加人之委託者或預備付款人參加之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款,應就被參加人應支付金額之全部為之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款,應於拒絕付款證書內記載之。<br>   參加承兌人付款,以被參加承兌人為被參加付款人。預備付款人付款,以指定預備付款人之人為被參加付款人。<br>   無參加承兌人或預備付款人,而匯票上未記載被參加付款人者,以發票人為被參加付款人。<br>   第五十五條之規定,於參加付款準用之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款後,執票人應將匯票及收款清單交付參加付款人,有拒絕證書者,應一併交付之。<br>   違反前項之規定者,對於參加付款人,應負損害賠償之責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   參加付款人,對於承兌人、被參加付款人及其前手,取得執票人之權利。但不得以背書更為轉讓。<br>   被參加付款人之後手,因參加付款而免除債務。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第九節 追索權</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票到期不獲付款時,執票人於行使或保全匯票上權利之行為後,對於背書人、發票人及匯票上其他債務人,得行使追索權。<br>   有左列情形之一者,雖在到期日前,執票人亦得行使前項權利:<br>   一、匯票不獲承兌時。<br>   二、付款人或承兌人死亡、逃避或其他原因,無從為承兌或付款提示時。<br>   三、付款人或承兌人受破產宣告時。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票全部或一部不獲承兌或付款或無從為承兌或付款提示時,執票人應請求作成拒絕證書證明之。<br>   付款人或承兌人在匯票上記載提示日期,及全部或一部承兌或付款之拒絕,經其簽名後,與作成拒絕證書有同一效力。<br>   付款人或承兌人之破產,以宣告破產裁定之正本或節本證明之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕承兌證書,應於提示承兌期限內作成之。<br>   拒絕付款證書,應以拒絕付款日或其後五日內作成之。但執票人允許延期付款時,應於延期之末日,或其後五日內作成之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕承兌證書作成後,無須再為付款提示,亦無須再請求作成付款拒絕證書。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第八十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人應於拒絕證書作成後四日內,對於背書人、發票人及其他匯票上債務人,將拒絕事由通知之。<br>   如有特約免除作成拒絕證書者,執票人應於拒絕承兌或拒絕付款後四日內,為前項之通知。<br>   背書人應於收到前項通知後四日內,通知其前手。<br>   背書人未於票據上記載住所或記載不明時,其通知對背書人之前手為之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人、背書人及匯票上其他債務人,得於第八十九條所定通知期限前,免除執票人通知之義務。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   通知得用任何方法為之。但主張於第八十九條所定期限內曾為通知者,應負舉證之責。<br>   付郵遞送之通知,如封面所記被通知人之住所無誤,視為已經通知。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   因不可抗力,不能於第八十九條所定期限內將通知發出者,應於障礙中止後四日內行之。<br>   證明於第八十九條所定期間內已將通知發出者,認為遵守通知期限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   不於第八十九條所定期限內為通知者,仍得行使追索權。但因其怠於通知發生損害時,應負賠償之責;其賠償金額,不得超過匯票金額。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人或背書人,得為免除作成拒絕證書之記載。<br>   發票人為前項記載時,執票人得不請求作成拒絕證書,而行使追索權。但執票人仍請求作成拒絕證書時,應自負擔其費用。<br>   背書人為第一項記載時,僅對於該背書人發生效力。執票人作成拒絕證書者,得向匯票上其他簽名人要求償還其費用。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票上雖有免除作成拒絕證書之記載,執票人仍應於所定期限內為承兌或付款之提示。但對於執票人主張未為提示者,應負舉證之責。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人、承兌人、背書人及其他票據債務人,對於執票人連帶負責。<br>   執票人得不依負擔債務之先後,對於前項債務人之一人或數人或全體行使追索權。<br>   執票人對於債務人之一人或數人已為追索者,對於其他票據債務人,仍得行使追索權。<br>   被追索者已為清債時,與執票人有同一權利。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人向匯票債務人行使追索權時,得要求左列金額:<br>   一、被拒絕承兌或付款之匯票金額,如有約定利息者,其利息。<br>   二、自到期日起如無約定利率者,依年利六釐計算之利息。<br>   三、作成拒絕證書與通知及其他必要費用。<br>   於到期日前付款者,自付款日至到期日前之利息,應由匯票金額內扣除。無約定利率者,依年利六釐計算。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   為第九十七條之清償者,得向承兌人或前手要求左列金額:<br>   一、所支付之總金額。<br>   二、前款金額之利息。<br>   三、所支出之必要費用。<br>   發票人為第九十七條之清償者,向承兌人要求之金額同。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第九十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人為發票人時,對其前手無追索權。<br>   執票人為背書人時,對該背書之後手無追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票債務人為清償時,執票人應交出匯票。有拒絕證書時,應一併交出。<br>   匯票債務人為前項清償,如有利息及費用者,執票人應出具收據及償還計算書。<br>   背書人為清償時,得塗銷自己及其後手之背書。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票金額一部分獲承兌時,清償未獲承兌部分之人,得要求執票人在匯票上記載其事由,另行出具收據,並交出匯票之謄本及拒絕承兌證書。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   有追索權者,得以發票人或前背書人之一人或其他票據債務人為付款人,向其住所所在地發見票即付之匯票。但有相反約定時,不在此限。<br>   前項匯票之金額,於第九十七條及第九十八條所列者外,得加經紀費及印花稅。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人依第一百零二條之規定發匯票時,其金額依原匯票付款地匯往前手所在地之見票即付匯票之市價定之。<br>   背書人依第一百零二條之規定發匯票時,其金額依其所在地匯往前手所在地之見票即付匯票之市價定之。<br>   前二項市價,以發票日之市價為準。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人不於本法所定期限內為行使或保全匯票上權利之行為者,對於前手喪失追索權。<br>   執票人不於約定期限內為前項行為者,對於該約定之前手喪失追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人因不可抗力之事變,不能於所定期限內為承兌或付款之提示,應將其事由從速通知發票人、背書人及其他票據債務人。<br>   第八十九條至第九十三條之規定,於前項通知準用之。<br>   不可抗力之事變終止後,執票人應即對付款人提示。<br>   如事變延至到期日後三十日以外時,執票人得逕行使追索權,無須提示或作成拒絕證書。<br>   匯票為見票即付或見票後定期付款者,前項三十日之期限,自執票人通知其前手之日起算。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第十節 拒絕證書</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕證書,由執票人請求拒絕承兌地或拒絕付款地之法院公證處、商會或銀行公會作成之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕證書,應記載左列各款,由作成人簽名,並蓋作成機關之印章:<br>   一、拒絕者及被拒絕者之姓名或商號。<br>   二、對於拒絕者,雖為請求未得允許之意旨,或不能會晤拒絕者之事由,或其營業所、住所或居所不明之情形。<br>   三、為前款請求,或不能為前款請求之地及其年、月、日。<br>   四、於法定處所外作成拒絕證書時,當事人之合意。<br>   五、有參加承兌時或參加付款時,參加之種類及參加人,並被參加人之姓名或商號。<br>   六、拒絕證書作成之處所及其年、月、日。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款拒絕證書,應在匯票或其黏單上作成之。<br>   匯票有複本或謄本者,於提示時,僅須在複本之一份或原本或其黏單上作成之。但可能時,應在其他複本之各份或謄本上記載已作拒絕證書之事由。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百零九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款拒絕證書以外之拒絕證書,應照匯票或其謄本作成抄本,在該抄本或其黏單上作成之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人以匯票之原本請求承兌或付款而被拒絕,並未經返還原本時,其拒絕證書,應在謄本或其黏單上作成之。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕證書應接續匯票上、複本上或謄本上原有之最後記載作成之。<br>   在黏單上作成者,並應於騎縫處簽名。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   對數人行使追索權時,祇須作成拒絕證書一份。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   拒絕證書作成人,應將證書原本交付執票人,並就證書全文另作抄本存於事務所,以備原本滅失時之用。<br>   抄本與原本有同一效力。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第十一節 複本</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   匯票之受款人,得自負擔其費用,請求發票人發行複本。但受款人以外之執票人,請求發行複本時,須依次經由其前手請求之,並由其前手在各複本上,為同樣之背書。<br>   前項複本,以三份為限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   複本應記載同一文句,標明複本字樣,並編列號數。未經標明複本字樣,並編列號數者,視為獨立之匯票。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   就複本之一付款時,其他複本失其效力。但承兌人對於經其承兌而未收回之複本,應負其責。<br>   背書人將複本分別轉讓於二人以上時,對於經其背書而未收回之複本,應負其責。<br>   將複本各份背書轉讓與同一人者,該背書人為償還時,得請求執票人交出複本之各份。但執票人已立保證或提供擔保者,不在此限。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   為提示承兌送出複本之一者,應於其他各份上載明接收人之姓名或商號及住址。<br>   匯票上有前項記載者,執票人得請求接收人交還其所接收之複本。<br>   接收人拒絕交還時,執票人非以拒絕證書證明左列各款事項,不得行使追索權:<br>   一、曾向接收人請求交還此項複本,而未經其交還。<br>   二、以他複本為承兌或付款之提示,而不獲承兌或付款。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第十二節 謄本</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人有作成匯票謄本之權利。<br>   謄本應標明謄本字樣,謄寫原本上之一切事項,並註明迄於何處為謄寫部分。<br>   執票人就匯票作成謄本時,應將已作成謄本之旨,記載於原本。<br>   背書及保證,亦得在謄本上為之,與原本上所為之背書及保證有同一效力。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   為提示承兌送出原本者,應於謄本上載明原本接收人之姓名或商號及其住址。<br>   匯票上有前項記載者,執票人得請求接收人交還原本。<br>   接收人拒絕交還時,執票人非將曾向接收人請求交還原本而未經其交還之事由,以拒絕證書證明,不得行使追索權。<br> </td> </table> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第三章 本票</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   本票應記載左列事項,由發票人簽名:<br>   一、表明其為本票之文字。<br>   二、一定之金額。<br>   三、受款人之姓名或商號。<br>   四、無條件擔任支付。<br>   五、發票地。<br>   六、發票年、月、日。<br>   七、付款地。<br>   八、到期日。<br>   未載到期日者,視為見票即付。<br>   未載受款人者,以執票人為受款人。<br>   未載發票地者,以發票人之營業所、住所或居所所在地為發票地。<br>   未載付款地者,以發票地為付款地。<br>   見票即付,並不記載受款人之本票,其金額須在五百元以上。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   本票發票人所負責任,與匯票承兌人同。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   見票後定期付款之本票,應由執票人向發票人為見票之提示,請其簽名,並記載見票字樣及日期;其提示期限,準用第四十五條之規定。<br>   未載見票日期者,應以所定提示見票期限之末日為見票日。<br>   發票人於提示見票時,拒絕簽名者,執票人應於提示見票期限內,請求作成拒絕證書。<br>   執票人依前項規定,作成見票拒絕證書後,無須再為付款之提示,亦無須再請求作成付款拒絕證書。<br>   執票人不於第四十五條所定期限內為見票之提示或作成拒絕證書者,對於發票人以外之前手,喪失追索權。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人向本票發票人行使追索權時,得聲請法院裁定後強制執行。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   第二章第一節第二十五條第二項、第二十六條第一項及第二十八條,關於發票人之規定;第二章第二節關於背書之規定,除第三十五條外,第二章第五節關於保證之規定;第二章第六節關於到期日之規定;第二章第七節關於付款之規定;第二章第八節關於參加付款之規定,除第七十九條及第八十二條第二項外;第二章第九節關於追索權之規定,除第八十七條第一項,第八十八條及第一百零一條外;第二章第十節關於拒絕證書之規定;第二章第十二節關於謄本之規定,除第一百十九條外;均於本票準用之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第四章 支票</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   支票應記載左列事項,由發票人簽名:<br>   一、表明其為支票之文字。<br>   二、一定之金額。<br>   三、付款人之商號。<br>   四、受款人之姓名或商號。<br>   五、無條件支付之委託。<br>   六、發票地。<br>   七、發票年、月、日。<br>   八、付款地。<br>   未載受款人者,以執票人為受款人。<br>   未載發票地者,以發票人之營業所、住所或居所為發票地。<br>   發票人得以自己或付款人為受款人,並得以自己為付款人。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人應照支票文義擔保支票之支付。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   支票之付款人以銀錢業者及信用合作社為限。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   支票限於見票即付,有相反之記載者,其記載無效。<br>   支票在票載發票日前,執票人不得為付款之提示。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百二十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   以支票轉帳或為抵銷者,視為支票之支付。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   支票之執票人,應於左列期限內,為付款之提示:<br>   一、發票地與付款地在同一省(市)區內者,發票日後七日內。<br>   二、發票地與付款地不在同一省(市)區內者,發票日後十五日內。<br>   三、發票地在國外,付款地在國內者,發票日後二個月內。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人於第一百三十條所定提示期限內,為付款之提示而被拒絕時,對於前手得行使追索權。但應於拒絕付款日或其後五日內,請求作成拒絕證書。<br>   付款人於支票或黏單上記載拒絕文義及其年、月、日並簽名者,與作成拒絕證書,有同一效力。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人不於第一百三十條所定期限內為付款之提示,或不於拒絕付款日或其後五日內請求作成拒絕證書者,對於發票人以外之前手,喪失追索權。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   執票人向支票債務人行使追索權時,得請求自為付款提示日起之利息。如無約定利率者,依年利六釐計算。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人雖於提示期限經過後,對於執票人仍負責任。但執票人怠於提示,致使發票人受損失時,應負賠償之責;其賠償金額,不得超過票面金額。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人於第一百三十條所定期限內,不得撤銷付款之委託。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於提示期限經過後,仍得付款。但有左列情事之一者,不在此限:<br>   一、發票人撤銷付款之委託時。<br>   二、發行滿一年時。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十七條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於發票人之存款或信用契約所約定之數不敷支付支票金額時,得就一部分支付之。<br>   前項情形,執票人應於支票上記明實收之數目。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十八條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於支票上記載照付或保付或其他同義字樣並簽名後,其付款責任,與匯票承兌人同。<br>   付款人於支票上已為前項之記載時,發票人及背書人免除其責任。<br>   付款人不得為存款額外或信用契約所約定數目以外之保付,違反者應科以罰鍰。但罰鍰不得超過支票金額。<br>   依第一項規定,經付款人保付之支票,不適用第十八條、第一百三十條及第一百三十六條之規定。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百三十九條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   支票經在正面畫平行線二道者,付款人僅得對銀錢業者或信用合作社支付票據金額。<br>   支票上平行線內記載特定銀錢業者或信用合作社之名稱者,付款人僅得對該特定銀錢業者或信用合作社支付票據金額。但該特定銀錢業者或信用合作社為執票人時,得以其他銀錢業者或信用合作社為被背書人,背書後委託其取款。<br>   畫平行線支票之執票人,如非銀錢業者或信用合作社,應將該項支票存入其在銀錢業者或信用合作社之帳戶,委託其代為取款。<br>   支票上平行線內,記載特定銀錢業者或信用合作社之名稱,應存入其在該特定銀錢業者或信用合作社之帳戶,委託其代為取款。<br>   畫平行線之支票,得由發票人於平行線內記載照付現款或同義字樣,由發票人簽名或蓋章於其旁,支票上有此記載者,視為平行線之撤銷。但支票經背書轉讓者,不在此限。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   違反第一百三十九條之規定而付款者,應負賠償損害之責。但賠償金額不得超過支票金額。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十一條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   發票人無存款餘額,又未經付款人允許墊借而簽發支票,經執票人提示不獲支付者,處二年以下有期徒刑、拘役或科或併科該支票面額以下之罰金。<br>   發票人簽發支票者,故意將金額超過其存數或超過付款人允許墊借之金額,經執票人提示不獲支付者,處二年以下有期徒刑、拘役或科或併科該不足金額以下之罰金。<br>   發票人於第一百三十條所定之期限內,故意提回其存款之全部或一部或以其他不正當方法,使支票不獲支付者,準用前二項之規定。<br>   犯第一項至第三項之罪,而於辯論終結前清償支票金額之一部或全部者,減輕或免除其刑。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十二條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   依前條規定處罰之案件,不適用刑法第五十六條之規定。<br>   (中華民國七十五年十二月三十一日施行期限屆滿)。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十三條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   付款人於發票人之存款或信用契約所約定之數,足敷支付支票金額時,應負支付之責。但收到發票人受破產宣告之通知者,不在此限。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十四條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   第二章第一節第二十五條第二項關於發票人之規定;第二節關於背書之規定,除第三十五條外;第二章第七節關於付款之規定,除第六十九條第一項、第二項、第七十條、第七十二條、第七十六條外;第二章第九節關於追索權之規定,除第八十五條第二項第一款、第二款、第八十七條、第八十八條、第九十七條第一項第二款、第二項及第一百零一條外;第二章第十節關於拒絕證書之規定,除第一百零八條第二項、第一百零九條及第一百十條外;均於支票準用之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <td><font color=4000ff size=4>第五章 附則</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十五條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   本法施行細則,由行政院定之。<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>第一百四十六條</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td>   本法自公布日施行。<br> </td> </table> </table> </table> </left> </body> <!-- Mirrored from lis.ly.gov.tw/lghtml/lawstat/version2/04518/0451862051500.htm by HTTrack Website Copier/3.x [XR&CO'2010], Sun, 24 Mar 2013 09:23:11 GMT --> </html>
slf4j-site/src/site/pages/news.html
geekboxzone/mmallow_external_slf4j
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="content-type" content="text/html; charset=iso-8859-1" /> <title>SLF4J News</title> <link rel="stylesheet" type="text/css" media="screen" href="css/site.css" /> <link rel="stylesheet" type="text/css" href="css/prettify.css" /> </head> <body onload="prettyPrint()"> <script type="text/javascript">prefix='';</script> <script type="text/javascript" src="js/prettify.js"></script> <script src="templates/header.js" type="text/javascript"></script> <div id="left"> <script src="templates/left.js" type="text/javascript"></script> </div> <div id="content"> <h1>SLF4J News</h1> <p>Please note that you can receive SLF4J related announcements by subscribing to the <a href="http://www.qos.ch/mailman/listinfo/announce">QOS.ch announce</a> mailing list. </p> <hr noshade="noshade" size="1"/> <h3>March 26th, 2015 - Release of SLF4J 1.7.12</h3> <p>All java files have been reformatted to with the code formatter style defined in <i>codeStyle.xml</i>. This style uses 4 spaces for indentation and a maximum line width of 160.</p> <p>As SLF4J requires JDK 1.5 or later, the <code>Bundle-RequiredExecutionEnvironment</code> declaration in the various MANIFEST files have been updated to J2SE-1.5. </p> <p>Added missing Bundle-ManifestVersion attribute in the MANIFEST files in log4j-over-slf4j. The issue was raised in <a href="http://jira.qos.ch/browse/SLF4J-321">SLF4J-231</a> by Nikolas Falco who also provided the the appropriate pull request. </p> <p>Added <code>getAppender(String)</code> method in <code>Category</code> class in the log4j-over-slf4j module. This addition was requested by Ramon Gordillo in <a href="http://jira.qos.ch/browse/SLF4J-319">SLF4J-319</a>. </p> <p>Added <code>setThreshold</code> method in <code>AppenderSkeleton</code> class in the log4j-over-slf4j module. This addition was requested by Dimitrios Liapis who also provided the appropriate pull request. </p> <p>Added <code>getParent</code> method in <code>Category</code> class in the log4j-over-slf4j module. This addition was requested by Himanshu Bhardwaj in <a href="http://jira.qos.ch/browse/SLF4J-318">SLF4J-318</a>. </p> <hr noshade="noshade" size="1"/> <h3>6th of January, 2015 - Release of SLF4J 1.7.10</h3> <p>The <code>MDC.putCloseable</code> method now explicitly returns <code>MDC.MDCloseable</code> instead of the more generic <code>java.io.Closeable</code>. This in turn allows one to write try-with-resources statement without a catch clause. Many thanks to William Delanoue for proposing this change.</p> <p>The various constructors in <code>FileAppender</code> in the log4j-over-slf4j module are now public. </p> <hr noshade="noshade" size="1"/> <h3>16th of December, 2014 - Release of SLF4J 1.7.9</h3> <p class="highlight"><a href="codes.html#loggerNameMismatch">Spot incorrectly named loggers</a> by setting the <code>slf4j.detectLoggerNameMismatch</code> system property to true.</p> <p><a href="codes.html#loggerNameMismatch">Spot incorrectly named loggers</a> by setting the <code>slf4j.detectLoggerNameMismatch</code> system property to true. This significant feature was contributed by Alexander Dorokhine.</p> <p>Added <code>MDC.putCloseable</code> method so that it can be used as a <a href="https://docs.oracle.com/javase/7/docs/technotes/guides/language/try-with-resources.html">closeable resource</a> under Java 7.</p> <p>Added <code>getContext</code> method returning a hashtable in org.apache.log4j.MDC in the log4j-over-slf4j module. </p> <p>The introduction of the @Nonnull JSR 305 annotation in SLF4J version 1.7.8 causes the Scala compiler to fail. This is issue has been documented in <a href="https://issues.scala-lang.org/browse/SI-5420">SI-5420</a>. Given that many Scala users will be affected by this issue for the foreseeable future, we have decided to renounce the user of JSR 305 annotations in SLF4J for the time being. </p> <p>Numerous small code improvements too minor to be listed here.</p> <hr noshade="noshade" size="1"/> <h3>4th of April, 2014 - Release of SLF4J 1.7.7 </h3> <p>SFL4J API now uses generics. This enhancement was contributed by Otavio Garcia. Due to erasure of generics in Java, the changes are backward-compatible.</p> <p>The slf4j-migrator can now convert statements using the long deprecated <code>Category</code> class.</p> <p>Added the <code>SimpleLayout</code> and <code>FileAppender</code> classes to the log4j-over-slf4j module.</p> <h3>February 5th, 2014 - Release of SLF4J 1.7.6</h3> <p>Added slf4j-android module to the slf4j distribution. This module is contributed by Andrey Korzhevskiy.</p> <p>Loggers created during the initialization phase are no longer <code>NOPLoggers</code> which drop all logging calls. Instead, SLF4J now creates substitute loggers which delegate to the appropriate logger implementation after the initilization phase completes. Only calls made to these loggers during the initialization phase are dropped. This enhacement was proposed in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=311">bug 311</a> by Chetan Mehrotra. </p> <p>Improvements to the <code>exit()</code> and <code>throwing()</code> methods in <code>XLogger</code>. This enhacement was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=197">bug 197</a>. </p> <p>Concunrrency improvement in <code>MessageFormatter</code>. This improvement was contributed by Vivek Pathak in a <a href="https://github.com/qos-ch/slf4j/pull/52">pull request</a>.</p> <p>Concunrrency improvement in <code>BasicMarkerFactory</code>. This improvement was contributed by Mikhail Mazursky in a <a href="https://github.com/qos-ch/slf4j/pull/40">pull request</a>.</p> <p><code>JCLLoggerAdapter</code> was incorrectly invoking <code>isDebugEnabled</code> calls in its <code>trace()</code> methods. This issue was reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=281">bug 281</a>. </p> <p>In the log4j-over-slf4j module, the <code>setLevel</code> method in the <code>Category</code> class. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=279">bug 279</a>. Alfredo Ramos provied the relevant patch. </p> <p>In the log4j-over-slf4j module, added empty implementations for <code>OptionHander</code>, <code>WriterAppender</code>, <code>ConsoleAppender</code> and <code>AppenderSkeleton</code> classes. </p> <hr noshade="noshade" size="1"/> <h3>25th of March, 2013 - Release of SLF4J 1.7.5</h3> <p class="highlight">Given the significance of these performance improvements, users are highly encouraged to migrate to SLF4J version 1.7.5 or later. </p> <p><span class="label notice">performance improvements</span> The logger factories in most SLF4J modules namely in jcl-over-slf4j, log4j-over-slf4j, slf4j-jcl, slf4j-jdk14, slf4j-log4j12, and slf4j-simple now use a <code>ConcurrentHashMap</code> instead of a regular <code>HashMap</code> to cache logger instances. This change significantly improves logger retrieval times at the cost of some memory overhead. This improvement was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=298">bug #298</a> by Taras Tielkes who also provided the relevant patch. </p> <hr noshade="noshade" size="1"/> <h3>18th of March, 2013 - Release of SLF4J 1.7.4</h3> <p>Added a package private <code>reset()</code> method to <code>SimpleLoggerFactory</code> for testing purposes.</p> <hr noshade="noshade" size="1"/> <h3>15th of March, 2013 - Release of SLF4J 1.7.3</h3> <p>The jul-to-slf4j bridge now correctly handles cases where the message string contains {}-placeholders but has no or zero parameters. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=212">bug #212</a>. The relevant patch was provided by Matthew Preston in a git pull request.</p> <p>Added missing methods and classes in log4j-over-slf4j module for Velocity compatibility. This issue was reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=280">bug 280</a> by Thomas Mortagne.</p> <hr noshade="noshade" size="1"/> <h3>11th of October, 2012 - Release of SLF4J 1.7.2</h3> <p>Added osgi-over-slf4j module which serves as an OSGi LogService implementation delegating to slf4j. This module is maintained by Matt Bishop and Libor Jelinek.</p> <p> Christian Trutz added missing PatternLayout class as well as several methods in the <code>Logger</code> and <code>Category</code> classes. See commit 442e90ba5785cba9 dated September 27th 2012 for details. </p> <p>Added org.slf4j.simpleLoggerwarnLevelString in slf4j-simple module.</p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=272">bug 272</a>. All <code>Logger</code> implementations shipping with SLF4J use <code>Object...</code> instead of <code>Object[]</code> to avoid compiler warnings.</p> <hr noshade="noshade" size="1"/> <h3>14th of September, 2012 - Release of SLF4J 1.7.1</h3> <p><a href="apidocs/org/slf4j/impl/SimpleLogger.html"><code>SimpleLogger</code></a> now supports writing to a file. The property names for configuring <code>SimpleLogger</code> have been modified to be consistently in camel case. More configuration options have been added. In the absence of configuration directives, <code>SimpleLogger</code> will behave exactly the same as in the past. <b>If you are one of the few users configuring <code>SimpleLogger</code> with configuration properties, you will need to adapt to the new and more consistent property names.</b></p> <hr noshade="noshade" size="1"/> <h3>6th of September, 2012 - Release of SLF4J 1.7.0</h3> <p><span class="bold big green">SLF4J now requires JDK 1.5.</span></p> <p>Printing methods in the <a href="apidocs/org/slf4j/Logger.html">Logger</a> interface now offers variants accepting <a href="http://docs.oracle.com/javase/1.5.0/docs/guide/language/varargs.html">varargs</a> instead of Object[]. Given that under the hood, the Java compiler transforms varargs into an array, this change is totally 100% no-ifs-or-buts backward compatible with all existing client code. </p> <p>The logger field (of type <code>java.util.logging.Logger</code>) in <code>JDK14LoggerAdapter</code> is now marked as transient. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=261">bug #261</a>, a serialization problem reported by Thorbj&oslash;rn Ravn Andersen.</p> <hr noshade="noshade" size="1"/> <h3>11th of June, 2012 - Release of SLF4J 1.6.6</h3> <p>Source repository has been moved to <a href="https://github.com/qos-ch/slf4j">https://github.com/qos-ch/slf4j</a> on github.</p> <p>In case multiple bindings are found on the class path, SLF4J will now output the name of the framework/implementation class it binds with.</p> <p><a href="apidocs/org/slf4j/impl/SimpleLogger.html">SimpleLogger</a> now supports configuration properties. </p> <p>LoggerWrapper in the slf4j-ext module now correctly deals with markers. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=265">bug #265</a> reported by Dario Campagna.</p> <p>The log4j-over-slf4j module now supports legacy projects providing their own log4j <code>LoggerFactory</code>. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=234">bug #234</a> reported by Laurent Pellegrino with Piotr Jagielski providing the appropriate patch.</p> <h3>4th of June, 2012 - Release of SLF4J 1.6.5</h3> <p>In the slf4j-log4j12 module, upgraded the log4j dependency to version 1.2.17.</p> <p>Added removeHandlersForRootLogger() method to <code><a href="apidocs/org/slf4j/bridge/SLF4JBridgeHandler.html">SLF4JBridgeHandler</a></code> class.</p> <p>The log4j-over-slf4j module now exports all its packages in its manifest. This issue was reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=262">262</a> by Mikhail Mazursky who also provided the relevant patch. </p> <h3>October 31st, 2011 - Release of SLF4J 1.6.4</h3> <p>Fixed in thread-safety issues in <code>BasicMDCAdapter</code> fixing <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=203">bug #203</a> and <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=224">bug #224</a>. Note that <code>BasicMDCAdapter</code> is only used with the slf4j-jdk14.jar binding. </p> <p><code>BasicMDCAdapter</code> invoked a method introduced in JDK 1.5 preventing it from running under JDK 1.4. Interestingly enough, this issue has never been reported by the user community.</p> <h3>October 17th, 2011 - Release of SLF4J 1.6.3</h3> <p><code>LogEvent</code> class in slf4j-ext module now correctly passes the event data as a parameter object. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=246">bug #246</a> reported by Ralph Goers. </p> <p>Added missing OSGi manifest to the jul-to-slf4j module. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=166">bug #166</a> reported by Ekkehard Gentz. </p> <p>In the log4j-over-slf4j module, added missing <code>getAllAppenders</code>() method in <code>Category</code> class. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=235">bug #235</a> reported by Anthony Whitford. </p> <h3>August 19th, 2011 - Release of SLF4J 1.6.2</h3> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=138">bug #138</a>. SLF4J will no longer complain about multiple SLF4J bindings when running under a Weblogic server. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=228">bug #228</a>. When running under IBM's JDK, and if no binding can be found, SLF4J will no longer throw a <code>NoClassDefFoundError</code>. Instead, it will default to an NOP implementation. Under the same circumstances but with Sun's JDK, SLF4J already defaulted to an NOP implementation since release 1.6.0.</p> <p>Added certain missing classes to the log4j-over-slf4j module as requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=225">bug 225</a> by Josh Stewart. </p> <hr noshade="noshade" size="1"/> <h3>July 5th, 2010 - Release of SLF4J 1.6.1</h3> <p>Updated log4j dependency to version 1.2.16 and <a href="http://cal10n.qos.ch/">CAL10N</a> dependency to version 0.7.4. </p> <p>Fixed missing versioning OSGi metadata in the log4j-over-slf4j module. This problem was reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=187">bug 187</a> by David Savage. </p> <hr noshade="noshade" size="1"/> <h3>May 8th, 2010 - Release of SLF4J 1.6.0</h3> <p>It is expected that <em>all</em> SLF4J releases in the 1.6.x series will be mutually compatible. </p> <p>As of SLF4J version 1.6.0, in the absence of an SLF4J binding, slf4j-api will default to a no-operation implementation discarding all log requests. Thus, instead of throwing an exception, SLF4J will emit a single warning message about the absence of a binding and proceed to discard all log requests without further protest. See also the <a href="manual.html#libraries">relevant section</a> in the user manual. </p> <p>In the presence of multiple parameters and if the last argument in a logging statement is an exception, then SLF4J will now presume that the user wants the last argument to be treated as an exception and not a simple parameter. See the relevant <a href="faq.html#paramException">FAQ entry</a> for further details. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=70">bug 70</a> submitted by Joern Huxhorn who also provided the relevant patch. </p> <p>The <code>log</code> method in <code>LocationAwareLogger</code> interface now admits an additional parameter of type <code>Object[]</code> representing additional arguments of the log request. Due to this modification, slf4j-api version 1.6.x will not work with bindings shipping with SLF4J 1.5.x -- bindings shipping with 1.6.x must be used. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=150">bug 150</a> by implementing missing <code>resetConfiguration()</code> and <code>shutdown()</code> methods in <code>LogManager</code> (in log4j-over-slf4j) as nop. In addition, the <code>getCurrentLoggers()</code> method has been implemented by returning an empty enumeration. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=170">bug 170</a> by a bare-bones implementation of the <code>NDC</code> class in log4j-over-slf4j.</p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=175">bug 175</a> by synchronizing access to the loggerNameList field.</p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=164">bug 164</a> observed when SLF4J artifacts were placed under java.endorsed.dirs.</p> <p>Fixed sub-optimal list type usage in <code>SLF4JLogFactory</code> as reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=179">bug 179</a> by Sebastian Davids. </p> <p>Fixed documentation inconsistency in <code>SLF4JLog</code> as reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=180">bug 180</a> by Sebastian Davids. </p> <hr noshade="noshade" size="1"/> <h3>February 25th, 2010 - Release of SLF4J 1.5.11</h3> <p>Users yet unfamiliar with SLF4J sometimes unknowingly place both <em>log4j-over-slf4j.jar</em> and <em>slf4j-log4j12.jar</em> simultaneously on the class path causing stack overflow errors. Simultaneously placing both <em>jcl-over-slf4j.jar</em> and <em>slf4j-jcl.jar</em> on the class path, is another occurrence of the same general problem. As of this version, SLF4J preempts the inevitable stack overflow error by throwing an exception with details about the actual cause of the problem. This is deemed to be better than leaving the user wondering about the reasons of the <code>StackOverflowError</code>. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=168">bug 168</a>. In case log4j-over-slf4j is used and a logback appender requires a third party library which depends on log4j, the <code>log(String FQCN, Priority p, Object msg, Throwable t)</code> method in log4j-over-slf4j's Category class would throw an <code>UnsupportedOperationException</code>. Problem reported by Seth Call.</p> <hr noshade="noshade" size="1"/> <h3>December 3rd, 2009 - Release of SLF4J 1.5.10</h3> <p>SLF4J version 1.5.10 consist of bug fixes and minor enhancements. It is totally backward compatible with SLF4J version 1.5.8. However, the slf4j-ext module ships with a new package called <code>org.slf4j.cal10n</code> which adds <a href="localization.html">localized/internationalized logging</a> support as a thin layer built upon the <a href="http://cal10n.qos.ch">CAL10N API</a>.</p> <p><a href="http://www.slf4j.org/android/">SLF4J-android</a>, maintained by <a href="http://dbis.cs.unibas.ch/team/thorsten-moller/dbis_staff_view">Thorsten M&ouml;ller</a>, was added as a daughter project of SLF4J. </p> <p>Added missing "Export-Package" declaration for cal10n in the OSGi manifest file for sfl4j-ext. This was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=156">bug 156</a> by Pete Muir.</p> <p>In log4j-over-slf4j, added missing log(...) methods as requested by Zoltan Szel in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=139">bug report 139</a>.</p> <p>In log4j-over-slf4j, added missing <code>LogManager</code> class as requested by Rick Beton in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=150">bug report 150</a>.</p> <p>In the slf4j-ext module, added <code>getCopyOfChildTimeInstruments</code> and <code>getCopyOfGlobalStopWatch</code> methods to the <code>Profiler</code> class. This enables developers to build their own output formatters for a given Profiler. This feature was requested by David Lindel&ouml;f in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=141">bug 141</a>. </p> <p>Fixed a <code>NullPointerException</code> occurring in unspecified conditions as described in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=146">bug report 146</a> by Dapeng Ni.</p> <p>Added missing OSGi manifest to the <em>log4j-over-slf4j</em> module as requested by Wade Poziombka in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=117">bug 117</a>. </p> <p>OSGi manifests produced by SLF4J now replace the '-' character by '.' in compliance with the OSGi specification. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=152">bug 152</a> according to the patch supplied by Hugues Malphettes. </p> <p>Fixed packaging issue in jcl104-over-slf4j which inadvertently produced a jar file as described in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=151">bug 151</a> by Jesse McConnell.</p> <hr noshade="noshade" size="1"/> <h3>June 11th, 2009 - Release of SLF4J 1.5.8</h3> <p>SLF4J version 1.5.8 consist of bug fixes. It is totally backward compatible with SLF4J version 1.5.7.</p> <p>The Maven pom file for the <code>log4j-over-slf4j</code> module contained a compile time dependency on the <code>slf4j-jdk14</code> module. The dependency should have been declared in the test scope. This problem was reported by Jean-Luc Geering on the slf4j user list. </p> <h3>June 10th, 2009 - Release of SLF4J 1.5.7</h3> <p>SLF4J version 1.5.7 consist of bug fixes and minor enhancements. It is totally backward compatible with SLF4J version 1.5.6.</p> <p>In SLF4J versions 1.5.5 and 1.5.6, the <code>LoggerFactory</code> class which is at the core of SLF4J, if a version compatibility issue was detected, accidentally invoked a method which was introduced in JDK 1.5. Thus, instead of issuing a clear warning message, SLF4J would throw a <code>NoClassDefFoundError</code>. Consequently, SLF4J would not run with JDK 1.4 and earlier but only if a version incompatibility issue was present. For example, if you were mixing <em>slf4j-api-1.5.6.jar</em> with <em>slf4j-simple-1.4.2.jar</em>, which are mutually incompatible. Please note that this bug affects only SLF4J versions 1.5.5 and 1.5.6 <em>and</em> only in the presence of incompatible versions of slf4j-api and its binding. </p> <p>SLF4J will now emit a warning if more than one binding is present on the class path. This enhancement was proposed in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=132">bug 132</a> contributed by by Robert Elliot. </p> <p>The Log interface implementations in the jcl-over-slf4j module will now correctly cope with serialization. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=79">bug 79</a> reported by Mathias Bogaert. Many thanks to Eric Vargo for precisely identifying the problem and supplying the corresponding patch.</p> <p>The log4j-over-slf4j module will now correctly interact with logging frameworks supporting location information such as java.util.logging and logback. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=131">bug 131</a> reported by Marc Zampetti. </p> <p><code>SLF4JBridgeHandler</code> will no longer ignore log records with an empty message. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=108">bug 108</a> reported by Pepijn Van Eeckhoudt and independently by Dan Lewis. </p> <p>In case the <code>toString()</code> method of a parameter throws an exception, <code>MessageFormatter</code> will now print an error message, instead of letting the exception bubble higher up as previously. This fixes <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=112">bug 112</a> submitted by Joern Huxhorn. </p> <hr noshade="noshade" size="1"/> <h3>November 21st, 2008 - Release of SLF4J 1.5.6</h3> <p>SLF4J version 1.5.6 consists of bug fixes. Users are encouraged to upgrade to SLF4J version 1.5.6. The upgrade should pose no problems. Nevertheless, you might still want to refer to the SLF4J <a href="compatibility.html">compatibility report</a>. </p> <p>Fixed long standing <a href="http://jira.qos.ch/browse/LBCLASSIC-87">LBCLASSIC-87</a> and its younger sibling <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=113">bug 113</a>. With each call to getLogger() method, <code>LoggerContext</code> will now retrieve the ILoggerFactory afresh from <code>StaticLoggerBinder</code>. This change enables context selectors of native implementations, e.g logback, to work correctly. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=114">bug 114</a> reported by Jason Arndt. Corrected the way <code>XLogger</code> (in slf4j-ext) passes its fully qualified class name so that the underlying logging system can correctly compute location information. </p> <p>The <code>install()</code> method of <code>SLF4JBridgeHandler</code> will no longer reset the entire j.u.l. environment but solely add a <code>SLF4JBridgeHandler</code> instance to jul's root logger. By the same token, the <code>uninstall()</code> method will remove previously added <code>SLF4JBridgeHandler</code> instances without making any other modifications to the j.u.l. configuration. </p> <p>Added <code>MDCStrLookup</code> to slf4j-ext. This class can be used with Apache Commons Lang's <code>StrSubstitutor</code> class to inject values in the SLF4J MDC into strings. Information on StrSubstitutor can be found at <a href="http://commons.apache.org/lang/api-release/org/apache/commons/lang/text/StrSubstitutor.html">StrSubstitutor javadoc</a>. </p> <hr noshade="noshade" size="1"/> <h3>October 17th, 2008 - Release of SLF4J 1.5.5</h3> <p>The version check mechanism introduced in SLF4J 1.5.4 was inconsistent with the large size of SLF4J's installed user base. We cannot expect external SLF4J implementations to align their release schedule with that of SLF4J. Consequently, this SLF4J version, namely 1.5.5, retains versions checks but as an elective process. For further details see the <a href="faq.html#version_checks">relevant entry</a> in the FAQ. </p> <p>You are highly encouraged to upgrade to SLF4J version 1.5.5. The upgrade should pose no problems. Nevertheless, you might still want to refer to the SLF4J <a href="compatibility.html">compatibility report</a>. </p> <h3>October 16th, 2008 - Release of SLF4J 1.5.4</h3> <p>This version corrects critical bugs. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=106">critical bug 106</a>. In previous versions of SLF4J, if during the initial binding phase, the underlying logging system's default configuration created or invoked loggers, a <code>NullPointerException</code> would be thrown. Refer to the <a href="codes.html#substituteLogger">in error codes</a> document for a fuller explanation.</p> <p>At initialization time, LoggerFactory will now check that the version of the slf4j-binding matches that of slf4j-api. If there is a mismatch a warning will be issued on the console. This should help users identify SLF4J related problems more quickly.</p> <p>Improvements in documentation as well as fix for <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=102">packaging problems</a> related to <em>slf4j-ext</em> module. </p> <p>SLF4JBridgeHandler (part of jul-to-slf4j) now accounts for loggers with resourceBundle as well parameters. This feature requested by Darryl Smith in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=98">bug 98</a> and by Jarek Gawor in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=103">bug 103</a>.</p> <p>We now say that markers contain <em>references</em> to other markers. We no longer talk about child markers. The javadocs of the <code>Marker</code> interface have been updated to reflect this change. Moreover, the <code>hasChildren()</code> method in the Marker interface has been deprecated and a new method called <code>hasReferences()</code> was added. </p> <hr noshade="noshade" size="1"/> <h3>September 12th, 2008 - Release of SLF4J 1.5.3</h3> <p>See also the <a href="compatibility.html#1_5_3">compatibility report for this version</a>. </p> <p>Added a new module called slf4j-ext for slf4j-extensions. See <a href="extensions.html">its documentation</a> for further details.</p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=71">bug 71</a> which was re-opened by Manfred Geiler. SLF4J loggers now survive serialization. By survive serialization, we mean that the deserialized logger instance are fully functional. </p> <p>The fix for <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=68">bug 68</a> as implemented in version 1.5.1 was incomplete. Michael Furman supplied a more complete fix which was incorporated in this release.</p> <p>When slf4j bridges, e.g. jcl-over-slf4j or log4j-over-slf4j, were used in conjunction with JUL as the underlying logging system, JDK14LoggerAdapter created a LogRecord even for disabled log statements. This performance issue was reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=90">bug 90</a> by Matthew Mastracci. </p> <p>Added support for array values, including multi-dimensional arrays, as parameters. For example,</p> <p class="source">log.debug("{} {}", "A", new int[] {1, 2}});</p> <p>will print as "A [1, 2]" instead of "A [I@6ca1c" as previously. This enhancement was proposed by "lizongbo". </p> <p>Parameter substitution code has been simplified. SLF4J now only cares about the "{}" formatting anchor, that is the '{' character immediately followed by '}'. Previously, the '{' had meaning on its own. As a result of this change, users no longer need to escape the '{' unless it is immediately followed by '}'. Existing messages which escaped standalone '{' character will be printed with a preceding backslash. However, no data loss in the printed messages will occur. </p> <p>Added missing <code>getInstance</code> methods to the <code>Category</code> class in the log4j-over-slf4j module, fixing <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=95">bug 95</a> reported by Michael Rumpf.</p> <hr noshade="noshade" size="1"/> <h3>June 8th, 2008 - Release of SLF4J 1.5.2</h3> <p>Improvements to SLF4J documentation as well as fix of <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=88">packaging problems</a> related to <em>jul-to-slf4j.jar</em> and <em>jcl104-over-slf4j.jar</em>. </p> <h3>June 5th, 2008 - Release of SLF4J 1.5.1</h3> <p>See also the <a href="compatibility.html#1_5_1">compatibility report for this version</a>.</p> <p>In order to support JCL version 1.1.1, the <em>jcl<b>104</b>-over-slf4j</em> module was renamed as <em>jcl-over-slf4j</em>. SLF4J will no longer ship with <em>jcl104-over-slf4j.jar</em> but with <em>jcl-over-slf4j.jar</em>. The related work responds to enhancement request discussed in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=85">bug 85</a> as reported by Niklas Gustavsson. </p> <p>The <em>slf4j-jcl</em> binding now depends on commons-logging version 1.1.1 instead of the older 1.0.4</p> <p>Added a java.util.logging to SLF4J bridge as requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=38">bug 38</a> by Christian Stein, David Smiley, Johan Ferner, Joern Huxhorn and others. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=68">bug 68</a> reported by Su Chuan and David Rauschenbach. SLF4J requires log4j 1.2.12 or later. However, if an older version of log4j is present (lacking the TRACE level), in order to avoid NoSuchMethodError exceptions, the SLF4J's <code>Log4jLoggerAdapter</code> will map the TRACE level as DEBUG. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=78">bug 78</a> reported by Venu Thachappilly. If the argument array passed to a Logger printing method (debug, info, etc.) was null, a <code>NullPointerException</code> was thrown. With the correction, the messagePattern is returned as is, without parameter substitution. </p> <p>Added the <code>getCopyOfContextMap</code> and <code>setContextMap</code> methods to the <code>MDCAdapter</code> and <code>org.sf4j.MDC</code> classes. This was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=84">bug 84</a> by Anton Tagunov. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=74">bug 74</a>, an endless recursion problem in Marker.contains method, reported by Michael Newcomb. Also added he <code>getDetachedMarker</code> method to <code>IMarkerFactor</code> and <code>MarkerFactory</code> classes which was indirectly requested in bug 74. </p> <p>Added the methods <code>getLevel()</code> and <code>getEffectiveLevel()</code> to the <code>Category</code> class in log4j-over-slf4j. This addition was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=74">bug 74</a> by Michael Newcomb. </p> <p>The <a href="migrator.html">SLF4J Migrator</a> tool has been improved to support migration from JUL to SLF4J. </p> <p>In <code>MarkerIgnoringBase</code> class, corrected mapping of trace methods with markers to their equivalents without marker data. Previously, the mapping was trace to debug. The incorrect mapping affected only calls to the trace method with markers. Interestingly enough, this bug was picked up by new unit tests and has not been reported as a bug by our users. </p> <h3>February 26th, 2008 - Release of SLF4J 1.5.0</h3> <p>A tool called <a href="migrator.html">SLF4J Migrator</a> now ships with SLF4J. It can help you migrate your project using JCL or log4j to use SLF4J instead. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=61">bug 61</a> reported by Christopher Sahnwaldt. It is now possible to place a backslash in front of a formatting anchor, by escaping the backslash. For example, the call to <code>MessageFormatter.format("C:\\\\{}", "foo")</code> will now correctly return "C:\\foo". The backslash character needs to be escaped in Java, which leads to four backslashes. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=63">bug 63</a> reported by Maarten Bosteels. SLF4J now supports MDC for <code>java.util.logging</code> package. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=64">bug 64</a> reported by Michal Bernhard. The log4j binding will now alert the user if she uses SLF4J with a version of log4j earlier than 1.2.12. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=65">bug 65</a> reported by Ben Gidley. Superfluous &lt;version>$&#x7B;parent.version}&lt;/version> lines have been removed from pom.xml files. These lines reportedly confuse certain Maven repositories. </p> <p>In the <code>org.apache.log4j.Category</code> class, as implemented in the log4j-over-slf4j module, calls to the printing trace() are now correctly mapped to SLF4J's trace() printing method (instead of debug()). Superfluous printing methods with the signature <code>xxxx(Object, Object)</code> and <code>xxxx(String, Object, Object)</code> have been removed. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=67">bug 67</a> reported by Chris Custine. The manifest file for jcl104-over-slf4j now correctly declares version 1.0.4 for the exported JCL packages. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=69">bug 69</a> reported by Joern Huxhorn, who graciously supplied the fix as well as a test case. The <code>add</code> method in <code>BasicMarker</code> class now correctly prevents multiple addition of the same child. Moreover, the <code>remove</code> method now correctly removes the specified child marker. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=41">bug 41</a> reported by Sebastian Davids. The manifest files of various projects now mention J2SE-1.3 as the required execution environment. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=71">bug 71</a> reported by Manfred Geiler. The SLF4JLog and SLF4JLocationAwareLog classes are now serializable solving serialization problems encountered with certain libraries which attempt to serialize JCL log instances. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=73">bug 73</a> reported by Oleg Smirsky. A "Fragment-Host: slf4j.api" line has been added to every MANIFEST.MF file exporting <code>org.slf4j.impl</code>. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=72">bug 72</a> reported by Ian Carr. Performance issues with slf4j-jdk14 for disabled log statements have now been corrected. </p> <hr noshade="noshade" size="1"/> <h3>August 20th, 2007 - Release of SLF4J 1.4.3</h3> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=60">bug 60</a> as reported by Costin Leau. OSGI manifest entries now declare the correct SLF4J version. </p> <p>Clarified the behavior of the various methods methods in the MDC class with respect to "null" parameters. This was requested in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=58">bug 58</a> by Sebastian Davids. </p> <p>Removed the slf4j-archetype module because nobody seems to have a use for it.</p> <h3>July 12th, 2007 - Release of SLF4J 1.4.2</h3> <p>The <a href="log4j-over-slf4j.html">log4j-over-slf4j</a> module has been moved back into SLF4J. Originally, this module was part of SLF4J and was moved into logback due to the lack of MDC support in SLF4J. With version 1.4.2 and the addition of MDC support in SLF4J 1.4.1, log4j-over-slf4j returns to its original home. Note that the previous name of the module was <a href="http://logback.qos.ch/bridge.html">log4j-bridge</a>. </p> <p>Addition of the <code>getMDCAdapter</code> method to org.slf4j.MDC class. This allows access to the actual MDC implementation which can on occasion come in very handy. </p> <hr noshade="noshade" size="1"/> <h3>July 4th, 2007 - Release of SLF4J 1.4.1</h3> <p>SLF4J now supports <a href="manual.html#mdc">Mapped Diagnostic Contexts</a> (MDC) as requested by Andy Gerweck and Steve Ebersole in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=49">bug 49</a>. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=53">bug 53</a> as reported by Heinrich Nirschl. The public method <code>trace(String)</code> in the <code>Log4jLoggerAdapter</code> class incorrectly called the underlying log4j logger with level DEBUG instead of TRACE. </p> <p>Fixed various documentation related errors kindly reported by Mark Vedder. </p> <hr noshade="noshade" size="1"/> <h3>May 16th, 2007 - Release of SLF4J 1.4.0</h3> <p>In response to many user requests over time, the TRACE level has been added to <a href="api/org/slf4j/Logger.html">org.slf4j.Logger</a> interface. Please also see the <a href="faq.html#trace">FAQ entry discussing</a> the TRACE level. </p> <p>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=47">bug 47</a> as reported by Terry Todd. In previous a SLF4J release the <code>org.apache.commons.logging.impl.SLF4FLogFactory</code> class was renamed as <code>SLF4JLogFactory</code>. The <em>META-INF/services/org.apache.commons.logging.LogFactory</em> resource file had not reflected this change. It does now. </p> <p>Eric Yung <a href="http://www.slf4j.org/pipermail/user/2007-April/000327.html">reported</a> that Apache commons-configuration access certain commons-logging classes, namely <code>org.apache.commons.logging.impl.NoOpLog</code> and SimpleLog, directly. Following Eric's suggestion, jcl104-over-slf4j now includes the aforementioned classes. </p> <hr noshade="noshade" size="1"/> <h3>April 15th, 2007 - Release of SLF4J 1.3.1</h3> <p>In response to a <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=39">enhancement request</a> made by Michael Newcomb, a marker can now be detached from the internal list of the <code>MarkerFactory</code> that generated it. </p> <p>Fixed a silly but nonetheless annoying bug where log request of level ERROR made through jcl104-over-slf4j would log twice. This bug was <a href="http://www.slf4j.org/pipermail/user/2007-April/000323.html">reported</a> and precisely described by Andrew Cooke. </p> <hr noshade="noshade" size="1"/> <h3>February 25th, 2007 - Release of SLF4J 1.3.0</h3> <p>This release consists of rearrangement of classes among projects. More specifically, the <code>org.slf4j.LoggerFactory</code> class is now packaged within the <em>slf4j-api.jar</em> file instead of the various slf4j bindings. <b>It follows that client code needs to depend on only slf4j-api in order to compile, while the various slf4j bindings are only needed as runtime dependencies.</b> See also the <a href="faq.html#maven2">Maven2-related FAQ entry</a>. Given the practical significance of this change, we highly recommend that library-authors upgrade to version 1.3 at their earliest convenience. </p> <p><a href="http://bugzilla.slf4j.org/show_bug.cgi?id=23">Bug number 23</a> has been fixed, at the cost of minor and backward compatible changes. In other words, jcl104-over-slf4j now preserves caller location information. </p> <p>It is now possible to obtain the root logger of the underlying logging implementation by requesting a logger named &quot;ROOT&quot;. This feature was requested by Sebastien Davids in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=35">bug report 35</a>. </p> <p>For an exact list of changes please refer to the <a href="changes/changes-1.3.txt">1.3.0 compatibility report</a> file as generated by clirr.</p> <hr noshade="noshade" size="1"/> <h3>January 24th, 2007 - Release of SLF4J 1.2</h3> <p>This release includes several modifications to make SLF4J an <a href="http://www.osgi.org/">OSGi</a>-friendly framework. The modules' MANIFEST.MF files now include OSGi metadata. Regarding these improvements, and OSGi in general, the SLF4J project is happy to welcome John E. Conlon as a new committer. </p> <p>Marker objects are now Serializable. </p> <hr noshade="noshade" size="1"/> <h3>December 21st, 2006 - Release of SLF4J 1.1.0 (final)</h3> <p>This release consists of minor bug fixes and documentation changes. More importantly, the log4j-over-slf4j module has been moved to the logback project, under the name <a href="http://logback.qos.ch/bridge.html">log4j-bridge</a>. </p> <p>Added the file "org.apache.commons.logging.LogFactory" under META-INF/services directory which went missing in the 1.1.0 series of SLF4J. This fixes a compatibility problem with Apache Axis which uses its own discovery mechanism, namely, commons-discovery version 0.2. The problem was reported in bug <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=33">report 33</a> by David Varnes. </p> <p>The file jcl104-over-slf4j.jar had various entries missing in its MANIFEST.MF file, as reported by Boris Unkel in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=30">bug number 30</a>. </p> <hr noshade="noshade" size="1"/> <h3>November 16th, 2006 - Release of SLF4J 1.1.0-RC1</h3> <p>This release consists of packaging related bug fix in addition to minor documentation changes. </p> <p>Contrary to RC0, RC1 no longer uses SNAPSHOT versions for the slf4j-parent pom. The solution to <a href="http://ceki.blogspot.com/2006/11/solution-to-maven2-version-number.html">Maven version problem</a> does not work for public projects such as SLF4J because SNAPSHOTs are not allowed on ibiblio. </p> <hr noshade="noshade" size="1"/> <h3>November 4th, 2006 - Release of SLF4J 1.1.0-RC0</h3> <p>This release consists of bug fixes. Moreover, since the major packaging related changes in 1.1.0-beta0 seem to work well, this release is marked as RC0.</p> <p>Fixed the JDK 1.5 dependency for the SLF4J build, as reported by Boris Unkel in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=28">bug number 28</a>. SLF4J now explicitly declares a dependency on JDK 1.4 in its pom.xml file. </p> <p>Fixed an incorrect reference to the logback project in slf4j-api pom file. This bug was reported by Boris Unkel in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=29">bug number 29</a>. </p> <p>Fixed a synchronization problem in factories of almost all SLF4J bindings. This bug was reported independently by Howard M. Lewis Ship and Boris Unkel in bug reports <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=26">26</a> and respectively <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=26">27</a>. </p> <hr noshade="noshade" size="1"/> <h3>September 7th, 2006 - Release of SLF4J 1.1.0-beta0</h3> <p>Release 1.1.0-beta0 is a relatively important release with a refactoring of the way class files are organized in jar files. In previous releases, each binding was self-contained in a single jar file. In this release, each and every binding depends on <em>slf4j-api.jar</em> which contains the bulk of the classes required to use SLF4J, except for one or two adapter classes. Only the adapter classes are now shipped with each specific binding jar as appropriate for the underlying logging system.. </p> <p>This release is built using Maven instead of Ant. As for the java code, it has not been changed.</p> <hr noshade="noshade" size="1"/> <h3>June 8th, 2006 - Release of SLF4J 1.0.2</h3> <p>Release 1.0.2 is a maintenance release containing bug fixes only.</p> <ul> <li>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=22">bug number 22</a> reported by Bjorn Danielsson. This version of the SLF4J API will no longer systematically throw an exception when the <code>o.a.c.l.impl.SLF4FLogFactory#release()</code> method is invoked. Instead, the <code>release()</code> method will issue a <a href="http://www.slf4j.org/codes.html">warning</a>. </li> </ul> <hr noshade="noshade" size="1"/> <h3>May 1st, 2006 - Release of SLF4J 1.0.1</h3> <p>Release 1.0.1 is a maintenance release containing bug fixes only.</p> <ul> <li>Fixed <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=20">bug number 20</a> reported by Steve Bate. <code>JDK14LoggerAdapter</code> will now correctly relay the logger name to the underlying JDK 14 logging system. </li> <li>Added the file "org.apache.commons.logging.LogFactory" under META-INF/services directory in the jcl104-over-slf4j jar file. This fixes a compatibility problem with Apache Axis which uses its own discovery mechanism, namely, commons-discovery version 0.2. The bug was reported by Dave Wallace. </li> </ul> <hr noshade="noshade" size="1"/> <h3>March 8th, 2006 - Release of SLF4J 1.0</h3> <p>This is release labeled as 1.0 (final) contains few relatively minor changes: </p> <ul> <li>As <a href="http://marc.theaimsgroup.com/?t=114063163800004">discussed</a> on the slf4j user list, <code>SimpleLogger</code> now directs its output to stderr instead of stdout. </li> <li>Modified <code>JDK14LoggerAdapter</code> so that caller information is now correctly printed, as reported in <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=13">bug 13</a> by Peter Royal. </li> <li>Minor additions to the Marker interface.</li> </ul> <hr noshade="noshade" size="1"/> <h3>February 4th, 2006 - Release of SLF4J 1.0-RC6 and NLOG4J 1.2.22</h3> <p>The <code>MarkingLogger</code> interface has been removed and its contents merged into <code>org.slf4j.Logger</code>. This change should not adversely affect end-users. However, SLF4J bindings need to be updated. This has been done for all the bindings shipped with SLF4J distribution as well as NLOG4J. As for x4juli, the update is planned for its next release. </p> <p>The merge between the <code>MarkingLogger</code> and <code>Logger</code> interfaces has been motivated by the need to allow end-users to easily switch between logging systems that support markers and those that do not. </p> <p>Added a default instance to SimpleLoggerFactory to serve as a last resort fallback mechanism. This instance is designed to be used by a very specific group of users, namely for those developing logging systems (e.g. log4j or LOGBack). It is not intended for end-users of the SLF4J API. </p> <hr noshade="noshade" size="1"/> <h3>January 9th, 2006 - Release of SLF4J 1.0-RC5 and NLOG4J 1.2.21</h3> <p>A maintenance release correcting bugs <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=11">#11</a> and <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=12">#12</a> and in general improved resilience to null input parameters across implementations. Many thanks to Boris Unckel and Kenneth for reporting the null input issue. </p> <hr noshade="noshade" size="1"/> <h3>December 27th, 2005 - Release of SLF4J 1.0-RC4 and NLOG4J 1.2.20</h3> <p>The printing methods in <code>org.slf4j.Logger</code> interface now support passing 3 or more parameters in an <code>Object</code> array. This was a frequently requested feature missing in previous versions of SLF4J. </p> <p>NLOG4J 1.2.20 reflects the addition of new methods in the <code>org.slf4j.Logger</code> interface.</p> <hr noshade="noshade" size="1"/> <h3>December 8th, 2005 - Release of SLF4J 1.0-RC3</h3> <p>Maintenance release fixing reported bugs <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=6">#6</a> and <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=7">#7</a>. </p> <h3>November 28th, 2005 - Release of SLF4J 1.0-RC2</h3> <p>In response to a request by Greg Wilkins, this release adds the jar file <em>slf4j-jcl.jar</em>, an SLF4J binding for JCL. Please read the <a href="manual.html#gradual">gradual migration section</a> in the manual for more details. </p> <hr noshade="noshade" size="1"/> <h3>November 21st, 2005 - Release of SLF4J 1.0-RC1</h3> <p>A maintenance release correcting bugs <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=4">#4</a> and <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=5">#5</a>. Many thanks to Christian Beil for accurately reporting bug #4. </p> <p>There has been also an effort to minimize the file sizes of the various jar files produced by SLF4J, resulting in jar files approximately 40% smaller than in version 1.0beta9. </p> <p>Given that the SLF4J API is now deemed stable, this release is marked as RC1, that is release candidate number 1. </p> <hr noshade="noshade" size="1"/> <h3>October 19th, 2005 - Release of SLF4J 1.0-beta9</h3> <p>The SLF4J distribution now includes two distinct bindings <em>slf4j-log4j12.jar</em> and <em>slf4j-log4j13.jar</em> in order to differentiate between log4j version 1.2 and version 1.3. This distinction is absolutely necessary because log4j 1.2 and 1.3 are not run-time compatible, although they are mostly compile-time compatible. </p> <hr noshade="noshade" size="1"/> <h3>October 19th, 2005 - Release of SLF4J 1.0-beta8 and NLOG4J 1.2.18</h3> <p>Added a new SLF4J binding, <em>slf4j-log4j.jar</em>, intended to be used in conjunction with vanilla <em>log4j.jar</em>, as distributed by the <a href="http://logging.apache.org">Apache Logging Services</a> project. The slf4j-log4j binding is quite similar in structure to the JDK 1.4 binding that existed previously. </p> <p>The slf4j-log4j binding addresses compatibility problems which arose when copies of both <em>log4j.jar</em> and <em>nlog4j.jar</em> lay on the class path, in particular when it was undesirable or impossible to remove the preexisting <em>log4j.jar</em> file. </p> <p>Methods in the <code>org.slf4j.Logger</code> interface related to markers were moved to a separate super interface called <a href="api/org/slf4j/MarkingLogger.html"> <code>org.slf4j.MarkingLogger</code></a>. This refactoring reduces the weight of the <a href="api/org/slf4j/Logger.html"> <code>Logger</code></a> interface. </p> <hr noshade="noshade" size="1"/> <h3>August 28th, 2005 - Release of SLF4J 1.0-beta7 and NLOG4J 1.2.17</h3> <p>Spurred by <a href="http://bugzilla.slf4j.org/show_bug.cgi?id=3">bug report #3</a>, SLF4J binding code has been refactored and simplified. Logging systems implementing SLF4J interfaces have to have less work in order to bind with SLF4J. Moreover, these changes have no incidence on the published interface of SLF4J. </p> <hr noshade="noshade" size="1"/> <h3>August 26th, 2005 - Release of SLF4J 1.0-beta6</h3> <p>To ease migration to SLF4J from JCL, this release includes a jar file called <em>jcl-over-slf4j-1.0.4.jar</em>. This jar file can be used as drop-in replacement for JCL version 1.0.4. It implements the public API of JCL using SLF4J underneath. </p> <p>Thus, you can immediately benefit from the advantages of SLF4J without waiting for all the libraries you depend on to migrate to SLF4J first.</p> <hr noshade="noshade" size="1"/> <h3>August 16th, 2005 - Release of NLOG4J 1.2.16</h3> <p>This release adds solves a compatibility problem between log4j and nlog4j. Previous to this release, code compiled with log4j would not run correctly with nlog4j. </p> <p>With the fixes introduced in NLOG4J 1.2.16, code compiled with log4j 1.2.x will run without problems when deployed using NLOG4j. </p> <p>However, the inverse is not true. Code compiled with nlog4j can only be deployed using nlog4j. </p> <hr noshade="noshade" size="1"/> <h3>August 12th, 2005 - Release of SLF4J 1.0-beta5 and NLOG4J 1.2.15</h3> <p>This release adds support for the <a href="api/org/slf4j/Marker.html">Marker</a> interface. Thus, log statements can be decorated with Marker data allowing more expressive power in the processing of log statements. </p> <p>For the sake of IoC frameworks, <code>Logger</code> instances can new be queried for their <a href="api/org/slf4j/Logger.html#getName()">name</a>. </p> <p>With the addition of markers, sub-domains are no longer needed.</p> <p>The <code>LoggerFactoryAdapter</code> has been simplified and renamed as <a href="api/org/slf4j/ILoggerFactory.html"><code>ILoggerFactory</code></a>. </p> <hr noshade="noshade" size="1"/> <h3>July 5th, 2005 - Release of NLOG4J 1.2.14</h3> <p>This release fixes compatibility problems between NLOG4J and Jakarta Commons Logging. </p> <hr noshade="noshade" size="1"/> <h3>June 28th, 2005 - Release of SLF4J 1.0-beta4 and NLOG4J 1.2.13</h3> <p>Following discussions on the SLF4J developers list, the signatures of the printing methods in <a href="api/org/slf4j/Logger.html"><code>org.slf4j.Logger</code></a> interface have been modified to admit messages of type <code>String</code> instead of type <code>Object</code> as previously. The current set of printing methods is listed below. </p> <pre class="source"> void debug(String msg); void debug(String format, Object arg); void debug(String format, Object arg1, Object arg2); void debug(String msg, Throwable t); void error(String msg); void error(String format, Object arg;) void error(String format, Object arg1, Object arg2); void error(String msg, Throwable t); void info(String msg); void info(String format, Object arg); void info(String format, Object arg1, Object arg2); void info(String msg, Throwable t); void warn(String msg); void warn(String format, Object arg); void warn(String format, Object arg1, Object arg2); void warn(String msg, Throwable t); </pre> <p>NLOG4J release 1.2.13 reflects changes in the SLF4J API. </p> <p>You can download SLF4J and NLOG4J, including full source code, class files and documentation on our <a href="download.html">download page</a>. </p> <hr noshade="noshade" size="1"/> <h3>May 17th, 2005 - SLF4J version 1.0-beta-3 released</h3> <p>In response to user comments, the <code>org.slf4j.ULogger</code> interface has been renamed as <code>org.slf4j.Logger</code>. </p> <hr noshade="noshade" size="1"/> <h3>May 17th, 2005 - NLOG4J version 1.2.12 released</h3> <p>SLF4J.ORG is proud to release NLOG4J 1.2.12, a log4j-replacement with native SLF4J API support. Except for users of LF5, chainsaw or <code>NTEvenAppender</code>, NLOG4J should be considered as a 100% compatible, drop-in replacement for log4j version 1.2.9. </p> <p>This release reflects changes in the SLF4J API, i.e renaming of <code>org.slf4j.ULogger</code> interface as <code>org.slf4j.Logger</code>. </p> <hr noshade="noshade" size="1"/> <h3>May 17th, 2005 - SLF4J version 1.0-beta-3 released</h3> <p>SLF4J.ORG is proud to release SLF4J 1.0-beta-3. In response to user comments, the <code>org.slf4j.ULogger</code> interface has been renamed as <code>org.slf4j.Logger</code>. </p> <p>You can download SLF4J, including full source code, class files and documentation on our <a href="download.html">download page</a>. </p> <hr noshade="noshade" size="1"/> <h3>May 14th, 2005 - NLOG4J version 1.2.11 released</h3> <p>SLF4J.ORG is proud to release NLOG4J 1.2.11, a log4j-replacement with native SLF4J API support. Except for users of LF5, chainsaw or <code>NTEvenAppender</code>, NLOG4J should be considered as a 100% compatible, drop-in replacement for log4j version 1.2.9. </p> <p>You can download NLOG4J version 1.2.11, including full source code, class files and documentation on our <a href="download.html">download page</a>. </p> <hr noshade="noshade" size="1"/> <h3>May 4th, 2005 - SLF4J version 1.0-beta-2 released</h3> <p>SLF4J.ORG is proud to release SLF4J 1.0-beta-2. This release contains cosmetic or javadoc changes. For example, the project has a new logo. </p> <p>You can download SLF4J version 1.0-beta2, including full source code, class files and documentation on our <a href="download.html">download page</a>. </p> <hr noshade="noshade" size="1"/> <h3>1 May 2005 - not-log4j-1.2.10 released</h3> <p>Subsequent to the recall of log4j 1.2.10, SLF4J.ORG releases non-log4j-1.2.10 for those interested in SLF4J support in log4j. </p> <p>You can download not-log4j version 1.2.10, including full source code, class files and documentation on our <a href="download.html">download page</a>. </p> <hr noshade="noshade" size="1"/> <h3>22 April 2005 - SLF4J project goes live</h3> <p>The SLF4J project site, including SVN repositories go live. Users can download SLF4J version 1.0-beta1. </p> <hr noshade="noshade" size="1"/> <h3>15 April 2005 - start of work on SLF4J source code</h3> <p>Start of work on the SLF4j source code. </p> <hr noshade="noshade" size="1"/> <h3>13 April 2005 - start of work on SLF4J project</h3> <p>Launch of the SLF4J project. Work has begun on the web-site, svn repositories as well as the source code. </p> <script src="templates/footer.js" type="text/javascript"></script> </div> </body> </html>
client/index.html
williamwang61/Real-Time-Tweets-Sentiment-Map
<!DOCTYPE HTML> <html lang="en"> <head> <meta charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Tweets Sentiment Map</title> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.5/css/bootstrap.min.css"> <link rel="stylesheet" href="css/index.css"> <script type="text/javascript" src="lib/jquery.min.js"></script> <script src="http://maxcdn.bootstrapcdn.com/bootstrap/3.3.5/js/bootstrap.min.js"></script> <script type="text/javascript" src="https://maps.googleapis.com/maps/api/js?key=AIzaSyDNc0dmlvo53X4djeek5mOLB3Q0ETqCg7w"> </script> <script type="text/javascript" src="lib/angular.min.js"></script> <script type="text/javascript" src="lib/angular-animate.min.js"></script> <script type="text/javascript" src="lib/socket.io.js"></script> <script type="text/javascript" src="controller/app.js"></script> </head> <body ng-app="app"> <div class="container" ng-controller="MapController"> <div class="row text-center text-muted" id="title"> <h1>Real-time Tweets Sentiment Map</h1> </div> <div class="row" ng-if="showLimitMessage"> <div class="col-md-2"></div> <div class="col-md-8 text-left text-muted warning"> Oops... The server has temporarily reached the use limit of Twitter API. Please revisit it in 10 minutes. </div> </div> <div class="row"> <div class="col-md-12 title-seperator"> <hr> </div> </div> <div class="row"> <div class="col-md-2 text-muted text-center" id="marker-note-group"> <div class="row marker-note"> <img src="res/img/marker-green.png"> <h5>Tweet of Positive Sentiment</h5> </div> <div class="row marker-note"> <img src="res/img/marker-yellow.png"> <h5>Tweet of Neutral Sentiment</h5> </div> <div class="row marker-note"> <img src="res/img/marker-red.png"> <h5>Tweet of Negative Sentiment</h5> </div> </div> <div class="col-md-8"> <div class="row"> <div class="col-md-6 col-sm-12 col-xs-12 text-left pull-left pull-right"> <div class="input-group"> <input class="form-control" type="text" placeholder="keyword" ng-model="keyword"/> <span class="input-group-btn"> <button class="btn btn-info btn-outline" type="submit" ng-click="RestartBtnClick()">Restart</button> <button class="btn btn-info btn-outline" type="submit" ng-click="StopBtnClick()">{{stopBtnValue}}</button> </span> </div> </div> <div class="col-md-6 col-sm-12 col-xs-12 text-muted" id="hint"> <h5> <em>Hint: Click little markers to get tweet details.</em> </h5> </div> </div> <div class="row text-center" id="map-container"> <div id="map-canvas"></div> </div> </div> <div class="col-md-2 text-left side-area"> <div class="row"> <h4>Twitter Trends</h4> </div> <div class="row animate" ng-repeat="trend in trends"> <a href="{{trend.url}}" target="_blank">{{trend.name}}</a> </div> </div> </div> </div> <footer class="footer"> <div class="container text-muted text-center"> <h5>Copyright 2015 © Weiliang Wang</h5> <h5>wangweiliang61@gmail.com</h5> <a href="https://github.com/williamwang61/Real-Time-Tweets-Sentiment-Map" target="_blank">github.com/williamwang61/Real-Time-Tweets-Sentiment-Map</a> </div> </footer> </body> </html>
node_modules/aframe-href-component/examples/index.html
karunakaruna/karunakaruna.github.io
<html> <head> <title>A-Frame Hyper Link Component</title> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/github-fork-ribbon-css/0.1.1/gh-fork-ribbon.min.css"/> <style> html { background: #EF2D5E; color: #FAFAFA; font-family: monospace; font-size: 20px; padding: 10px 20px; } h1 { font-weight: 300; } a { color: #FAFAFA; display: block; padding: 15px 0; } </style> </head> <body> <h1>A-Frame Hyper Link Component</h1> <a href="basic/index.html">Basic</a> <a href="basic/link.html">Hyper Links</a> <a href="basic/anchor.html">Anchors</a> <a href="basic/animation.html">Animation</a> <div class="github-fork-ribbon-wrapper right"> <div class="github-fork-ribbon" style="background: #3482AA"> <a href="https://github.com/gasolin/aframe-href-component">Fork me on GitHub</a> </div> </div> </body> </html>
b2c/WebRoot/admin/css/base.css
smellyCa/B2C-System
/* - - - - - - - - - - - - - - - - - - - - - - - - WEBGRAPES THEME - - - - - - - - - - - - - - - - - - - - - - - - */ /* =RESET (thanks Erik Meyer) ------------------------------------------------ */ html, body, div, span, applet, object, iframe, h1, h2, h3, h4, h5, h6, p, blockquote, pre, a, abbr, acronym, address, big, cite, code, del, dfn, em, font, img, ins, kbd, q, s, samp, small, strike, strong, sub, sup, tt, var, dl, dt, dd, ol, ul, li, fieldset, form, label, legend, table, caption, tbody, tfoot, thead, tr, th, td { margin: 0; padding: 0; border: 0; outline: 0; font-weight: inherit; font-style: inherit; font-size: 100%; font-family: inherit; vertical-align: baseline; } /* remember to define focus styles! */ :focus { outline: 0; } html > body { height: 100%; } body { line-height: 1; color: #001b1e; background: white; } ol, ul { list-style: none; } em { font-style: normal; } strong { font-weight: bold; } /* tables still need 'cellspacing="0"' in the markup */ table { border-collapse: separate; border-spacing: 0; } caption, th, td { text-align: left; font-weight: normal; } blockquote:before, blockquote:after, q:before, q:after { content: ""; } blockquote, q { quotes: "" ""; } a { color:#179ad1; text-decoration:none; } /* =LAYOUT ------------------------------------------------ */ body { font-size:84%; font-family:"helvetica neue", arial, helvetica, sans-serif; line-height:1.3em; } #header-inner, #content, .onecol, .twocol, .threecol, #footer-inner { width: 960px; margin: 0 auto; position:relative; } /* =TWO COL --*/ .twocol .col-1 { width: 609px; float: left; } .twocol .col-2 { width: 340px; float: left; } /* =THREE COL --*/ .threecol .col-1 { width: 295px; float: left; } .threecol .col-2 { width:220px; float: left; margin-left: 54px; } .threecol .col-3 { width:315px; float:right; } /* =HEADER ------------------------------------------------ */ #header { background:url(band-top.png) repeat-x 0 -12px; _background: transparent; min-height:155px; _height: 155px; } #header a { color: #e5eed2; } /* =ATTIC ------------------------------------------------ */ #attic { background: url(attic-bg.png) no-repeat left bottom; _background: #181818; width: 423px; height:52px; float: right; color: #696b6b; font-size:12px; } #attic-phone strong, #language-menu a.selected { color:#e5eed2; /* lite gray */ } #attic-phone, #language-menu a { color: #9be922; /* green */ } #attic-phone strong { padding-left: 6px; } #attic-phone { float: left; line-height:2em; margin-top: 2em; margin-left: 9px; } #language-menu { float: right; line-height:2em; margin-top: 2em; margin-right: 9px; } #language-menu a:hover { color: #fff; } #attic .divider { padding:0 5px; } /* =BRANDING ------------------------------------------------ */ #logo { position:absolute; width: 358px; height:69px; top: 68px; text-indent:-9000px; } #logo { //filter:progid:DXImageTransform.Microsoft.AlphaImageLoader(enabled=true, sizingMethod=scale src='http://www.webgrapes.it/wp-content/themes/webgrapes/images/webgrapes-logo.png'); } #logo[id] { background: url(http://www.webgrapes.it/wp-content/themes/webgrapes/images/webgrapes-logo.png) no-repeat 0 0; } /* =MENU ------------------------------------------------ */ #menu { background: url(delivered-on-time.png) no-repeat 151px 18px; _background: none; float: right; clear:both; } #menu ul li { background:url(menu-divider.png) no-repeat 0 56px; _background:url(menu-divider.gif) no-repeat 0 56px; text-transform:uppercase; font-size:11px; font-weight:bold; padding-left: 13px; padding-right: 8px; float:left; display:block; padding-top: 52px; } #menu ul li a { color:#fff; height:20px; display:block; _float:left; } #menu ul li.first { padding-left:0; background:transparent; } #menu ul li.last { padding-right: 0; } body#home #menu ul li#tab-home a, body#about #menu ul li#tab-about a, body#whatwedo #menu ul li#tab-whatwedo a, body#dot #menu ul li#tab-dot a, body#portfolio #menu ul li#tab-portfolio a, body#location #menu ul li#tab-location a, body#contact #menu ul li#tab-contact a, #menu ul li a:hover { background: url(menu-selected-item-bg.png) repeat-x bottom; color:#9be922; } #menu #tab-dot a { } #upstairs[id] { background: url(basement-brushstrokes.png) repeat-x bottom; padding-bottom: 53px; } /* =CONTENT ------------------------------------------------ */ #content { background:url(content-top-2.png) no-repeat 0 0; _background: #181818; position:relative; padding-top: 15px; min-height:280px; _height: 280px; color:#a5b48f; } #content-inner { position: relative; background:url(content-btm-2.png) no-repeat left bottom; _background: none; padding-bottom:15px; } #content-inner-2 { background:url(content-bg-2.png); _background: none; min-height:275px; } #content a { color:#fff; } #content strong { color: #fff; font-weight:bold; } #content .col-1 { float: left; width: 540px; } #content .col-2 { float: right; width: 340px; } #content p { margin: 0 0 1em 0; line-height: 1.5em; font-size: 13px; } #content big { color: #fff; font-size:1.1em; } #content big em, #content big a { color:#8dc63f; } .btn-launch-site { background: url(btn-launch-site.png) no-repeat 0 0; display: block; height: 0 !important; height /**/: 24px; padding: 24px 0 0 0; width: 134px; overflow: hidden; _background: #181818; _padding:3px; _height: 20px !important; _width: 110px; } .btn-launch-site:hover { background-position: 0 -24px; } /* CALL TO ACTION ---------------------------------------------------*/ p#call-to-action { position:relative; height:30px; width: 233px; float: right; margin-bottom:0; margin-top: 7px; } #container #content .btn-get-a-quote { _background:url(btn-green.gif) no-repeat 0 0; width: 103px; height:30px; line-height: 30px; display:block; float: left; color: #001f20; padding-left: 16px; } #container #content .btn-get-a-quote[class] { background:url(btn-green.png) no-repeat 0 0; } #container #content .btn-get-a-quote:hover { background-position: 0 -30px; color: #fff; } #container #content .btn-portfolio { _background:url(btn-blue.gif) no-repeat 0 0; width: 79px; height:30px; line-height: 30px; display:block; float: left; padding-left: 23px; margin-left: 10px; color: #fff ; } #container #content .btn-portfolio[class] { background:url(btn-blue.png) no-repeat 0 0; } #container #content .btn-portfolio:hover { background-position: 0 -30px; } /* =BASEMENT ------------------------------------------------ */ #basement { background: #ebf1db; _background: transparent; _border-top: 10px solid #ebf1db; _margin-top: 20px; width: 100%; } #basement-inner { background: #ebf1db url(basement-bg.gif) repeat-x top; padding-top: 30px; padding-bottom:25px; position: relative; } #basement ul.checks { margin: 20px 0; } #basement ul.checks li { background:url(icon-check.gif) no-repeat left center; padding-left: 25px; margin-bottom:.5em; _height:1%; } #basement p { line-height: 1.4em; margin: 0 0 .5em; } #basement h2 { font-size: 1.2em; font-weight:bold; margin: 0 0 1em; border-bottom: 1px solid #ebf1db; } #basement big { font-size: 1.2em; } #basement strong { color: #88bd44; } /* =FORM DEFAULTS ------------------------------------------------ */ form label { text-transform:uppercase; font-size:10px; font-weight:bold; letter-spacing:1px; *letter-spacing: 0; color:#001d1f; } form .row { margin-bottom:5px; } form input.textbox { background: transparent url(form-textfield-234.gif); border:0; height:21px; width: 226px; padding: 4px 4px; color: #fff; font-weight:bold; font-size:1em; font-family: "helvetica neue", arial, helvetica, sans-serif; } form textarea { background: transparent url(form-textarea-323.jpg); border:0; height:140px; width: 315px; padding: 4px 4px; color: #fff; font-weight:bold; font-size:1em; font-family: "helvetica neue", arial, helvetica, sans-serif; } form label .required { color: #ee2b32; font-size: 1.3em; padding-left: 2px; } .wpcf7-response-output { clear: both; font: italic 1.4em/1.2em georgia; color: #cc4200; text-align: center; width: 500px; padding: 1em 50px 0; } .wpcf7-validation-errors { background: url(icon-error-48.png) no-repeat left center; } .wpcf7-mail-sent-ok { background: url(icon-check-48.png) no-repeat 84px 0; color: darkgreen; width: 440px; padding: 1em 110px 0; min-height: 34px; } .wpcf7-not-valid-tip { color: #cc4200; display: block; background: url(error-arrow.png) no-repeat left top; padding-left: 32px; margin-left: -32px; margin-top: -10px; line-height: 1.5em; padding-top: 10px; width: 370px; } /* =CLIENT ACCESS FORM ------------------------------------------------ */ #client-access-form { background:url(client-access-form-bg.png) no-repeat left bottom; _background: #fff; padding: 0 28px 24px; } #client-access-form h2 { padding-left: 19px; background: url(icon-lock.gif) no-repeat 0 3px; } input.login-button { float: right; } #forgot-password { font-size:.9em; margin: .5em 0; text-align:right; } #client-access-form .row { width: 233px; } /* =OUR SERVICES ------------------------------------------------ */ #our-services ul { margin: 20px 0; } #our-services ul li { background:url(icon-check.gif) no-repeat left center; padding-left: 25px; margin-bottom:.5em; _height:1%; } /* =PRESS ------------------------------------------------ */ #quote-bubble { width: 318px; position:relative; margin-left: -4px; } #quote-bubble blockquote { background: url(press-bubble-top.png) no-repeat left top; _background: #fff; color:#556145; font-size:1.1em; line-height:1.4em; display:block; padding: 40px 46px 30px; text-indent:0; _height:1%; } #quote-bubble cite { background: url(press-bubble-btm.png) no-repeat left top; _background: transparent; display:block; clear:both; height:20px; padding-top: 27px; padding-right: 23px; font-size:.9em; text-align:right; color: #a3af87; } #quote-bubble cite em { color: #13443b; font-weight:bold; display:block; } /* =BASEMENT NAV ------------------------------------------------ */ #basement ul.basement-nav li { background:transparent; padding-left: 0; border-bottom:1px solid #d9e1c4; _height:1%; margin-bottom:.2em; } #basement ul.basement-nav li a { display:block; padding: 4px 0; } #basement ul.basement-nav li a:hover { background: url(basement-nav-item-hover.png) repeat-x bottom; } /* =FOOTER ------------------------------------------------ */ #footer { background:#fff; color: #636363; position:relative; clear: both; } #footer-inner { min-height:90px; } #footer a { color:#2291ba; } #footer strong { color:#5da500; } #footer-contact { margin-top: 22px; float: left; } #footer-contact .email { padding-left: 8px; } #footer-menu { margin-top: 13px; /*float:right; z-index: 0;*/ margin-right: 157px; } #footer-menu[id] { float:right; } #footer-menu ul { margin-bottom: .3em; } #footer-menu ul li { float: right; } #footer-menu ul li a { background:url(footer-divider.gif) no-repeat right center; float: left; display:block; padding: 10px; } #footer-menu ul li.last a { padding-right: 0; background:transparent; } #powered-by { background:url(powered-by-webgrapes.gif) no-repeat 0 0; display:block; width:133px; height:36px; text-indent:-9000px; position:absolute; _left: 830px; top:27px; z-index: 3; } #powered-by[id] { right:0; } .copyright { clear:both; text-align:right; margin-right:153px; } /* =HOME ------------------------------------------------ */ #home #content .col-1 { width: 300px; padding-top: 15px; margin-left: 30px } * html #home #content .col-1 { display:inline; padding-left: 0; } #home #content .col-2 { width: 600px; } #home-title { margin-bottom: 8px; line-height: 1.4em; font-size:16px; color: #9eeb21; } #home-subtitle { color: #fff; margin-bottom: 9px; font-size: 21px; line-height: 1.1em; } #home #content .col-1 p { } /* =FEATURED PROJECT -- */ #featured-project .frame { background: white; height: 268px; width: 578px; display:block; padding: 3px; position:relative; _background: url(banner-bg-2.gif) no-repeat 0 0; } #featured-project .frame .screen-label { background: #3fb0e0 url(banner-title-bg.png) repeat-x; height:40px; position:absolute; bottom:3px; left:3px; width: 578px; } #featured-project .screen-label a.case-study-link { float: right; background: url(banner-case-study-btn.gif) no-repeat 0 0; width:83px;height:22px; display:block; position:relative; margin-top: 8px; margin-right: 8px; text-indent:-9000px; } .screen-label h3 { font-size:11px; text-transform:uppercase; color:#ceeaf5; float: left; line-height:40px; padding-left: 13px; } #featured-project .screen-label h3 a { color: #001f20; font-weight:bold; } /* =ERRORPAGE ------------------------------------------------ */ #errorpage #content-inner .col-1 { padding-left: 30px; padding-top: 15px; width: 520px; } #errorpage #content-inner .col-2 { position: relative; background: url(content-divider.png) no-repeat 0 30px; _background-image: url(content-divider.gif); min-height: 200px; } #errorpage #error-postit[id] {background: url(postit-bg.png) no-repeat 0 0;} #errorpage #error-postit { _background: url(about-postit.jpg) no-repeat; display:block; width: 280px; height:290px; position:absolute; z-index:1; top: 0; left: 30px; text-indent: -9000px; } #errorpage #error-postit[id] span {background: url(error-postit-trans.png) no-repeat 42px 65px;} #errorpage #error-postit span { height: 270px; width: 300px; display:block; } #errorpage #title { margin-bottom: 7px; } #errorpage #subtitle { margin-bottom: 9px; } /* =MISC ------------------------------------------------ */ .clearfix:after { content: "."; display: block; clear: both; visibility: hidden; line-height: 0; height: 0; } .clearfix { display: inline-block; } html[xmlns] .clearfix { display: block; } * html .clearfix { height: 1%; } .clearer { clear: both; } #footer .clearer { height: 0px; } blockquote.pullquote { float:right; width:10em; margin:0.35em 0.75em 0.25em .5em; padding:1em 0 .5em; border: 1px solid #555; border-width:1px 0; color:#fff; background:transparent; font: 1.3em/1.3 "helvetica neue", arial, helvetica, sans-serif; } blockquote.alt { float:right; margin:0.25em 0 0.25em 0.75em; } .pullquote p { margin:0; text-align: right; } .pullquote p:first-letter {text-transform:uppercase;} .nobasement #basement { height: 0; }
apache-cassandra-2.1.2/javadoc/org/apache/cassandra/config/ColumnDefinition.html
vangav/vos_backend
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (version 1.7.0_72) on Wed Nov 05 20:55:10 EST 2014 --> <title>ColumnDefinition (apache-cassandra API)</title> <meta name="date" content="2014-11-05"> <link rel="stylesheet" type="text/css" href="../../../../stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="ColumnDefinition (apache-cassandra API)"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../overview-summary.html">Overview</a></li> <li><a href="package-summary.html">Package</a></li> <li class="navBarCell1Rev">Class</li> <li><a href="class-use/ColumnDefinition.html">Use</a></li> <li><a href="package-tree.html">Tree</a></li> <li><a href="../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../index-all.html">Index</a></li> <li><a href="../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li><a href="../../../../org/apache/cassandra/config/CFMetaData.SpeculativeRetry.RetryType.html" title="enum in org.apache.cassandra.config"><span class="strong">Prev Class</span></a></li> <li><a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config"><span class="strong">Next Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../../index.html?org/apache/cassandra/config/ColumnDefinition.html" target="_top">Frames</a></li> <li><a href="ColumnDefinition.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <div> <ul class="subNavList"> <li>Summary:&nbsp;</li> <li><a href="#nested_class_summary">Nested</a>&nbsp;|&nbsp;</li> <li><a href="#field_summary">Field</a>&nbsp;|&nbsp;</li> <li><a href="#constructor_summary">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method_summary">Method</a></li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li><a href="#field_detail">Field</a>&nbsp;|&nbsp;</li> <li><a href="#constructor_detail">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method_detail">Method</a></li> </ul> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <!-- ======== START OF CLASS DATA ======== --> <div class="header"> <div class="subTitle">org.apache.cassandra.config</div> <h2 title="Class ColumnDefinition" class="title">Class ColumnDefinition</h2> </div> <div class="contentContainer"> <ul class="inheritance"> <li>java.lang.Object</li> <li> <ul class="inheritance"> <li><a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html" title="class in org.apache.cassandra.cql3">org.apache.cassandra.cql3.ColumnSpecification</a></li> <li> <ul class="inheritance"> <li>org.apache.cassandra.config.ColumnDefinition</li> </ul> </li> </ul> </li> </ul> <div class="description"> <ul class="blockList"> <li class="blockList"> <hr> <br> <pre>public class <span class="strong">ColumnDefinition</span> extends <a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html" title="class in org.apache.cassandra.cql3">ColumnSpecification</a></pre> </li> </ul> </div> <div class="summary"> <ul class="blockList"> <li class="blockList"> <!-- ======== NESTED CLASS SUMMARY ======== --> <ul class="blockList"> <li class="blockList"><a name="nested_class_summary"> <!-- --> </a> <h3>Nested Class Summary</h3> <table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Nested Class Summary table, listing nested classes, and an explanation"> <caption><span>Nested Classes</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Class and Description</th> </tr> <tr class="altColor"> <td class="colFirst"><code>static class&nbsp;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a></strong></code>&nbsp;</td> </tr> </table> </li> </ul> <!-- =========== FIELD SUMMARY =========== --> <ul class="blockList"> <li class="blockList"><a name="field_summary"> <!-- --> </a> <h3>Field Summary</h3> <table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Field Summary table, listing fields, and an explanation"> <caption><span>Fields</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Field and Description</th> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#kind">kind</a></strong></code>&nbsp;</td> </tr> </table> <ul class="blockList"> <li class="blockList"><a name="fields_inherited_from_class_org.apache.cassandra.cql3.ColumnSpecification"> <!-- --> </a> <h3>Fields inherited from class&nbsp;org.apache.cassandra.cql3.<a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html" title="class in org.apache.cassandra.cql3">ColumnSpecification</a></h3> <code><a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html#cfName">cfName</a>, <a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html#ksName">ksName</a>, <a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html#name">name</a>, <a href="../../../../org/apache/cassandra/cql3/ColumnSpecification.html#type">type</a></code></li> </ul> </li> </ul> <!-- ======== CONSTRUCTOR SUMMARY ======== --> <ul class="blockList"> <li class="blockList"><a name="constructor_summary"> <!-- --> </a> <h3>Constructor Summary</h3> <table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Constructor Summary table, listing constructors, and an explanation"> <caption><span>Constructors</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colOne" scope="col">Constructor and Description</th> </tr> <tr class="altColor"> <td class="colOne"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#ColumnDefinition(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer,%20org.apache.cassandra.config.ColumnDefinition.Kind)">ColumnDefinition</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colOne"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#ColumnDefinition(java.lang.String,%20java.lang.String,%20org.apache.cassandra.cql3.ColumnIdentifier,%20org.apache.cassandra.db.marshal.AbstractType,%20org.apache.cassandra.config.IndexType,%20java.util.Map,%20java.lang.String,%20java.lang.Integer,%20org.apache.cassandra.config.ColumnDefinition.Kind)">ColumnDefinition</a></strong>(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/cql3/ColumnIdentifier.html" title="class in org.apache.cassandra.cql3">ColumnIdentifier</a>&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, <a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions, java.lang.String&nbsp;indexName, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</code>&nbsp;</td> </tr> </table> </li> </ul> <!-- ========== METHOD SUMMARY =========== --> <ul class="blockList"> <li class="blockList"><a name="method_summary"> <!-- --> </a> <h3>Method Summary</h3> <table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Method Summary table, listing methods, and an explanation"> <caption><span>Methods</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#apply(org.apache.cassandra.config.ColumnDefinition)">apply</a></strong>(<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;def)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#clusteringKeyDef(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer)">clusteringKeyDef</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#compactValueDef(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType)">compactValueDef</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#copy()">copy</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#deleteFromSchema(org.apache.cassandra.db.Mutation,%20long)">deleteFromSchema</a></strong>(<a href="../../../../org/apache/cassandra/db/Mutation.html" title="class in org.apache.cassandra.db">Mutation</a>&nbsp;mutation, long&nbsp;timestamp)</code> <div class="block">Drop specified column from the schema using given mutation.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#equals(java.lang.Object)">equals</a></strong>(java.lang.Object&nbsp;o)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>static java.util.List&lt;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#fromSchema(org.apache.cassandra.cql3.UntypedResultSet,%20java.lang.String,%20java.lang.String,%20org.apache.cassandra.db.marshal.AbstractType,%20boolean)">fromSchema</a></strong>(<a href="../../../../org/apache/cassandra/cql3/UntypedResultSet.html" title="class in org.apache.cassandra.cql3">UntypedResultSet</a>&nbsp;serializedColumns, java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;rawComparator, boolean&nbsp;isSuper)</code> <div class="block">Deserialize columns from storage-level representation</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#fromThrift(java.lang.String,%20java.lang.String,%20org.apache.cassandra.db.marshal.AbstractType,%20org.apache.cassandra.db.marshal.AbstractType,%20org.apache.cassandra.thrift.ColumnDef)">fromThrift</a></strong>(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftComparator, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftSubcomparator, <a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&nbsp;thriftColumnDef)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>static java.util.List&lt;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#fromThrift(java.lang.String,%20java.lang.String,%20org.apache.cassandra.db.marshal.AbstractType,%20org.apache.cassandra.db.marshal.AbstractType,%20java.util.List)">fromThrift</a></strong>(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftComparator, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftSubcomparator, java.util.List&lt;<a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&gt;&nbsp;thriftDefs)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#getComponentComparator(org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer,%20org.apache.cassandra.config.ColumnDefinition.Kind)">getComponentComparator</a></strong>(<a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;rawComparator, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>java.lang.String</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#getIndexName()">getIndexName</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>java.util.Map&lt;java.lang.String,java.lang.String&gt;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#getIndexOptions()">getIndexOptions</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#getIndexType()">getIndexType</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>int</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#hashCode()">hashCode</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#hasIndexOption(java.lang.String)">hasIndexOption</a></strong>(java.lang.String&nbsp;name)</code> <div class="block">Checks if the index option with the specified name has been specified.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isIndexed()">isIndexed</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isOnAllComponents()">isOnAllComponents</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isPartOfCellName()">isPartOfCellName</a></strong>()</code> <div class="block">Whether the name of this definition is serialized in the cell nane, i.e.</div> </td> </tr> <tr class="altColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isPrimaryKeyColumn()">isPrimaryKeyColumn</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isStatic()">isStatic</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#isThriftCompatible()">isThriftCompatible</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#partitionKeyDef(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer)">partitionKeyDef</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#partitionKeyDef(java.lang.String,%20java.lang.String,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer)">partitionKeyDef</a></strong>(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>int</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#position()">position</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#regularDef(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer)">regularDef</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/cql3/UntypedResultSet.html" title="class in org.apache.cassandra.cql3">UntypedResultSet</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#resultify(org.apache.cassandra.db.Row)">resultify</a></strong>(<a href="../../../../org/apache/cassandra/db/Row.html" title="class in org.apache.cassandra.db">Row</a>&nbsp;serializedColumns)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#setIndex(java.lang.String,%20org.apache.cassandra.config.IndexType,%20java.util.Map)">setIndex</a></strong>(java.lang.String&nbsp;indexName, <a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#setIndexName(java.lang.String)">setIndexName</a></strong>(java.lang.String&nbsp;indexName)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#setIndexType(org.apache.cassandra.config.IndexType,%20java.util.Map)">setIndexType</a></strong>(<a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#staticDef(org.apache.cassandra.config.CFMetaData,%20java.nio.ByteBuffer,%20org.apache.cassandra.db.marshal.AbstractType,%20java.lang.Integer)">staticDef</a></strong>(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#toSchema(org.apache.cassandra.db.Mutation,%20long)">toSchema</a></strong>(<a href="../../../../org/apache/cassandra/db/Mutation.html" title="class in org.apache.cassandra.db">Mutation</a>&nbsp;mutation, long&nbsp;timestamp)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>java.lang.String</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#toString()">toString</a></strong>()</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#toThrift()">toThrift</a></strong>()</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static java.util.List&lt;<a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&gt;</code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#toThrift(java.util.Map)">toThrift</a></strong>(java.util.Map&lt;java.nio.ByteBuffer,<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;&nbsp;columns)</code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#withNewName(org.apache.cassandra.cql3.ColumnIdentifier)">withNewName</a></strong>(<a href="../../../../org/apache/cassandra/cql3/ColumnIdentifier.html" title="class in org.apache.cassandra.cql3">ColumnIdentifier</a>&nbsp;newName)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a></code></td> <td class="colLast"><code><strong><a href="../../../../org/apache/cassandra/config/ColumnDefinition.html#withNewType(org.apache.cassandra.db.marshal.AbstractType)">withNewType</a></strong>(<a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;newType)</code>&nbsp;</td> </tr> </table> <ul class="blockList"> <li class="blockList"><a name="methods_inherited_from_class_java.lang.Object"> <!-- --> </a> <h3>Methods inherited from class&nbsp;java.lang.Object</h3> <code>clone, finalize, getClass, notify, notifyAll, wait, wait, wait</code></li> </ul> </li> </ul> </li> </ul> </div> <div class="details"> <ul class="blockList"> <li class="blockList"> <!-- ============ FIELD DETAIL =========== --> <ul class="blockList"> <li class="blockList"><a name="field_detail"> <!-- --> </a> <h3>Field Detail</h3> <a name="kind"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>kind</h4> <pre>public final&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a> kind</pre> </li> </ul> </li> </ul> <!-- ========= CONSTRUCTOR DETAIL ======== --> <ul class="blockList"> <li class="blockList"><a name="constructor_detail"> <!-- --> </a> <h3>Constructor Detail</h3> <a name="ColumnDefinition(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer, org.apache.cassandra.config.ColumnDefinition.Kind)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>ColumnDefinition</h4> <pre>public&nbsp;ColumnDefinition(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</pre> </li> </ul> <a name="ColumnDefinition(java.lang.String, java.lang.String, org.apache.cassandra.cql3.ColumnIdentifier, org.apache.cassandra.db.marshal.AbstractType, org.apache.cassandra.config.IndexType, java.util.Map, java.lang.String, java.lang.Integer, org.apache.cassandra.config.ColumnDefinition.Kind)"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>ColumnDefinition</h4> <pre>public&nbsp;ColumnDefinition(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/cql3/ColumnIdentifier.html" title="class in org.apache.cassandra.cql3">ColumnIdentifier</a>&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, <a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions, java.lang.String&nbsp;indexName, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</pre> </li> </ul> </li> </ul> <!-- ============ METHOD DETAIL ========== --> <ul class="blockList"> <li class="blockList"><a name="method_detail"> <!-- --> </a> <h3>Method Detail</h3> <a name="partitionKeyDef(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>partitionKeyDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;partitionKeyDef(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</pre> </li> </ul> <a name="partitionKeyDef(java.lang.String, java.lang.String, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>partitionKeyDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;partitionKeyDef(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</pre> </li> </ul> <a name="clusteringKeyDef(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>clusteringKeyDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;clusteringKeyDef(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</pre> </li> </ul> <a name="regularDef(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>regularDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;regularDef(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</pre> </li> </ul> <a name="staticDef(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>staticDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;staticDef(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator, java.lang.Integer&nbsp;componentIndex)</pre> </li> </ul> <a name="compactValueDef(org.apache.cassandra.config.CFMetaData, java.nio.ByteBuffer, org.apache.cassandra.db.marshal.AbstractType)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>compactValueDef</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;compactValueDef(<a href="../../../../org/apache/cassandra/config/CFMetaData.html" title="class in org.apache.cassandra.config">CFMetaData</a>&nbsp;cfm, java.nio.ByteBuffer&nbsp;name, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;validator)</pre> </li> </ul> <a name="copy()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>copy</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;copy()</pre> </li> </ul> <a name="withNewName(org.apache.cassandra.cql3.ColumnIdentifier)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>withNewName</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;withNewName(<a href="../../../../org/apache/cassandra/cql3/ColumnIdentifier.html" title="class in org.apache.cassandra.cql3">ColumnIdentifier</a>&nbsp;newName)</pre> </li> </ul> <a name="withNewType(org.apache.cassandra.db.marshal.AbstractType)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>withNewType</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;withNewType(<a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;newType)</pre> </li> </ul> <a name="isOnAllComponents()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isOnAllComponents</h4> <pre>public&nbsp;boolean&nbsp;isOnAllComponents()</pre> </li> </ul> <a name="isStatic()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isStatic</h4> <pre>public&nbsp;boolean&nbsp;isStatic()</pre> </li> </ul> <a name="position()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>position</h4> <pre>public&nbsp;int&nbsp;position()</pre> </li> </ul> <a name="equals(java.lang.Object)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>equals</h4> <pre>public&nbsp;boolean&nbsp;equals(java.lang.Object&nbsp;o)</pre> <dl> <dt><strong>Overrides:</strong></dt> <dd><code>equals</code>&nbsp;in class&nbsp;<code>java.lang.Object</code></dd> </dl> </li> </ul> <a name="hashCode()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>hashCode</h4> <pre>public&nbsp;int&nbsp;hashCode()</pre> <dl> <dt><strong>Overrides:</strong></dt> <dd><code>hashCode</code>&nbsp;in class&nbsp;<code>java.lang.Object</code></dd> </dl> </li> </ul> <a name="toString()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>toString</h4> <pre>public&nbsp;java.lang.String&nbsp;toString()</pre> <dl> <dt><strong>Overrides:</strong></dt> <dd><code>toString</code>&nbsp;in class&nbsp;<code>java.lang.Object</code></dd> </dl> </li> </ul> <a name="isThriftCompatible()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isThriftCompatible</h4> <pre>public&nbsp;boolean&nbsp;isThriftCompatible()</pre> </li> </ul> <a name="isPrimaryKeyColumn()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isPrimaryKeyColumn</h4> <pre>public&nbsp;boolean&nbsp;isPrimaryKeyColumn()</pre> </li> </ul> <a name="toThrift(java.util.Map)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>toThrift</h4> <pre>public static&nbsp;java.util.List&lt;<a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&gt;&nbsp;toThrift(java.util.Map&lt;java.nio.ByteBuffer,<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;&nbsp;columns)</pre> </li> </ul> <a name="isPartOfCellName()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isPartOfCellName</h4> <pre>public&nbsp;boolean&nbsp;isPartOfCellName()</pre> <div class="block">Whether the name of this definition is serialized in the cell nane, i.e. whether it's not just a non-stored CQL metadata.</div> </li> </ul> <a name="toThrift()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>toThrift</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&nbsp;toThrift()</pre> </li> </ul> <a name="fromThrift(java.lang.String, java.lang.String, org.apache.cassandra.db.marshal.AbstractType, org.apache.cassandra.db.marshal.AbstractType, org.apache.cassandra.thrift.ColumnDef)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>fromThrift</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;fromThrift(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftComparator, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftSubcomparator, <a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&nbsp;thriftColumnDef) throws <a href="../../../../org/apache/cassandra/exceptions/SyntaxException.html" title="class in org.apache.cassandra.exceptions">SyntaxException</a>, <a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></pre> <dl><dt><span class="strong">Throws:</span></dt> <dd><code><a href="../../../../org/apache/cassandra/exceptions/SyntaxException.html" title="class in org.apache.cassandra.exceptions">SyntaxException</a></code></dd> <dd><code><a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></code></dd></dl> </li> </ul> <a name="fromThrift(java.lang.String, java.lang.String, org.apache.cassandra.db.marshal.AbstractType, org.apache.cassandra.db.marshal.AbstractType, java.util.List)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>fromThrift</h4> <pre>public static&nbsp;java.util.List&lt;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;&nbsp;fromThrift(java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftComparator, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;thriftSubcomparator, java.util.List&lt;<a href="../../../../org/apache/cassandra/thrift/ColumnDef.html" title="class in org.apache.cassandra.thrift">ColumnDef</a>&gt;&nbsp;thriftDefs) throws <a href="../../../../org/apache/cassandra/exceptions/SyntaxException.html" title="class in org.apache.cassandra.exceptions">SyntaxException</a>, <a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></pre> <dl><dt><span class="strong">Throws:</span></dt> <dd><code><a href="../../../../org/apache/cassandra/exceptions/SyntaxException.html" title="class in org.apache.cassandra.exceptions">SyntaxException</a></code></dd> <dd><code><a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></code></dd></dl> </li> </ul> <a name="deleteFromSchema(org.apache.cassandra.db.Mutation, long)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>deleteFromSchema</h4> <pre>public&nbsp;void&nbsp;deleteFromSchema(<a href="../../../../org/apache/cassandra/db/Mutation.html" title="class in org.apache.cassandra.db">Mutation</a>&nbsp;mutation, long&nbsp;timestamp)</pre> <div class="block">Drop specified column from the schema using given mutation.</div> <dl><dt><span class="strong">Parameters:</span></dt><dd><code>mutation</code> - The schema mutation</dd><dd><code>timestamp</code> - The timestamp to use for column modification</dd></dl> </li> </ul> <a name="toSchema(org.apache.cassandra.db.Mutation, long)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>toSchema</h4> <pre>public&nbsp;void&nbsp;toSchema(<a href="../../../../org/apache/cassandra/db/Mutation.html" title="class in org.apache.cassandra.db">Mutation</a>&nbsp;mutation, long&nbsp;timestamp)</pre> </li> </ul> <a name="apply(org.apache.cassandra.config.ColumnDefinition)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>apply</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;apply(<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;def) throws <a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></pre> <dl><dt><span class="strong">Throws:</span></dt> <dd><code><a href="../../../../org/apache/cassandra/exceptions/ConfigurationException.html" title="class in org.apache.cassandra.exceptions">ConfigurationException</a></code></dd></dl> </li> </ul> <a name="resultify(org.apache.cassandra.db.Row)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>resultify</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/cql3/UntypedResultSet.html" title="class in org.apache.cassandra.cql3">UntypedResultSet</a>&nbsp;resultify(<a href="../../../../org/apache/cassandra/db/Row.html" title="class in org.apache.cassandra.db">Row</a>&nbsp;serializedColumns)</pre> </li> </ul> <a name="fromSchema(org.apache.cassandra.cql3.UntypedResultSet, java.lang.String, java.lang.String, org.apache.cassandra.db.marshal.AbstractType, boolean)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>fromSchema</h4> <pre>public static&nbsp;java.util.List&lt;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&gt;&nbsp;fromSchema(<a href="../../../../org/apache/cassandra/cql3/UntypedResultSet.html" title="class in org.apache.cassandra.cql3">UntypedResultSet</a>&nbsp;serializedColumns, java.lang.String&nbsp;ksName, java.lang.String&nbsp;cfName, <a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;rawComparator, boolean&nbsp;isSuper)</pre> <div class="block">Deserialize columns from storage-level representation</div> <dl><dt><span class="strong">Parameters:</span></dt><dd><code>serializedColumns</code> - storage-level partition containing the column definitions</dd> <dt><span class="strong">Returns:</span></dt><dd>the list of processed ColumnDefinitions</dd></dl> </li> </ul> <a name="getComponentComparator(org.apache.cassandra.db.marshal.AbstractType, java.lang.Integer, org.apache.cassandra.config.ColumnDefinition.Kind)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getComponentComparator</h4> <pre>public static&nbsp;<a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;getComponentComparator(<a href="../../../../org/apache/cassandra/db/marshal/AbstractType.html" title="class in org.apache.cassandra.db.marshal">AbstractType</a>&lt;?&gt;&nbsp;rawComparator, java.lang.Integer&nbsp;componentIndex, <a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config">ColumnDefinition.Kind</a>&nbsp;kind)</pre> </li> </ul> <a name="getIndexName()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getIndexName</h4> <pre>public&nbsp;java.lang.String&nbsp;getIndexName()</pre> </li> </ul> <a name="setIndexName(java.lang.String)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setIndexName</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;setIndexName(java.lang.String&nbsp;indexName)</pre> </li> </ul> <a name="setIndexType(org.apache.cassandra.config.IndexType, java.util.Map)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setIndexType</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;setIndexType(<a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions)</pre> </li> </ul> <a name="setIndex(java.lang.String, org.apache.cassandra.config.IndexType, java.util.Map)"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setIndex</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/ColumnDefinition.html" title="class in org.apache.cassandra.config">ColumnDefinition</a>&nbsp;setIndex(java.lang.String&nbsp;indexName, <a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;indexType, java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;indexOptions)</pre> </li> </ul> <a name="isIndexed()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>isIndexed</h4> <pre>public&nbsp;boolean&nbsp;isIndexed()</pre> </li> </ul> <a name="getIndexType()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getIndexType</h4> <pre>public&nbsp;<a href="../../../../org/apache/cassandra/config/IndexType.html" title="enum in org.apache.cassandra.config">IndexType</a>&nbsp;getIndexType()</pre> </li> </ul> <a name="getIndexOptions()"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getIndexOptions</h4> <pre>public&nbsp;java.util.Map&lt;java.lang.String,java.lang.String&gt;&nbsp;getIndexOptions()</pre> </li> </ul> <a name="hasIndexOption(java.lang.String)"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>hasIndexOption</h4> <pre>public&nbsp;boolean&nbsp;hasIndexOption(java.lang.String&nbsp;name)</pre> <div class="block">Checks if the index option with the specified name has been specified.</div> <dl><dt><span class="strong">Parameters:</span></dt><dd><code>name</code> - index option name</dd> <dt><span class="strong">Returns:</span></dt><dd><code>true</code> if the index option with the specified name has been specified, <code>false</code> otherwise.</dd></dl> </li> </ul> </li> </ul> </li> </ul> </div> </div> <!-- ========= END OF CLASS DATA ========= --> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../overview-summary.html">Overview</a></li> <li><a href="package-summary.html">Package</a></li> <li class="navBarCell1Rev">Class</li> <li><a href="class-use/ColumnDefinition.html">Use</a></li> <li><a href="package-tree.html">Tree</a></li> <li><a href="../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../index-all.html">Index</a></li> <li><a href="../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li><a href="../../../../org/apache/cassandra/config/CFMetaData.SpeculativeRetry.RetryType.html" title="enum in org.apache.cassandra.config"><span class="strong">Prev Class</span></a></li> <li><a href="../../../../org/apache/cassandra/config/ColumnDefinition.Kind.html" title="enum in org.apache.cassandra.config"><span class="strong">Next Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../../index.html?org/apache/cassandra/config/ColumnDefinition.html" target="_top">Frames</a></li> <li><a href="ColumnDefinition.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <div> <ul class="subNavList"> <li>Summary:&nbsp;</li> <li><a href="#nested_class_summary">Nested</a>&nbsp;|&nbsp;</li> <li><a href="#field_summary">Field</a>&nbsp;|&nbsp;</li> <li><a href="#constructor_summary">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method_summary">Method</a></li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li><a href="#field_detail">Field</a>&nbsp;|&nbsp;</li> <li><a href="#constructor_detail">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method_detail">Method</a></li> </ul> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &copy; 2014 The Apache Software Foundation</small></p> </body> </html>
doc/couchdbkit.org/htdocs/docs/api/greenlet.error-class.html
arnaudsj/couchdbkit
<?xml version="1.0" encoding="ascii"?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <title>greenlet.error</title> <link rel="stylesheet" href="epydoc.css" type="text/css" /> <script type="text/javascript" src="epydoc.js"></script> </head> <body bgcolor="white" text="black" link="blue" vlink="#204080" alink="#204080"> <!-- ==================== NAVIGATION BAR ==================== --> <table class="navbar" border="0" width="100%" cellpadding="0" bgcolor="#a0c0ff" cellspacing="0"> <tr valign="middle"> <!-- Home link --> <th>&nbsp;&nbsp;&nbsp;<a href="couchdbkit-module.html">Home</a>&nbsp;&nbsp;&nbsp;</th> <!-- Tree link --> <th>&nbsp;&nbsp;&nbsp;<a href="module-tree.html">Trees</a>&nbsp;&nbsp;&nbsp;</th> <!-- Index link --> <th>&nbsp;&nbsp;&nbsp;<a href="identifier-index.html">Indices</a>&nbsp;&nbsp;&nbsp;</th> <!-- Help link --> <th>&nbsp;&nbsp;&nbsp;<a href="help.html">Help</a>&nbsp;&nbsp;&nbsp;</th> <th class="navbar" width="100%"></th> </tr> </table> <table width="100%" cellpadding="0" cellspacing="0"> <tr valign="top"> <td width="100%"> <span class="breadcrumbs"> greenlet :: error :: Class&nbsp;error </span> </td> <td> <table cellpadding="0" cellspacing="0"> <!-- hide/show private --> <tr><td align="right"><span class="options">[<a href="javascript:void(0);" class="privatelink" onclick="toggle_private();">hide&nbsp;private</a>]</span></td></tr> <tr><td align="right"><span class="options" >[<a href="frames.html" target="_top">frames</a >]&nbsp;|&nbsp;<a href="greenlet.error-class.html" target="_top">no&nbsp;frames</a>]</span></td></tr> </table> </td> </tr> </table> <!-- ==================== CLASS DESCRIPTION ==================== --> <h1 class="epydoc">Class error</h1><p class="nomargin-top"></p> <pre class="base-tree"> object --+ | exceptions.BaseException --+ | exceptions.Exception --+ | <strong class="uidshort">error</strong> </pre> <hr /> <!-- ==================== INSTANCE METHODS ==================== --> <a name="section-InstanceMethods"></a> <table class="summary" border="1" cellpadding="3" cellspacing="0" width="100%" bgcolor="white"> <tr bgcolor="#70b0f0" class="table-header"> <td colspan="2" class="table-header"> <table border="0" cellpadding="0" cellspacing="0" width="100%"> <tr valign="top"> <td align="left"><span class="table-header">Instance Methods</span></td> <td align="right" valign="top" ><span class="options">[<a href="#section-InstanceMethods" class="privatelink" onclick="toggle_private();" >hide private</a>]</span></td> </tr> </table> </td> </tr> <tr> <td colspan="2" class="summary"> <p class="indent-wrapped-lines"><b>Inherited from <code>exceptions.Exception</code></b>: <code>__init__</code>, <code>__new__</code> </p> <p class="indent-wrapped-lines"><b>Inherited from <code>exceptions.BaseException</code></b>: <code>__delattr__</code>, <code>__getattribute__</code>, <code>__getitem__</code>, <code>__getslice__</code>, <code>__reduce__</code>, <code>__repr__</code>, <code>__setattr__</code>, <code>__setstate__</code>, <code>__str__</code>, <code>__unicode__</code> </p> <p class="indent-wrapped-lines"><b>Inherited from <code>object</code></b>: <code>__format__</code>, <code>__hash__</code>, <code>__reduce_ex__</code>, <code>__sizeof__</code>, <code>__subclasshook__</code> </p> </td> </tr> </table> <!-- ==================== PROPERTIES ==================== --> <a name="section-Properties"></a> <table class="summary" border="1" cellpadding="3" cellspacing="0" width="100%" bgcolor="white"> <tr bgcolor="#70b0f0" class="table-header"> <td colspan="2" class="table-header"> <table border="0" cellpadding="0" cellspacing="0" width="100%"> <tr valign="top"> <td align="left"><span class="table-header">Properties</span></td> <td align="right" valign="top" ><span class="options">[<a href="#section-Properties" class="privatelink" onclick="toggle_private();" >hide private</a>]</span></td> </tr> </table> </td> </tr> <tr> <td colspan="2" class="summary"> <p class="indent-wrapped-lines"><b>Inherited from <code>exceptions.BaseException</code></b>: <code>args</code>, <code>message</code> </p> <p class="indent-wrapped-lines"><b>Inherited from <code>object</code></b>: <code>__class__</code> </p> </td> </tr> </table> <!-- ==================== NAVIGATION BAR ==================== --> <table class="navbar" border="0" width="100%" cellpadding="0" bgcolor="#a0c0ff" cellspacing="0"> <tr valign="middle"> <!-- Home link --> <th>&nbsp;&nbsp;&nbsp;<a href="couchdbkit-module.html">Home</a>&nbsp;&nbsp;&nbsp;</th> <!-- Tree link --> <th>&nbsp;&nbsp;&nbsp;<a href="module-tree.html">Trees</a>&nbsp;&nbsp;&nbsp;</th> <!-- Index link --> <th>&nbsp;&nbsp;&nbsp;<a href="identifier-index.html">Indices</a>&nbsp;&nbsp;&nbsp;</th> <!-- Help link --> <th>&nbsp;&nbsp;&nbsp;<a href="help.html">Help</a>&nbsp;&nbsp;&nbsp;</th> <th class="navbar" width="100%"></th> </tr> </table> <table border="0" cellpadding="0" cellspacing="0" width="100%%"> <tr> <td align="left" class="footer"> Generated by Epydoc 3.0.1 on Fri Feb 18 10:31:29 2011 </td> <td align="right" class="footer"> <a target="mainFrame" href="http://epydoc.sourceforge.net" >http://epydoc.sourceforge.net</a> </td> </tr> </table> <script type="text/javascript"> <!-- // Private objects are initially displayed (because if // javascript is turned off then we want them to be // visible); but by default, we want to hide them. So hide // them unless we have a cookie that says to show them. checkCookie(); // --> </script> </body> </html>
app/src/main/assets/nutristyle.css
Zhouball/BruinMenu
html, body { height: 100%; } body { font-family: Arial, Helvetica, Geneva, sans-serif; font-size: 10pt; color: #000; background-color: #FFFFFF; background: #FFFFFF; /* Old browsers */ /*background: -moz-linear-gradient(top, #ffffff 0%, #e5e5e5 100%); /* FF3.6+ */ /*background: -webkit-gradient(linear, left top, left bottom, color-stop(0%,#ffffff), color-stop(100%,#e5e5e5)); /* Chrome,Safari4+ */ /*background: -webkit-linear-gradient(top, #ffffff 0%,#e5e5e5 100%); /* Chrome10+,Safari5.1+ */ /*background: -o-linear-gradient(top, #ffffff 0%,#e5e5e5 100%); /* Opera 11.10+ */ /*background: -ms-linear-gradient(top, #ffffff 0%,#e5e5e5 100%); /* IE10+ */ /*background: linear-gradient(to bottom, #ffffff 0%,#e5e5e5 100%); /* W3C */ /*filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#ffffff', endColorstr='#e5e5e5',GradientType=0 ); /* IE6-9 */ padding: 10px 25px 25px 25px; margin: 0; } input, select, button { font-family: Arial, Helvetica, Geneva, sans-serif; color: #000; } a:link { color: #0055A6; text-decoration: none; } a:visited { color: #0055A6; text-decoration: none; } a:hover { color: #0055A6; text-decoration: underline; } a:active { color: #0055A6; text-decoration: underline; } .rdprintlink a:link { color: #000; text-decoration: none; } .rdprintlink a:visited { color: #000; text-decoration: none; } .rdprintlink a:hover { color: #000; text-decoration: none; } .rdprintlink a:active { color: #000; text-decoration: none; } .left_lightbox { display: inline; float: left; margin-right: 15px; } .right1_lightbox { display: inline; float: left; padding: 0px 15px 5px 0px; width: 280px; } .right2_lightbox { padding: 0px 15px 5px 15px; height: 286px; padding-right: 15px; overflow: auto; text-align: left; font-size: 12px; line-height: 150%; } .right_lightbox { display: inline; } hr { border: 0; height: 0; border-top: 1px solid rgba(0, 0, 0, 0.1); border-bottom: 1px solid rgba(255, 255, 255, 0.3); padding: 0px 0px 10px 0px; } hr.clearall { border: 0; clear: both; height: 0; margin: 0; width: 100%; } .layouttable { border: 0; border-spacing: 0; margin-left: auto; margin-right: auto; vertical-align: top; text-align: left; } .layouttablecell { border: 0; vertical-align: top; text-align: left; } .centerdiv { text-align: center; } .rdtitle { display: inline; float: left; font-size: 30px; font-weight: bold; text-align: left; } .rdinfo { max-width: 500px; max-height: 100px; text-align: left; margin: 0px 0px 15px 0px; padding-right: 15px; overflow: auto; } .translation_country { font-style: italic; font-size: 16px; font-weight: bold; } hr.ttspacer { display: none; } .ttlegend { display: inline; font-size: 12px; font-weight: bold; vertical-align: middle; white-space: nowrap; } .rdimg { margin: 0 auto; text-align: left; } .rdingred_listz { display: inline; float: left; max-width: 245px; max-height: 250px; padding-right: 15px; overflow: auto; text-align: left; font-size: 12px; line-height: 150%; } .rddisclaimer { padding: 0px 80px 0px 80px; font-size: 12px; font-style: italic; color: #999; text-align: center; position: absolute; bottom: 25px; } .rdprintlink { display: inline; float: right; padding-top: 30px; padding-bottom: 10px; } .rdprintlink a { margin-left: 5px; } .border { padding: 2px; border: 1px solid #CCC; background-color: #FFF; height: 280px; width: 280px; } .noborder { border: 0; background-color: none; vertical-align: middle; } .rdext { font-size: 18px; font-style: italic; left: 0px; position: absolute; text-align: center; top: 40%; width: 100%; } .rderror { font-size: 24px; left: 0px; position: absolute; text-align: center; top: 40%; width: 100%; } .listlabel { font-weight: bold; } .nfbox { background-color: #FFFFFF; border: 1px solid #000000; color: #000000; display: table; font-family: Helvetica, Arial, Verdana, Geneva, sans-serif; font-size: 10pt; margin-bottom: 5px; margin-left: 5px; margin-right: 5px; margin-top: 0; padding-bottom: 3px; padding-left: 5px; padding-right: 5px; padding-top: 5px; text-decoration: none; } .nftitle { font-family: "Helvetica Black", "Arial Black", "Franklin Gothic Heavy", sans-serif; font-size: 2.0em; margin-bottom: 0; margin-top: 0; text-align: center; } .nfserv { margin-bottom: 0; margin-top: 0; } .nfamt { border-top: 7px solid #000000; font-size: 0.75em; font-weight: bold; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; } .nfcal { border-top: 1px solid #000000; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; } .nfcaltxt { font-weight: bold; } .nffatcal { float: right; } .nfdvhdr { border-top: 3px solid #000000; font-size: 0.75em; font-weight: bold; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; text-align: right; } .nfdvval { float: right; } .nfdvvalnum { font-weight: bold; } .nfnutrient { border-top: 1px solid #000000; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; } .nfmajornutrient { font-weight: bold; } .nfindent { margin-left: 15px; } .nfvit { border-top: 1px solid #000000; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; text-align: center; } .nfvitfirst { border-top: 7px solid #000000; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; text-align: center; } .nfvitleft { float: left; margin-bottom: 0; margin-top: 0; padding-right: 2px; width: 45%; } .nfvitright { float: right; margin-bottom: 0; margin-top: 0; padding-left: 2px; width: 45%; } .nfvitname { float: left; } .nfvitpct { float: right; } .nfdisclaimer { border-top: 1px solid #000000; clear: both; font-family: "Helvetica Narrow", "Arial Narrow", sans-serif; font-size: 0.75em; margin-bottom: 1px; margin-top: 1px; padding-top: 2px; }
Openparts-web/src/main/webapp/resources/common/libs/markdown/test.html
XilongPei/Openparts
<h1 id="h1--markdown-"> <a name="欢迎使用Markdown编辑器写文章" class="reference-link"></a> <span class="header-link octicon octicon-link"></span>欢迎使用Markdown编辑器写文章 </h1> <p>本Markdown编辑器使用<strong>Editor.md</strong>修改而来,用它写技术文章,将会带来全新的体验哦:</p> <ul> <li><strong>Markdown和扩展Markdown简洁的语法</strong></li> <li><strong>代码块高亮</strong></li> <li><strong>图片链接和图片上传</strong></li> <li><strong><em>LaTex</em>数学公式</strong></li> <li><strong>UML序列图和流程图</strong></li> <li><strong>离线写文章</strong></li> <li><strong>导入导出Markdown文件</strong></li> <li><strong>丰富的快捷键</strong></li> </ul> <hr> <h2 id="h2-u5FEBu6377u952E"><a name="快捷键" class="reference-link"></a><span class="header-link octicon octicon-link"></span>快捷键</h2> <ul> <li>加粗 <code>Ctrl + B</code></li> <li>斜体 <code>Ctrl + I</code></li> <li>引用 <code>Ctrl + Q</code></li> <li>插入链接 <code>Ctrl + L</code></li> <li>插入代码 <code>Ctrl + K</code></li> <li>插入图片 <code>Ctrl + G</code></li> <li>提升标题 <code>Ctrl + H</code></li> <li>有序列表 <code>Ctrl + O</code></li> <li>无序列表 <code>Ctrl + U</code></li> <li>横线 <code>Ctrl + R</code></li> <li>撤销 <code>Ctrl + Z</code></li> <li>重做 <code>Ctrl + Y</code></li> </ul> <h2 id="h2-markdown-"><a name="Markdown及扩展" class="reference-link"></a><span class="header-link octicon octicon-link"></span>Markdown及扩展</h2> <blockquote> <p>Markdown 是一种轻量级标记语言,它允许人们使用易读易写的纯文本格式编写文档,然后转换成格式丰富的HTML页面。 —— <a href="https://zh.wikipedia.org/wiki/Markdown" target="_blank"> [ 维基百科 ]</p> </blockquote> <p>使用简单的符号标识不同的标题,将某些文字标记为<strong>粗体</strong>或者<em>斜体</em>,创建一个<a href="http://www.csdn.net">链接</a>等,详细语法参考帮助?。</p> <p>本编辑器支持 <strong>Markdown Extra</strong> ,  扩展了很多好用的功能。具体请参考[Github][2].</p> <h3 id="h3-u8868u683C"><a name="表格" class="reference-link"></a><span class="header-link octicon octicon-link"></span>表格 </h3><p><strong>Markdown Extra</strong> 表格语法:</p> <table> <thead> <tr> <th>项目</th> <th>价格</th> </tr> </thead> <tbody> <tr> <td>Computer</td> <td>$1600</td> </tr> <tr> <td>Phone</td> <td>$12</td> </tr> <tr> <td>Pipe</td> <td>$1</td> </tr> </tbody> </table> <p>可以使用冒号来定义对齐方式:</p> <table> <thead> <tr> <th style="text-align:left">项目</th> <th style="text-align:right">价格</th> <th style="text-align:center">数量</th> </tr> </thead> <tbody> <tr> <td style="text-align:left">Computer</td> <td style="text-align:right">1600 元</td> <td style="text-align:center">5</td> </tr> <tr> <td style="text-align:left">Phone</td> <td style="text-align:right">12 元</td> <td style="text-align:center">12</td> </tr> <tr> <td style="text-align:left">Pipe</td> <td style="text-align:right">1 元</td> <td style="text-align:center">234</td> </tr> </tbody> </table> <h3 id="h3-u4EE3u7801u5757"><a name="代码块" class="reference-link"></a><span class="header-link octicon octicon-link"></span>代码块</h3><p>代码块语法遵循标准markdown代码,例如:</p> <pre><code class="lang-python">@requires_authorization def somefunc(param1=&#39;&#39;, param2=0): &#39;&#39;&#39;A docstring&#39;&#39;&#39; if param1 &gt; param2: # interesting print &#39;Greater&#39; return (param2 - param1 + 1) or None class SomeClass: pass &gt;&gt;&gt; message = &#39;&#39;&#39;interpreter ... prompt&#39;&#39;&#39; </code></pre> <h3 id="h3-u76EEu5F55"><a name="目录" class="reference-link"></a><span class="header-link octicon octicon-link"></span>目录 </h3><p>用 <code>[TOC]</code>来生成目录:</p> <div class="markdown-toc editormd-markdown-toc">[TOC]</div><h3 id="h3-u6570u5B66u516Cu5F0F"><a name="数学公式" class="reference-link"></a><span class="header-link octicon octicon-link"></span>数学公式</h3><p>使用MathJax渲染<em>LaTex</em> 数学公式,详见[math.stackexchange.com][1].</p> <ul> <li>行内公式,数学公式为:$\Gamma(n) = (n-1)!\quad\forall n\in\mathbb N$。</li> <li>块级公式:</li> </ul> <p class="editormd-tex"> x = \dfrac{-b \pm \sqrt{b^2 - 4ac}}{2a} </p> <p>更多LaTex语法请参考 [这儿][3].</p> <h3 id="h3-uml-"><a name="UML 图:" class="reference-link"></a><span class="header-link octicon octicon-link"></span>UML 图:</h3><p>可以渲染序列图:</p> <div class="sequence-diagram">张三->李四: 嘿,小四儿, 写博客了没? Note right of 李四: 李四愣了一下,说: 李四-->张三: 忙得吐血,哪有时间写。 </div><p>或者流程图:</p> <div class="flowchart">st=>start: 开始 e=>end: 结束 op=>operation: 我的操作 cond=>condition: 确认? st->op->cond cond(yes)->e cond(no)->op </div> <ul> <li>关于 <strong>序列图</strong> 语法,参考 [这儿][4],</li> <li>关于 <strong>流程图</strong> 语法,参考 [这儿][5].</li> </ul> <h2 id="h2-u79BBu7EBFu5199u535Au5BA2"><a name="离线写博客" class="reference-link"></a><span class="header-link octicon octicon-link"></span>离线写博客</h2><p>即使用户在没有网络的情况下,也可以通过本编辑器离线写文章(直接在曾经使用过的浏览器中输入<a href="http://write.blog.csdn.net/mdeditor">write.blog.csdn.net/mdeditor</a>即可。<strong>Markdown编辑器</strong>使用浏览器离线存储将内容保存在本地。 </p> <p>用户写文章的过程中,内容实时保存在浏览器缓存中,在用户关闭浏览器或者其它异常情况下,内容不会丢失。用户再次打开浏览器时,会显示上次用户正在编辑的没有发表的内容。</p> <p>文章发表后,本地缓存将被删除。</p> <p>用户可以选择 <i class="icon-disk"></i> 把正在写的文章保存到服务器草稿箱,即使换浏览器或者清除缓存,内容也不会丢失。</p> <blockquote> <p><strong>注意:</strong>虽然浏览器存储大部分时候都比较可靠,但为了您的数据安全,在联网后,<strong>请务必及时发表或者保存到服务器草稿箱</strong></p> </blockquote>
root/surgeVersions/v3/index.html
cotyembry/JamesHenderson
<!DOCTYPE html> <html> <head> <meta name="viewport" content="width=device-width", initial-scale="1", maximum-scale="1"> <title>Sovereign Chickamauga Cherokee</title> <script type="text/javascript" src="./js/jquery.js"></script> <script type="text/javascript" src="./js/jquery.fittext.js"></script> <link rel="stylesheet" type="text/css" href="./css/index.css"> </head> <body> <center><img id="svg2" src="./assets/Seal1.png" alt=""></center> <div id="emblem"></div> <div id="app"></div> <script type="text/javascript" src="./dist/bundle.js"></script> </body> </html>
style/css/owl.theme.css
gentrop/blog
/* * Owl Carousel Owl Demo Theme * v1.3.3 */ .owl-theme .owl-controls{ margin-top: 15px; text-align: center; } /* Styling Next and Prev buttons */ .owl-theme .owl-controls .owl-buttons div{ color: #FFF; display: inline-block; zoom: 1; *display: inline;/*IE7 life-saver */ margin: 5px; padding: 3px 10px; font-size: 12px; -webkit-border-radius: 30px; -moz-border-radius: 30px; border-radius: 30px; background: #869791; filter: Alpha(Opacity=50);/*IE7 fix*/ opacity: 0.5; } /* Clickable class fix problem with hover on touch devices */ /* Use it for non-touch hover action */ .owl-theme .owl-controls.clickable .owl-buttons div:hover{ filter: Alpha(Opacity=100);/*IE7 fix*/ opacity: 1; text-decoration: none; } /* Styling Pagination*/ .owl-theme .owl-controls .owl-page{ display: inline-block; zoom: 1; *display: inline;/*IE7 life-saver */ } .owl-theme .owl-controls .owl-page span{ display: block; width: 12px; height: 12px; margin: 5px 4px; filter: Alpha(Opacity=50);/*IE7 fix*/ -webkit-border-radius: 20px; -moz-border-radius: 20px; border-radius: 20px; background: #FFF; border: 2px Solid #383838; opacity: 1; padding: 4px; } .owl-theme .owl-controls .owl-page.active span { background: #FFF; border: 3px SOlid #4396ff; padding: 5px; margin-bottom: 3px; } /* If PaginationNumbers is true */ .owl-theme .owl-controls .owl-page span.owl-numbers{ height: auto; width: auto; color: #FFF; padding: 2px 10px; font-size: 12px; -webkit-border-radius: 30px; -moz-border-radius: 30px; border-radius: 30px; } /* preloading images */ .owl-item.loading{ min-height: 150px; background: url(AjaxLoader.gif) no-repeat center center }
analyzed_libs/guava-libraries-read-only/javadoc/src-html/com/google/common/collect/AbstractIterator.html
jgaltidor/VarJ
<HTML> <BODY BGCOLOR="white"> <PRE> <FONT color="green">001</FONT> /*<a name="line.1"></a> <FONT color="green">002</FONT> * Copyright (C) 2007 Google Inc.<a name="line.2"></a> <FONT color="green">003</FONT> *<a name="line.3"></a> <FONT color="green">004</FONT> * Licensed under the Apache License, Version 2.0 (the "License");<a name="line.4"></a> <FONT color="green">005</FONT> * you may not use this file except in compliance with the License.<a name="line.5"></a> <FONT color="green">006</FONT> * You may obtain a copy of the License at<a name="line.6"></a> <FONT color="green">007</FONT> *<a name="line.7"></a> <FONT color="green">008</FONT> * http://www.apache.org/licenses/LICENSE-2.0<a name="line.8"></a> <FONT color="green">009</FONT> *<a name="line.9"></a> <FONT color="green">010</FONT> * Unless required by applicable law or agreed to in writing, software<a name="line.10"></a> <FONT color="green">011</FONT> * distributed under the License is distributed on an "AS IS" BASIS,<a name="line.11"></a> <FONT color="green">012</FONT> * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.<a name="line.12"></a> <FONT color="green">013</FONT> * See the License for the specific language governing permissions and<a name="line.13"></a> <FONT color="green">014</FONT> * limitations under the License.<a name="line.14"></a> <FONT color="green">015</FONT> */<a name="line.15"></a> <FONT color="green">016</FONT> <a name="line.16"></a> <FONT color="green">017</FONT> package com.google.common.collect;<a name="line.17"></a> <FONT color="green">018</FONT> <a name="line.18"></a> <FONT color="green">019</FONT> import static com.google.common.base.Preconditions.checkState;<a name="line.19"></a> <FONT color="green">020</FONT> <a name="line.20"></a> <FONT color="green">021</FONT> import com.google.common.annotations.GwtCompatible;<a name="line.21"></a> <FONT color="green">022</FONT> <a name="line.22"></a> <FONT color="green">023</FONT> import java.util.NoSuchElementException;<a name="line.23"></a> <FONT color="green">024</FONT> <a name="line.24"></a> <FONT color="green">025</FONT> /**<a name="line.25"></a> <FONT color="green">026</FONT> * This class provides a skeletal implementation of the {@code Iterator}<a name="line.26"></a> <FONT color="green">027</FONT> * interface, to make this interface easier to implement for certain types of<a name="line.27"></a> <FONT color="green">028</FONT> * data sources.<a name="line.28"></a> <FONT color="green">029</FONT> *<a name="line.29"></a> <FONT color="green">030</FONT> * &lt;p&gt;{@code Iterator} requires its implementations to support querying the<a name="line.30"></a> <FONT color="green">031</FONT> * end-of-data status without changing the iterator's state, using the {@link<a name="line.31"></a> <FONT color="green">032</FONT> * #hasNext} method. But many data sources, such as {@link<a name="line.32"></a> <FONT color="green">033</FONT> * java.io.Reader#read()}), do not expose this information; the only way to<a name="line.33"></a> <FONT color="green">034</FONT> * discover whether there is any data left is by trying to retrieve it. These<a name="line.34"></a> <FONT color="green">035</FONT> * types of data sources are ordinarily difficult to write iterators for. But<a name="line.35"></a> <FONT color="green">036</FONT> * using this class, one must implement only the {@link #computeNext} method,<a name="line.36"></a> <FONT color="green">037</FONT> * and invoke the {@link #endOfData} method when appropriate.<a name="line.37"></a> <FONT color="green">038</FONT> *<a name="line.38"></a> <FONT color="green">039</FONT> * &lt;p&gt;Another example is an iterator that skips over null elements in a backing<a name="line.39"></a> <FONT color="green">040</FONT> * iterator. This could be implemented as: &lt;pre&gt; {@code<a name="line.40"></a> <FONT color="green">041</FONT> *<a name="line.41"></a> <FONT color="green">042</FONT> * public static Iterator&lt;String&gt; skipNulls(final Iterator&lt;String&gt; in) {<a name="line.42"></a> <FONT color="green">043</FONT> * return new AbstractIterator&lt;String&gt;() {<a name="line.43"></a> <FONT color="green">044</FONT> * protected String computeNext() {<a name="line.44"></a> <FONT color="green">045</FONT> * while (in.hasNext()) {<a name="line.45"></a> <FONT color="green">046</FONT> * String s = in.next();<a name="line.46"></a> <FONT color="green">047</FONT> * if (s != null) {<a name="line.47"></a> <FONT color="green">048</FONT> * return s;<a name="line.48"></a> <FONT color="green">049</FONT> * }<a name="line.49"></a> <FONT color="green">050</FONT> * }<a name="line.50"></a> <FONT color="green">051</FONT> * return endOfData();<a name="line.51"></a> <FONT color="green">052</FONT> * }<a name="line.52"></a> <FONT color="green">053</FONT> * };<a name="line.53"></a> <FONT color="green">054</FONT> * }}&lt;/pre&gt;<a name="line.54"></a> <FONT color="green">055</FONT> *<a name="line.55"></a> <FONT color="green">056</FONT> * This class supports iterators that include null elements.<a name="line.56"></a> <FONT color="green">057</FONT> *<a name="line.57"></a> <FONT color="green">058</FONT> * @author Kevin Bourrillion<a name="line.58"></a> <FONT color="green">059</FONT> * @since 2 (imported from Google Collections Library)<a name="line.59"></a> <FONT color="green">060</FONT> */<a name="line.60"></a> <FONT color="green">061</FONT> @GwtCompatible<a name="line.61"></a> <FONT color="green">062</FONT> public abstract class AbstractIterator&lt;T&gt; extends UnmodifiableIterator&lt;T&gt; {<a name="line.62"></a> <FONT color="green">063</FONT> private State state = State.NOT_READY;<a name="line.63"></a> <FONT color="green">064</FONT> <a name="line.64"></a> <FONT color="green">065</FONT> private enum State {<a name="line.65"></a> <FONT color="green">066</FONT> /** We have computed the next element and haven't returned it yet. */<a name="line.66"></a> <FONT color="green">067</FONT> READY,<a name="line.67"></a> <FONT color="green">068</FONT> <a name="line.68"></a> <FONT color="green">069</FONT> /** We haven't yet computed or have already returned the element. */<a name="line.69"></a> <FONT color="green">070</FONT> NOT_READY,<a name="line.70"></a> <FONT color="green">071</FONT> <a name="line.71"></a> <FONT color="green">072</FONT> /** We have reached the end of the data and are finished. */<a name="line.72"></a> <FONT color="green">073</FONT> DONE,<a name="line.73"></a> <FONT color="green">074</FONT> <a name="line.74"></a> <FONT color="green">075</FONT> /** We've suffered an exception and are kaput. */<a name="line.75"></a> <FONT color="green">076</FONT> FAILED,<a name="line.76"></a> <FONT color="green">077</FONT> }<a name="line.77"></a> <FONT color="green">078</FONT> <a name="line.78"></a> <FONT color="green">079</FONT> private T next;<a name="line.79"></a> <FONT color="green">080</FONT> <a name="line.80"></a> <FONT color="green">081</FONT> /**<a name="line.81"></a> <FONT color="green">082</FONT> * Returns the next element. &lt;b&gt;Note:&lt;/b&gt; the implementation must call {@link<a name="line.82"></a> <FONT color="green">083</FONT> * #endOfData()} when there are no elements left in the iteration. Failure to<a name="line.83"></a> <FONT color="green">084</FONT> * do so could result in an infinite loop.<a name="line.84"></a> <FONT color="green">085</FONT> *<a name="line.85"></a> <FONT color="green">086</FONT> * &lt;p&gt;The initial invocation of {@link #hasNext()} or {@link #next()} calls<a name="line.86"></a> <FONT color="green">087</FONT> * this method, as does the first invocation of {@code hasNext} or {@code<a name="line.87"></a> <FONT color="green">088</FONT> * next} following each successful call to {@code next}. Once the<a name="line.88"></a> <FONT color="green">089</FONT> * implementation either invokes {@code endOfData} or throws an exception,<a name="line.89"></a> <FONT color="green">090</FONT> * {@code computeNext} is guaranteed to never be called again.<a name="line.90"></a> <FONT color="green">091</FONT> *<a name="line.91"></a> <FONT color="green">092</FONT> * &lt;p&gt;If this method throws an exception, it will propagate outward to the<a name="line.92"></a> <FONT color="green">093</FONT> * {@code hasNext} or {@code next} invocation that invoked this method. Any<a name="line.93"></a> <FONT color="green">094</FONT> * further attempts to use the iterator will result in an {@link<a name="line.94"></a> <FONT color="green">095</FONT> * IllegalStateException}.<a name="line.95"></a> <FONT color="green">096</FONT> *<a name="line.96"></a> <FONT color="green">097</FONT> * &lt;p&gt;The implementation of this method may not invoke the {@code hasNext},<a name="line.97"></a> <FONT color="green">098</FONT> * {@code next}, or {@link #peek()} methods on this instance; if it does, an<a name="line.98"></a> <FONT color="green">099</FONT> * {@code IllegalStateException} will result.<a name="line.99"></a> <FONT color="green">100</FONT> *<a name="line.100"></a> <FONT color="green">101</FONT> * @return the next element if there was one. If {@code endOfData} was called<a name="line.101"></a> <FONT color="green">102</FONT> * during execution, the return value will be ignored.<a name="line.102"></a> <FONT color="green">103</FONT> * @throws RuntimeException if any unrecoverable error happens. This exception<a name="line.103"></a> <FONT color="green">104</FONT> * will propagate outward to the {@code hasNext()}, {@code next()}, or<a name="line.104"></a> <FONT color="green">105</FONT> * {@code peek()} invocation that invoked this method. Any further<a name="line.105"></a> <FONT color="green">106</FONT> * attempts to use the iterator will result in an<a name="line.106"></a> <FONT color="green">107</FONT> * {@link IllegalStateException}.<a name="line.107"></a> <FONT color="green">108</FONT> */<a name="line.108"></a> <FONT color="green">109</FONT> protected abstract T computeNext();<a name="line.109"></a> <FONT color="green">110</FONT> <a name="line.110"></a> <FONT color="green">111</FONT> /**<a name="line.111"></a> <FONT color="green">112</FONT> * Implementations of {@code computeNext} &lt;b&gt;must&lt;/b&gt; invoke this method when<a name="line.112"></a> <FONT color="green">113</FONT> * there are no elements left in the iteration.<a name="line.113"></a> <FONT color="green">114</FONT> *<a name="line.114"></a> <FONT color="green">115</FONT> * @return {@code null}; a convenience so your {@link #computeNext}<a name="line.115"></a> <FONT color="green">116</FONT> * implementation can use the simple statement {@code return endOfData();}<a name="line.116"></a> <FONT color="green">117</FONT> */<a name="line.117"></a> <FONT color="green">118</FONT> protected final T endOfData() {<a name="line.118"></a> <FONT color="green">119</FONT> state = State.DONE;<a name="line.119"></a> <FONT color="green">120</FONT> return null;<a name="line.120"></a> <FONT color="green">121</FONT> }<a name="line.121"></a> <FONT color="green">122</FONT> <a name="line.122"></a> <FONT color="green">123</FONT> public final boolean hasNext() {<a name="line.123"></a> <FONT color="green">124</FONT> checkState(state != State.FAILED);<a name="line.124"></a> <FONT color="green">125</FONT> switch (state) {<a name="line.125"></a> <FONT color="green">126</FONT> case DONE:<a name="line.126"></a> <FONT color="green">127</FONT> return false;<a name="line.127"></a> <FONT color="green">128</FONT> case READY:<a name="line.128"></a> <FONT color="green">129</FONT> return true;<a name="line.129"></a> <FONT color="green">130</FONT> default:<a name="line.130"></a> <FONT color="green">131</FONT> }<a name="line.131"></a> <FONT color="green">132</FONT> return tryToComputeNext();<a name="line.132"></a> <FONT color="green">133</FONT> }<a name="line.133"></a> <FONT color="green">134</FONT> <a name="line.134"></a> <FONT color="green">135</FONT> private boolean tryToComputeNext() {<a name="line.135"></a> <FONT color="green">136</FONT> state = State.FAILED; // temporary pessimism<a name="line.136"></a> <FONT color="green">137</FONT> next = computeNext();<a name="line.137"></a> <FONT color="green">138</FONT> if (state != State.DONE) {<a name="line.138"></a> <FONT color="green">139</FONT> state = State.READY;<a name="line.139"></a> <FONT color="green">140</FONT> return true;<a name="line.140"></a> <FONT color="green">141</FONT> }<a name="line.141"></a> <FONT color="green">142</FONT> return false;<a name="line.142"></a> <FONT color="green">143</FONT> }<a name="line.143"></a> <FONT color="green">144</FONT> <a name="line.144"></a> <FONT color="green">145</FONT> public final T next() {<a name="line.145"></a> <FONT color="green">146</FONT> if (!hasNext()) {<a name="line.146"></a> <FONT color="green">147</FONT> throw new NoSuchElementException();<a name="line.147"></a> <FONT color="green">148</FONT> }<a name="line.148"></a> <FONT color="green">149</FONT> state = State.NOT_READY;<a name="line.149"></a> <FONT color="green">150</FONT> return next;<a name="line.150"></a> <FONT color="green">151</FONT> }<a name="line.151"></a> <FONT color="green">152</FONT> <a name="line.152"></a> <FONT color="green">153</FONT> /**<a name="line.153"></a> <FONT color="green">154</FONT> * Returns the next element in the iteration without advancing the iteration,<a name="line.154"></a> <FONT color="green">155</FONT> * according to the contract of {@link PeekingIterator#peek()}.<a name="line.155"></a> <FONT color="green">156</FONT> *<a name="line.156"></a> <FONT color="green">157</FONT> * &lt;p&gt;Implementations of {@code AbstractIterator} that wish to expose this<a name="line.157"></a> <FONT color="green">158</FONT> * functionality should implement {@code PeekingIterator}.<a name="line.158"></a> <FONT color="green">159</FONT> */<a name="line.159"></a> <FONT color="green">160</FONT> public final T peek() {<a name="line.160"></a> <FONT color="green">161</FONT> if (!hasNext()) {<a name="line.161"></a> <FONT color="green">162</FONT> throw new NoSuchElementException();<a name="line.162"></a> <FONT color="green">163</FONT> }<a name="line.163"></a> <FONT color="green">164</FONT> return next;<a name="line.164"></a> <FONT color="green">165</FONT> }<a name="line.165"></a> <FONT color="green">166</FONT> }<a name="line.166"></a> </PRE> </BODY> </HTML>
templates/default/account/password_reset_done.html
ingenieroariel/pinax
{% extends "account/base.html" %} {% load i18n %} {% block head_title %}{% trans "Password Reset" %}{% endblock %} {% block body %} <h1>{% trans "Password Reset" %}</h1> {% if user.is_authenticated %} <p><span class="warning">{% trans "Note" %}</span>: {% blocktrans %}you are already logged in as {{ user }}.{% endblocktrans %}</p> {% endif %} <p>{% blocktrans %}A new password has been sent to <b>{{ email }}</b>. If you do not receive it within a few minutes, contact us at <a href="mailto:{{ contact_email }}">{{ contact_email }}</a>.{% endblocktrans %}</p> {% url acct_login as login_url %} <p>{% blocktrans %}When you receive the new password, you should <a href="{{ login_url }}">log in</a> and change it as soon as possible.{% endblocktrans %}</p> {% endblock %}
files/c/Documentation/cookbook.html
jrsharp/jrsharp.github.io
<html> <title> The Palm Programmer's Cookbook. </title> <body> <h1> The Palm Programmer's Cookbook. v0.7.2 </h1> <hr> <b><u>Copyright</u></b> 2002, Wade Guthrie. Permission is granted to copy and redistribute this document so long as it is unmodified (including the section that describes where to get this document for free) and the copyright remains in-tact. Permission explicitly granted (in fact you're encouraged) to copy any and all code samples from this document into your own code -- and you can do whatever you'd like with the resultant code (sell it, give it away, whatever).<p> This should really be copyrighted by the OnBoard C group since much of this has been gleaned from that discussion group but I don't know if that would be a legally binding copyright. The purpose of the copyright, anyway, is just to make sure that noone charges for the information, such as it is, that we're giving away for free.<p> <b><u>Disclaimer</u></b>. The information in this FAQ is a compilation from members of the OnBoard C group and various other sources including the internet. The author/maintainer does not guarantee any of the information found in this FAQ. Use this FAQ AT YOUR OWN RISK and with your own judgement (in fact, this is pretty good advice for all the information found on the internet). <p> <b><u>Location</u></b>. The latest version of this document can be obtained (for free) from <a href=http://onboardc.sourceforge.net/cookbook.html> http://onboardc.sourceforge.net/cookbook.html</a>. If you have any questions, comments, corrections or suggestions, please don't hesitate to send them to <a href="mailto:wade@adventure101.com"> wade@adventure101.com</a>.<p> <b><u>Thanks</u></b>. A special thanks goes to the following people (listed, here, in alphabetical order) who contributed large sections of this document. If I've left anyone out, please contact me at the above address. The major contributors include: "Ian Bailey" &lt;baileyi AT-SIGN bigpond PERIOD com&gt;, "Andrew Empson" &lt;andrew PERIOD empson AT-SIGN xtra PERIOD co PERIOD nz&gt;, and Roger Lawrence.<p> <b><u>Changes</u></b>. The following changes have been made to get to the versions that are described.<p> v0.7.0, 0.7.1, 0.7.2 <ul> <li> Added checkboxes and 'thanks' for checkbox submission. <li> Changed types in support of the appropriate API (like 'Handle' to 'MemHandle' and 'Word' to 'Int') </ul> v0.6.8 <ul> <li> Moved the home of the cookbook to SourceForge. </ul> v0.6.7 <ul> <li> Added some error checking in database example. <li> Fixed some minor issues and clarified a couple of things. </ul> v0.6.6 <ul> <li> Added some error checking in database example. <li> Added libraries. <li> Added preferences. <li> Updated the skeleton to verify it builds with PRC tools. <li> Made all pForm, pEvent, etc. variable names agree. <li> Using special character strings in cookbook HTML instead of &gt;, etc. </ul> v0.6.5 <ul> <li> Added icons. <li> Fixed a stupid error in alerts. </ul> v0.6 <ul> <li> Changed some data types to be compilable with the PRC tools. <li> Added menus. <li> Added alerts since the menus section makes use of it. </ul> v0.5 <ul> <li> Fixed some embarrasing spelling errors. <li> Reformatted a bit. </ul> v0.41 <ul> <li> Fixed an HTML bug. </ul> v0.4 <ul> <li> Added Database writing. <li> List stuff now uses a function to generate list items. <li> Added Popup Lists. </ul> v0.3 <ul> <li> Added a table of contents. <li> Database beginnings. <li> Forms. <li> Push Buttons. </ul> v0.2 <ul> <li> Reformatted some stuff. <li> Memory management. <li> Text Fields. <li> Lists. </ul> <br><br><hr> <h1> Contents </h1> This document has a weird arrangement. You can read it in order to learn no more than you need to learn to get the job done. To do that, I had to interleave some concept sections with those for the various user-interface objects (buttons, lists, etc.). Because of that, I think it'd be a little tough to scroll through this document to search for subjects you want. To make that easier, I broke the table of contents into those two sections.<p> <table> <tr> <td> <a href="#intro">Introduction</a><br> <a href="#differ"> How Palm Code Differs From "Normal" Software. </a><br> <a href="#event"> Event-Driven Code </a><br> <a href="#resource"> Resource Files. </a><br> <a href="#skeleton"> The Skeleton Program </a><br> <a href="#uiobj"> User-Interface objects </a><br> <a href="#memory"> Memory Handling </a><br> <a href="#database"> Beginning Database </a> </td> <td> <a href="#button"> Buttons </a><br> <a href="#rptbutton"> Repeat Buttons </a><br> <a href="#menu"> Menus </a><br> <a href="#lists"> Lists </a><br> <a href="#popuplists"> Lists with Popup Trigger</a><br> <a href="#pushbtn"> Push Buttons </a><br> <a href="#chkbox"> Check Boxes </a><br> <a href="#slider"> Sliders </a><br> <a href="#feedslider"> Feedback Sliders </a><br> <a href="#field"> Text Fields </a><br> <a href="#scroll"> Scroll Bars </a><br> <a href="#tables"> Tables </a><br> <a href="#alert"> Alerts </a><br> <a href="#icons"> Icons </a><br> <a href="#forms"> Forms </a> </td> </tr> </table> <br><br><hr> <h1> <a name="intro" id="intro"> 0. Introduction </a> </h1> The intent of this paper is to provide a C programmer with all the information necessary to jump quickly into writing Palm code. It's aimed at a programmer who's new to the Palm platform and, in fact, GUI programming in general. Though this document covers the material from the perspective of the OnBoard C and RsrcEdit toolset, almost all of it is applicable to other tools. <p> This document is organized as a description of some of the differences between ordinary code and GUI code followed by a cut-and-paste treatment of various items (buttons and lists, for example) that you may want to use to build your own Palm code. <p> This paper gives you the basics -- the intimate details are completely explained by the Palm Developer's documents that you'll find <a href=http://www.palmos.com/dev/support/docs/palmos/>here</a>. <p> <br><br><hr> <h1> <a name="differ" id="differ"> 1. How Palm Code Differs From "Normal" Software. </a> </h1> If you're used to writing standard, inline, code, you'll find that writing Palm code is a little different. For one thing, there's no way to stop the program from inside the code -- your program stops when someone starts another program. Here's some other differences you'll notice:<p> <ul> <li> It's event-driven. The user drives the the action through events that are handled by the code. <li> There's no standard I/O. You use the GUI library routines associated with the Palm. <li> Resource files accompany source code and header files as part of your project. <li> Memory allocation is different. The Palm uses a technique that allows allocated memory to be moved around while you're using it. <li> There are no files. Databases are used instead -- and you use the data in-place rather than reading it into local variables. </ul> This stuff is all described in more detail, below.<p> In addition, there are some more advanced things you'll notice about Palm code.<p> <ul> <li> There's more than one way to call your program. There's the normal way and there's 'find'. You have to handle them differently. </ul> (Some of this may be addressed in future versions of this document)<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="event" id="event"> Event-Driven Code </a> </h2> This section is an introduction to event-driven code. If you're already familiar with these techniques, please feel free to skip to the next section.<p> In ordinary code, the software drives the action. The code goes through a sequence of operations, pretty-much in a software-controlled order until the program is done. Sometimes, the code waits for user input but then, it goes back to stepping through its pre-defined list of tasks.<p> Graphical user interface (GUI) code, however, is a little less ego-centric -- the user drives the action and the software sits around and waits for him. To be more specific, the software sits around and waits for _events_ that are generated by the operating system in response to the user's actions. <p> This is interesting and all, but how does it affect *your* code? Glad you asked. Your software takes on a different structure than it did before it was a GUI application. Its parts are different, too. It is made up of <p> <ul> <li> a bunch of event handlers (there's got to be code for every GUI thing on every screen), <li> some setup code, <li> some shutdown code, and <li> an event loop. </ul> The event loop is the place where your code spends most of its waking hours. It's the thing that waits for events from the operating system, acquires those events, and hands them to the specific event handlers you've written. <p> So, you've written and compiled your code. It worked the first time because you are, in fact, a brilliant programmer. Some guy decided to run your program on his Palm and he taps a button on the screen with his stylus. <p> At this point, the operating system generates a button tap event and passes it to your code. Your event loop function is running -- it has called a function that is waiting for the next event and the OS passes it a structure that describes the button tap event. That function returns to your event loop with that structure. Your event loop code then sees that this is a button push event for, say, button number three and calls the event handling code for that button.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> A Couple Things About GUIs. </h2> <h3><i> UI Objects </i></h3> The average Palm program has a screen that is littered with buttons, lists, check boxes, and other similar stuff. Here, I'll call these "User-Interface Objects", or UI objects. There's no <stdio.h> in Palm programming, no 'printf' or 'getc' -- instead you use Palm's GUI library to create and handle UI objects. <p> <h3><i> Forms </i></h3> Now, if UI objects are the paint in your picture, then a 'form' is the canvas. An application can have several forms but it has to have at least one. We'll call that the main form.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="resource" id="resource"> Resource Files. </a> </h2> Most non-GUI programs are made up of source files, header files, and maybe a library or two. Most GUI code, however, also has a resource file. <p> There're two parts to a UI object -- the picture on the screen and the code to handle user interaction with that picture. Strictly speaking, you can generate the picture with your code but most programmers choose to use a resource compiler to draw those pictures. The resource compiler generates a file called a resource file and that file is compiled into your code.<p> The resource editor / compiler that is usually used with OnBoard C is RsrcEdit. It is tied pretty-well to the OnBoard C compiler. You can launch one from the other, OnBoard C generates a default resource file, RsrcEdit can edit that file easily, and those resource files are part of your OnBoard C project by default.<p> <!-- ------------------------------------------------- --> <br><br><hr> <h1> <a name="skeleton" id="skeleton"> 2. Code: Looking at Basic Palm Code </a> </h1> There're lots of examples of simple Palm programs. Sometimes it's a good idea to look at several in case one strikes your understanding better than another or if the combination, together, helps you see what's happening. There are some excellent examples of basic Palm programs <a href=http://groups.yahoo.com/group/OnBoardC/files/Source%20Code/HelloWorld02_OBC.zip>here</a>, <a href=http://groups.yahoo.com/group/OnBoardC/files/Source%20Code/HelloWorld_OBC-n-CW.zip>here</a>, and <a href=http://groups.yahoo.com/group/OnBoardC/files/Source%20Code/HelloWorld_OBC.zip>here</a>.<p> <h2> The Skeleton Program </h2> This section goes over yet another basic Palm skeleton. It's not absolutely necessary that you write your code exactly like this but this is a good starting point. This code is really pretty simple, though the mass of comments make it look huge. It's made up of only six functions (two of which are empty -- they're only placeholders for more complicated code. Those functions are:<p> <ul> <li> <u>PilotMain</u>. All Palm programs start here. <li> <u>mainFormInit</u>. This sets-up the main form. <li> <u>appHandleEvent</u>. This handles top-level GUI events. <li> <u>mainFormEventHandler</u>. This handles GUI events for the main form. <li> <u>doMainMenu</u>. This handles what happens when a menu item is tapped. <li> <u>startApp</u>. Empty. It's a placeholder for future code. <li> <u>stopApp</u>. Empty. It's a placeholder for future code. </ul> Our skeleton code looks like this:<p> <pre> /* * This code is just in there in case you're trying to run this * with the PRC tools. */ #ifdef __GNUC__ # include &lt;PalmOS.h&gt; #endif /* * 'MainForm' is the ID number of the form. It is the ID for the * form in the resource file. Here is where you add the IDs of * other objects you will use in your code. Also, here, are three * prototypes. */ #define MainForm 1000 <a name="uidef" id="uidef"> // *** PUT UI-DEFINITIONS HERE *** // </a> // Prototypes static Boolean appHandleEvent (EventPtr pEvent); static void mainFormInit (FormPtr pForm); static Boolean mainFormEventHandler (EventPtr pEvent); static Boolean doMainMenu (FormPtr pForm, UInt16 command); /* * startApp and stopApp are here for future reference. They clearly * don't do anything for this program, but it's a good idea to do * program clean-up and shutdown in these files. One thing that * typically goes here is database opening and closing. */ static void startApp() {return;} static void stopApp() {return;} /* * A Palm program starts at the PilotMain function -- you can use * this example verbatim for most (maybe all) your Palm applications. * Some other examples might separate the event loop into a separate * function but we've combined the two, here. This function does * the following. * * o calls startApp, * o initiates the first form, * o handles the event loop, * o cleans-up (when it gets the 'leaving now' event), and * o leaves. */ UInt32 PilotMain (UInt16 cmd, void *cmdPBP, UInt16 launchFlags) { EventType event; UInt16 error; if (cmd == sysAppLaunchCmdNormalLaunch) { startApp(); /* * FrmGotForm generates a frmLoadEvent that'll get * handled as soon as we have an event handler that * knows what to do with it. */ FrmGotoForm(MainForm); /* * This loop gets events, handles the events, and * checks to see if we've got a 'done' event. */ do { /* * Wait for an event (we already generated the * first one). */ EvtGetEvent(&amp;event, evtWaitForever); /* * Then, ask the system, the menu system, * and our *OWN* event handlers (one for the * application as a whole and one for the * current form) to deal with the event. */ if (!SysHandleEvent (&amp;event)) if (!MenuHandleEvent (0, &amp;event, &amp;error)) if (!appHandleEvent (&amp;event)) FrmDispatchEvent (&amp;event); } while (event.eType != appStopEvent); /* * When we're done, shut down */ stopApp(); FrmCloseAllForms(); } return 0; } /* * This is the top-level event handler for the entire application. * Here, we handle form load events and our menu events. */ static Boolean appHandleEvent (EventPtr pEvent) { FormPtr pForm; Int16 formId; Boolean handled = false; if (pEvent-&gt;eType == frmLoadEvent) { /* * Load the resource for the form */ formId = pEvent-&gt;data.frmLoad.formID; pForm = FrmInitForm(formId); FrmSetActiveForm(pForm); /* * install a form-specific event handler */ if (formId == MainForm) FrmSetEventHandler (pForm, mainFormEventHandler); <a name="form" id="form"> // *** ADD NEW FORM HANDLING HERE *** // </a> handled = true; } /* * If it is a menu item, follow a sub-control path, in this case * doMainMenu although remember that you need a seperate menu handler * function for each menu bar, and then must include the line to call * it in the form handler (i.e. this) for each form that has that menu * bar. */ else if (pEvent-&gt;eType == menuEvent) { handled = doMainMenu(pForm, pEvent-&gt;data.menu.itemID); } return handled; } /* * This is the event handler for the main form. It handles all of * the user interactions with the user interface objects (e.g., * buttons, lists, text fields, and such) on the main form. */ static Boolean mainFormEventHandler(EventPtr pEvent) { Boolean handled = false; FormPtr pForm = FrmGetActiveForm(); switch (pEvent-&gt;eType) { /* * the first event received by a form's event handler is * the frmOpenEvent. */ case frmOpenEvent: FrmDrawForm(pForm); mainFormInit(pForm); handled = true; break; <a name="eventh" id="eventh"> // *** ADD EVENT HANDLING HERE *** // </a> default: break; } return handled; } /* * This is the menu handler for the main form. It handles doing the users selections. It takes a FormPtr for fast access to the form it's 'installed' for, and so that if something changes the active form between now and the end of the function it still works on the form it's designed for, altough that is rare.*/ static Boolean doMainMenu (FormPtr pForm, UInt16 command) { Boolean handled = false; switch(command) { <a name="menuhand" id="menuhand"> // *** ADD MENU HANDLING HERE *** // </a> } return handled; } /* * This is the startup code for the form. Here, we write our message * to the screen. */ static void mainFormInit (FormPtr pForm) { static Char foo[10] = "Hello GUI"; WinDrawChars (foo,StrLen(foo),20,18); <a name="finit" id="finit"> // *** ADD FORM INITIALIZATION HERE *** // </a> } </pre> <h2> Other Useful Bits </h2> Here are some other bits of code that you'll want to include in your Palm code. <h3><i> getObjectPtr </i></h3> The Palm API has lots of ways to keep track of UI Objects. There's indecis, pointers, and resource numbers. The programmer typically knows his objects by resource number but most of the Palm APIs want a pointer. Unfortunately, there's no function that'll get you directly from one to the other. The getObjectPtr function uses a series of two instructions to do this job. <pre> void * getObjectPtr (FormPtr pForm, Int16 resourceNo) { UInt16 objIndex=FrmGetObjectIndex(pForm,resourceNo); return FrmGetObjectPtr(pForm,objIndex); } </pre> <!-- ------------------------------------------------- --> <br><br><hr> <h1> <a name="uiobj" id="uiobj"> 3. User-Interface objects </a> </h1> This section provides a cookbook for many of the user interface objects you'll be interested in adding to your forms. Each section will describe a single UI object, how to generate the UI object with the resource compiler, and what code you'll need to handle the main events for your object. For each case, you'll be able to take your UI object-handling code to the next level by reading the Palm documentation.<p> In each section, below, you'll be asked to open the form on which you'll be adding your object. There are several ways to go about this but here is one way to do it.<p> <a name="open" id="open"> Starting in OnBoard C, do the following:<p> <ul> <li> tap on the .rsrc file <li> tap the 'RsrcEdit' button; this will bring-up RsrcEdit. </ul> In RsrcEdit, do the following:<p> <ul> <li> tap the form name (it'll look like 'tFRM 1000') <li> tap the 'open' button; this will open the form -- you gotta add your object to a specific form. </ul> Now, you can go about adding your object's resource to the form.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="button" id="button"> UI Objects: Buttons </a> </h2> <h3><i> What They Are </i></h3> Well, they're buttons!<p> <h3><i> How To Make One -- In The Resource Editor </i></h3> You need to add the button to the main form in your program and we'll do that in RsrcEdit. You tie the button in your resource file to your program by remembering the ID of the button and referring to that number in your code. We'll start by adding the button to your form.<p> <ul> <li> <a href="#open">open the form</a>, as described above, <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'control'; this will open the control form, <li> name the button by writing 'Foo' under 'Title', <li> under 'ID', write '1001' -- REMEMBER THIS NUMBER, <li> under 'Style', choose 'Button' (it's probably already selected), <li> under 'Frame', choose 'Standard', <li> position the button on the screen by doing the following:<br> <ul> <li> under 'top', write '30', <li> under 'left', write '20', </ul> <li> tap the 'Calc Width' button, <li> under 'height' write '10', <li> check the 'Enabled' box, <li> check the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C (note that this button will only be available if you invoked RsrcEdit from OnBoard C -- if you got here via the Palm application launcher, you'll have to get back to OnBoard C via the application launcher). </ul> <h3><i> How To Set One Up -- In The Code </i></h3> There's nothing that you need to do in the code before the button can be drawn on the screen. Some things (like lists) require that you fill them before you can draw them but buttons are simple. <h3><i> How To Handle One -- In The Code </i></h3> In your code, you'll want to handle the event caused by someone pressing that button. <p> At the top of your file, you should add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define MainButton 1001 // that's the button's number you remembered </pre> Now, in your form's event handler (that was mainFormEventHandler in the above example, at the place marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'), add the following:<p> <pre> case ctlSelectEvent: switch (pEvent-&gt;data.ctlSelect.controlID) { case MainButton: { static Char bar[7]="button"; // 1 WinDrawChars(bar, StrLen(bar), 60, 30); // 2 handled = true; break; } // other buttons... } break; </pre> You can, of course, replace the lines marked '1' and '2' with your own code -- this was just for illustration.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="rptbutton" id="rptbutton"> UI Objects: Repeat Buttons </a> </h2> <h3><i> What They Are </i></h3> <h3><i> How To Make One -- In The Resource Editor </i></h3> <h3><i> How To Set One Up -- In The Code </i></h3> <h3><i> How To Handle One -- In The Code </i></h3> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="menu" id="menu"> UI Objects: Menus </a> </h2> <h3><i> What They Are </i></h3> A menu is a list of choices that pops down from the top of the Palm's screen. You've all used them throughout this tutorial so this should've been obvious :-). <h3><i> How To Make One -- In The Resource Editor </i></h3> We'll add a menu to the main form in RsrcEdit. <p> <!--Note (Nick Guenther, Feb 16, 2003 16:15 GMT ): I have removed the leading space in front of the first <li>'s (after the <ul>) here because in Konqueror it moves the text forward and doesn't do the same to the rest. I haven't edited other sections since I can see that that might cause a lot of problems if this is a Konqueror specific error.--> <ul> <li>go to the main form of the resource (the first thing you see when you open a Rsrc file), <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'menu bar'; this will open the menu bar form, <li> add menu headings by doing the following:<br> <ul> <li>tap the 'menu' silkscreen button, <li> select 'new', <li> where is says 'New Menu' on a line highlight it, <li> write 'Menu 1', </ul> <li> now, add menu items like this:<br> <ul> <li>in the list of menu headings, select the menu heading you want to edit, <li> tap the 'open' button, <li> tap the 'menu' silkscreen button, <li> select 'new', <li> where is says 'New Item' on a line highlight it, <li> write in 'Item 1', <li> in the 'ID' field, write '1000' -- REMEMBER THIS NUMBER <li> in the 'Key' field write 'A' (this can be any symbol, number, or <u><b>CAPTIAL</b></u> letter), <li> tap the 'Calc. Size' button to have the menu sized appropriately for what menu items it has,<br> <br> (It is worth noting here that if you ever move the top level menu heading (ie change it's dimensions) you must match up the 'left' value of the menu heading, and the 'left' value plus 2 (that is, add 2 to the 'left' value of the menu heading) in the menu edit form.)<br> </ul> <li> tap the 'OK' button; this will close RsrcEdit's menu item form, <li> tap the 'OK' button; this will close RsrcEdit's menu bar form, <li> making sure that the new menu bar is selected, change it's ID number to something logical,<br> '1004', and tap 'apply' -- REMEMBER THIS NUMBER <li> find your the form you want to give your new menu bar to, and open it, <li> where it says 'MBar ID' write in '1004' -- HERE'S THE NUMBER YOU REMEMBERED <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C. </ul> <h3><i> How To Set One Up -- In The Code </i></h3> This part is not so hard, however, it can be tedious if you have large menu bars. Lucky we only made one heading and one item :D. <p> At the top of your file, you'll want to add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>': <pre> #define Menu1MenuItem1 1000; // HERE'S THE NUMBER YOU REMEMBERED //(And yes, you probably want to have better names for your defines in real-life applications) </pre> <br>When you add menu items I find it is good if you either switch back and forth between RsrcEdit and SrcEdit and are writing #defines as you go along or decide on a naming convention (e.g. first menu heading is 1000, second is 1010, third is 1020...). <h3><i> How To Handle One -- In The Code </i></h3> Again, not difficult (especially if you make use of copy-paste) but possibly tedious. Where it says '<a href="#menuhand">ADD MENU HANDLING HERE</a>' put in this code (note that this requires you to have followed the instructions in the 'Alerts' section): <pre> case Menu1Item1: FrmAlert(Alert1); break; </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="lists" id="lists"> UI Objects: Lists </a> </h2> <!-- TODO: WITH SELECTOR TRIGGER --> <h3><i> What They Are </i></h3> A list is a group of choices, one per line, setup to allow the user to pick one by tapping on it. <h3><i> How To Make One -- In The Resource Editor </i></h3> We'll add a list to the main form in RsrcEdit. <p> <ul> <li> <a href="#open">open the form</a>, as described above, <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'list'; this will open the list form, <li> position the button on the screen by doing the following:<br> <ul> <li> under 'top', write '55', <li> under 'width', write '120', <li> under 'left', write '20', <li> under 'height', write '35', </ul> <li> under 'ID', write '1005' -- REMEMBER THIS NUMBER, <li> check the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C </ul> <h3><i> How To Set One Up -- In The Code </i></h3> You'll want to fill the list with choices (note that when you get a 'select' event, it'll include the numerical index of the choice the user selected). There're different ways to fill the list with choices but we'll only go into one, the LstSetDrawFunction function, here. With this method, the Palm OS calls a function we designate each time it wants to draw a list item on the screen. This works great for dynamically changing lists (where, for example, the user can add or remove things from the list) but it's also good because we don't have to allocate space for the list items and we don't have to deal with deallocating that space. <p> At the top of your file, you'll want to add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define MainList 1005 // HERE'S THE NUMBER YOU REMEMBERED </pre> OnBoard C uses a header file that includes several, BUT NOT ALL, of the Palm APIs. It turns out that the LstDrawList, LstSetDrawFunction, and WinDrawTruncChars APIs aren't in OnBoard C's header file. We must add the link between our call and the APIs ourselves. We do this by placing the following lines in the section marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> void LstDrawList (ListType *pList) SYS_TRAP(sysTrapLstDrawList); void LstSetDrawFunction (ListType *pList, ListDrawDataFuncPtr func) SYS_TRAP(sysTrapLstSetDrawFunction); void WinDrawTruncChars (Char *c, int i, int x, int y, int w) SYS_TRAP(sysTrapWinDrawTruncChars); </pre> Next, you'll want to add the functions for setting-up the list. This being 'C', you can either add the functions at the top of the file or you can add prototypes to the top and the functions at the bottom (or in another file). This is all your choice and we're not going to cover it here. <p> First, we need our function that'll draw the list items. For this function, I'm going to call WinDrawTruncChars, a function that not only writes a string to the screen but also chops it off if the string is too long. <pre> #define listCount 5 static Char *listString[listCount] = {"one", "two", "three", "four", "five"}; void drawList (Int16 i, RectangleType *bounds, Char **items) { WinDrawTruncChars (listString[i], StrLen(listString[i]), bounds-&gt;topLeft.x, bounds-&gt;topLeft.y, bounds-&gt;extent.x); } </pre> Next, we'll write the list setup function, setupList, that installs our drawList function. Here's the function definition (below, I'll tell you where to call it). <pre> void setupList(int lIndex) { FormPtr pForm = FrmGetActiveForm(); void *pList = getObjectPtr(pForm, lIndex); LstSetListChoices (pList, 0, listCount); LstSetDrawFunction (pList, (ListDrawDataFuncPtr) drawList); // Since the list is already showing, we have to redraw it LstDrawList (pList); } </pre> Now you have to place the call to this function in your code to setup the list when you draw a form. Do that by adding the following function call in your 'mainFormInit' function where it says '<a href="#finit">ADD FORM INITIALIZATION HERE</a>':<p> <pre> setupList (MainList); </pre> And, voila -- you've built your list. <h3><i> How To Handle One -- In The Code </i></h3> The user is probably going to tap on one of your list's choices and you should have some code to deal with that. That code goes in your form's event handler (that was mainFormEventHandler in the above example) at the place marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'). Add the following code at that spot:<p> <pre> case lstSelectEvent: { // let's save the list selection -- this is the index of the // thing the user tapped in the array we passed to the list int i = pEvent-&gt;data.lstSelect.selection; // this is a check for *WHICH* list -- we'll leave it here // even though we only have one list switch (pEvent-&gt;data.lstSelect.listID) { case MainList: // We'll draw the selected string on the screen, but // normally, you'd do something with the index, here WinDrawChars (listString[i], // 1 StrLen(listString[i]), // 2 120, // 3 30); // 4 break; } } </pre> The lines marked 1 through 4 comprise the statement that reacts to a user selecting an item in your list. In real code, you'll want to replace these lines with something more sophisticated.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="popuplists" id="popuplists"> UI Objects: Lists (with Popup Trigger) </a> </h2> <h3><i> What They Are </i></h3> This is a variation on a <a href="#lists">list</a> where the list doesn't appear until the user taps a button-like trigger. <h3><i> How To Make One -- In The Resource Editor </i></h3> Make a list just like before, only don't make it usable. The idea is that the list doesn't appear (i.e., it's not usable) until the user taps the popup trigger.<p> <ul> <li> <a href="#open">open the form</a>, as described above, <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'list'; this will open the list form, <li> position the list on the screen by doing the following:<br> <ul> <li> under 'top', write '55', <li> under 'width', write '120', <li> under 'left', write '20', <li> under 'height', write '35', </ul> <li> under 'ID', write '2005' -- REMEMBER THIS NUMBER, <li> <b>UNCHECK</b> the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, </ul> Then, make a popup trigger. Overlay it on the top of the list.<p> <ul> <li> (the form should already be open) <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'control'; this will open the control form, <li> name the popup trigger by writing 'Trigger' under 'Title', <li> under 'ID', write '2006' -- REMEMBER THIS NUMBER, <li> under 'Style', choose 'Popup Trigger', <li> under 'Frame', choose 'No Frame', <li> position the trigger on the screen by doing the following:<br> <ul> <li> under 'top', write '55', <li> under 'left', write '20', <li> under 'width', write '120', <li> under 'height' write '10', </ul> <li> check the 'Enabled' box, <li> check the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, </ul> Make the popup -- this associates the list with the popup trigger.<p> <ul> <li> (the form should already be open) <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'popup'; this will open the popup form, <li> under 'Control ID', write '2006' <li> under 'List ID', write '2005' <li> tap the 'OK' button; this will close RsrcEdit's control form, </ul> Now, close the form. <ul> <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C </ul> <h3><i> How To Set One Up -- In The Code </i></h3> You'll install the list draw function almost exactly the same way as before.<p> At the top of your file, you'll want to add a couple #define statements to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define MyPopup 2006 // HERE'S ONE NUMBER YOU REMEMBERED #define MyList 2005 // HERE'S THE OTHER NUMBER YOU REMEMBERED </pre> OnBoard C uses a header file that includes several, BUT NOT ALL, of the Palm APIs. It turns out that the LstDrawList, LstSetDrawFunction, and WinDrawTruncChars APIs aren't in OnBoard C's header file. We must add the link between our call and the APIs ourselves. We do this by placing the following lines in the section marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> void LstDrawList (ListType *pList) SYS_TRAP(sysTrapLstDrawList); void LstSetDrawFunction (ListType *pList, ListDrawDataFuncPtr func) SYS_TRAP(sysTrapLstSetDrawFunction); void WinDrawTruncChars (Char *c, int i, int x, int y, int w) SYS_TRAP(sysTrapWinDrawTruncChars); </pre> Next, you'll want to add the functions for setting-up the list. This being 'C', you can either add the functions at the top of the file or you can add prototypes to the top and the functions at the bottom (or in another file). This is all your choice and we're not going to cover it here. <p> First, we need our function that'll draw the list items. For this function, I'm going to call WinDrawTruncChars, a function that not only writes a string to the screen but also chops it off if the string is too long. <pre> #define listCount 5 static Char *listString[listCount] = {"one", "two", "three", "four", "five"}; void drawList (Int16 i, RectangleType *bounds, Char **items) { WinDrawTruncChars (listString[i], StrLen(listString[i]), bounds-&gt;topLeft.x, bounds-&gt;topLeft.y, bounds-&gt;extent.x); } </pre> Next, we'll write the list setup function, setupList, that installs our drawList function. This is just like before, except that you won't draw the list in the form's startup function (the list is hidden -- you wouldn't want to draw a hidden list). Here's the function definition (below, I'll tell you where to call it). <pre> void setupList(int lIndex) { FormPtr pForm = FrmGetActiveForm(); void *pList = getObjectPtr(pForm, lIndex); LstSetListChoices (pList, 0, listCount); LstSetDrawFunction (pList, (ListDrawDataFuncPtr) drawList); // Don't redraw the list } </pre> Now you have to place the call to this function in your code to setup the list when you draw a form. Do that by adding the following function call in your 'mainFormInit' function where it says '<a href="#finit">ADD FORM INITIALIZATION HERE</a>':<p> <pre> setupList (MyList); </pre> And, voila -- you've built your list. <h3><i> How To Handle One -- In The Code </i></h3> The user will select an item off your list in two steps. First, he'll tap on the popup trigger -- the Palm OS will handle this by showing your list. Next, he'll probably to tap on one of your list's choices and you should have some code to deal with that. It's almost exactly like the plain list-handling code except that the user selecting a list item gives you get a popSelectEvent rather than a lstSelectEvent. That code goes in your form's event handler (that was mainFormEventHandler in the above example) at the place marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'). Add the following code at that spot:<p> <pre> case popSelectEvent: { // let's save the list selection -- this is the index of the // thing the user tapped in the array we passed to the list int i = pEvent-&gt;data.popSelect.selection; // this is a check for *WHICH* list -- we'll leave it here // even though we only have one list switch (pEvent-&gt;data.popSelect.controlID) { case MyPopup: // We'll draw the selected string on the screen, but // normally, you'd do something with the index, here WinDrawChars (listString[i], // 1 StrLen(listString[i]), // 2 100, // 3 0); // 4 handled = true; break; } } </pre> Make sure that you include the 'handled=true;' line whether or not you want to do anything when the user selects the line. Otherwise, the OS tries to change the title of the popup to the selection it has stored (but it doesn't have anything stored -- we're writing the list elements dynamically -- so you get garbage).<p> The lines marked 1 through 4 comprise the statement that reacts to a user selecting an item in your list. In real code, you'll want to replace these lines with something more sophisticated.<p> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="pushbtn" id="pushbtn"> UI Objects: Push Buttons (AKA Radio Buttons) </a> </h2> <h3><i> What They Are </i></h3> Push Buttons are a group of buttons that work in concert. Only one can be pushed at a time. <h3><i> How To Make One -- In The Resource Editor </i></h3> Well, you can't make just one -- it's a group of buttons so you have to make at least two. The user-interface standards are to make them immediately next to each other or immediately over the top of each other. We'll make ours next to each other.<p> You need to add the buttons to the main form in your program and, as usual, we'll do that in RsrcEdit. This is a bunch like a couple of regular buttons. The differences lie in that the buttons are carefully aligned (as described earlier) and the buttons are all part of the same group. We'll start by adding the button to your form.<p> <ul> <li> <a href="#open">open the form</a>, as described above, </ul> Now create the first button: <p> <ul> <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'control'; this will open the control form, <li> name the button by writing 'Up' under 'Title', <li> under 'ID', write '1020' -- REMEMBER THIS NUMBER, <li> under 'Style', choose 'PushButton', <li> under 'Frame', choose 'Rectangle', <li> position the button on the screen by doing the following:<br> <ul> <li> under 'top', write '100', <li> under 'left', write '20', <li> under 'width', write '30', <li> under 'height', write '10', </ul> <li> under 'group' write '1', <li> check the 'Enabled' box, <li> check the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, </ul> Now, make the second button:<p> <ul> <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'control'; this will open the control form, <li> name the button by writing 'Down' under 'Title', <li> under 'ID', write '1021' -- REMEMBER THIS NUMBER, <li> under 'Style', choose 'PushButton', <li> under 'Frame', choose 'Rectangle', <li> position the button on the screen by doing the following:<br> <ul> <li> under 'top', write '100', <li> under 'left', write '50', <li> under 'width', write '30', <li> under 'height', write '10', </ul> <li> under 'group' write '1', <li> check the 'Enabled' box, <li> check the 'Usable' box, <li> tap the 'OK' button; this will close RsrcEdit's control form, </ul> And then, finish it off:<p> <ul> <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C </ul> <h3><i> How To Set One Up -- In The Code </i></h3> There's nothing that you need to do in the code before the buttons can be drawn on the screen. <h3><i> How To Handle One -- In The Code </i></h3> In your code, you'll want to handle the event caused by someone pressing one of the buttons button. <p> At the top of your file, you should add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define UpButton 1020 #define DownButton 1021 </pre> Now, in your form's event handler (that was mainFormEventHandler in the above example, at the place marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'), add the following:<p> <pre> case ctlSelectEvent: switch (pEvent-&gt;data.ctlSelect.controlID) { case UpButton: WinDrawChars("Up", 2, 60, 30); handled = true; break; case DownButton: WinDrawChars("Down", 4, 60, 30); handled = true; break; // other buttons... } break; </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="chkbox" id="chkbox"> UI Objects: Check Boxes </a> </h2> <h3><i> What They Are </i></h3> Most programmers familiar with GUI programming will know the check box. It is that little box that can have a tick in it. If you have been following this example you have been using them for 'Usable' and 'Enabled' in the Resource Editor. <h3><i> How To Make One -- In The Resource Editor </i></h3> <ul> <li> Open the form, as described above <li> Tap the 'menu' silkscreen button <li> Tap 'new'-&gt;'control'; this will open the control form <li> Name the checkbox by writing 'Check it' under 'Title', <li> Under 'ID', write '1005' - REMEMBER THIS NUMBER <li> Under 'Style' choose 'CheckBox' <li> Position the check box on the screen by doing the following: <ul> <li> Under 'top' write '100' <li> Under 'left' write '90' <li> Under 'width' write '50' ('Calc Width' does not work properly for checkboxes) <li> Under 'height' write '12' </ul> <li> Check the 'enabled' and 'usable' checkboxes <li> Tap the 'OK' button; this will close RsrcEdit's control form <li> Tap the 'OK' button; this will close RsrcEdit's form for the main form in your program, and <li> Tap the 'OnBoardC' button; this will take you to OnBoardC </ul> <h3><i> How To Set One Up -- In The Code </i></h3> There's nothing that you need to do in the code before the check box can be drawn on the screen. <h3><i> How To Handle One -- In The Code </i></h3> In your code there are three things you might be interested in doing. At any stage in your program you might want to know whether the check box is ticked or not, you might want to set the checkbox to ticked or not, or you might want to take some action when the user ticks or un-ticks the check box.<p> Before we forget lets put in the define for the resource ID number. At the top of your code, marked 'PUT UI-DEFINITIONS HERE':<p> <pre> #define CHECKBOX 1005 </pre> With the other controls we have looked at we have referred to the control in the code by it's resource ID (as in the ctlSelectEvent) or with a pointer that we obtained with the getObjectPtr function outline earlier. There is a third way of accessing a control - by its index. For some reason this is the way the PalmOS writers though would be the best way to deal with checkboxes. It is not a problem, we just have to call a function to get the index from a resource id.<p> You might call a function like this to see if a checkbox was ticked.<p> <pre> static void doCheckBox(void) { FormPtr form; UInt16 ctlIndex; Int16 checked; form = FrmGetActiveForm(); ctlIndex = FrmGetObjectIndex(form, CHECKBOX); checked = FrmGetControlValue(form, cltIndex); if(checked) WinDrawChars("Checked", 7, 5, 120); else WinDrawChars("Not Checked", 11, 5, 120); } </pre> Setting the state of a check box is just as simple: <pre> static void setCheckBox(Int16 checked) { FormPtr form; UInt16 ctlIndex; form = FrmGetActiveForm(); ctlIndex = FrmGetObjectIndex(form, CHECKBOX); FrmSetControlValue(form, ctlIndex, checked); } </pre> Reacting to the user tapping on the checkbox is exactly the same as if it was a button. In your form's event handler (that was mainFormEventHandler in the above example, at the place marked 'ADD EVENT HANDLING HERE') add the following <pre> case ctlSelectEvent: switch (pEvent-&gt;data.ctlSelect.controlID) { case CHECKBOX: { WinDrawChars("Tap", 3, 5, 120); handled = true; break; } //other buttons } break; </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="slider" id="slider"> UI Objects: Sliders </a> </h2> <h3><i> What They Are </i></h3> <h3><i> How To Make One -- In The Resource Editor </i></h3> <h3><i> How To Set One Up -- In The Code </i></h3> <h3><i> How To Handle One -- In The Code </i></h3> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="feedslider" id="feedslider"> UI Objects: Feedback Sliders </a> </h2> <h3><i> What They Are </i></h3> <h3><i> How To Make One -- In The Resource Editor </i></h3> <h3><i> How To Set One Up -- In The Code </i></h3> <h3><i> How To Handle One -- In The Code </i></h3> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="memory" id="memory"> Memory Handling </a> </h2> Memory is handled a bit differently on the Palm than in most programming environments. The Palm has a <b>stack</b> like most machines. The stack is the place where each function's local variables are stored but a variable's space is given away to other variables when the function returns. The <b>heap</b>, on the other hand, is treated differently on the Palm. You can allocate memory normally (using <i>MemPtrNew</i> and <i>MemPtrFree</i> rather than <i>malloc</i> and <i>free</i>) or you can declare something <i>static</i> or <i>global</i> but you really don't want to do that. The problem with that is that there's not a lot of memory and it can easily get fragmented. What you really want is to make your allocations <b>relocatable</b> with <i>MemHandleNew</i> and <i>MemHandleFree</i>. The Palm OS can move this memory around (thus, unfragmenting it and making more of it available) when you're not using it. When you want to use it, get a pointer with <i>MemHandleLock</i> but don't forget to unlock the memory chunk with <i>MemHandleUnlock</i>. An example of using this technique is as follows.<p> <pre> MemHandle h = MemHandleNew(100); // 100 bytes CharPtr p = MemHandleLock(h); // turn a handle into a pointer // use 'p' as you would any pointer MemHandleUnlock(h); // go off and do other stuff -- the stuff above and below this line // can be in the same function or in different functions, if you wish. p = MemHandleLock(h); // turn a handle back into a pointer // use 'p' as you would any pointer MemHandleUnlock(h); // and when you're done MemHandleFree(h); </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="field" id="field"> UI Objects: Text Fields </a> </h2> <h3><i> What They Are </i></h3> A text field is a line or block of text which can show and edit a text string. This string can live either directly in a database, or be from a string in memory. Editing is handled by the system, so if you're happy with the way you edit text on a Palm, you only need to worry about the setup of the field, and not the event loop. <h3><i> How To Make One -- In The Resource Editor </i></h3> You need to add the field to the main form in your program and once again, we'll do that in RsrcEdit. You tie the field in your resource file to your program by remembering the ID of the field and referring to that number in your code. We'll start by adding the field to your form. <p> <ul> <li> <a href="#open">open the form</a>, as described above, <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'field'; this will open the field form, <li> under 'ID', write '1010' -- REMEMBER THIS NUMBER, <li> position the button on the screen by doing the following:<br> <ul> <li> under 'top', write '42', <li> under 'left', write '20', <li> under 'width', write '120', <li> under 'height', write '12', </ul> <li> check the 'Editable' box, <li> check the 'Usable' box, <li>check the 'Underline' box, <li>check the 'Single Line' box <li>under 'Max Chars', write '32', <li> tap the 'OK' button; this will close RsrcEdit's control form, <li> tap the 'OK' button; this will close RsrcEdit's form for the main form in your program <li>tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C. </ul> <h3><i>How To Set One Up -- In The Code </i></h3> There are several things you have to do to set up a field in the code, and there are more things you have to do when you have finished with it. To start with, we need to link the text field to a region of memory that holds the text, then we need to tell the system to draw it. <p> At the top of your file, you'll want to add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define MainField 1010 // HERE'S THE NUMBER YOU REMEMBERED </pre> Next, you'll want to add some functions for dealing with the field. This being 'C', you can either add the functions at the top of the file or you can add prototypes to the top and the functions at the bottom (or in another file). This is all your choice and we're not going to cover it here. <p> The field setup function, setFieldText, sets the text of the field. Now, the user can add or remove text to his or her little heart's desire so you'll want to be able to get the text from the field. You do that with the 'getFieldText' function. <p> Here's the function definition (below, I'll tell you where to call them). <pre> // Use a function like this to set a field to a string static void setFieldText (UInt32 fIndex, Char *StrToShow) { FormPtr pForm = FrmGetActiveForm(); void *pField = getObjectPtr (pForm, fIndex); // get the field's old text handle MemHandle oldH = FldGetTextHandle(pField); //Copy our string into a memhandle int len = StrLen(StrToShow); MemHandle mH = MemHandleNew(len+1); Char *pMem = MemHandleLock(mH); StrCopy(pMem, StrToShow); //The memhandle needs to be unlocked to work... MemHandleUnlock(mH); //To establish the field's link to the handle FldSetTextHandle(pField,mH); //To draw the field FldDrawField(pField); // get rid of old handle if (oldH != NULL) MemHandleFree (oldH); } </pre> Now you have to place the calls to this function in your code to set the text of the field when you draw a form for the first time. Do that by adding the following function call in your 'mainFormInit' function where it says '<a href="#finit">ADD FORM INITIALIZATION HERE</a>':<p> <pre> setFieldText (MainField,"Hello Field"); </pre> <h3><i>How To Handle One -- In The Code </i></h3> <p>There's nothing much to handle here, unless you want advanced editing capabilities, which I've never needed. Anybody else?</p> I'm not sure whether this counts as in the code or as shut down but you'll want to be able to extract the text from a field (by the way, make sure you set the field before you try to get it.) You do that with the following function (again, I'll explain where to call it, below). <pre> // Use a function like this to find out what the field's contents // are and to put them into a string: static void getFieldText (UInt32 fIndex, Char *StrToGet) { FormPtr pForm = FrmGetActiveForm(); void *pField = getObjectPtr (pForm, fIndex); MemHandle mH = FldGetTextHandle(pField); Char *pMem=MemHandleLock(mH); StrCopy(StrToGet, pMem); MemHandleUnlock(mH); } </pre> To use this, you can replace the button handling code (that goes at the spot marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'), described elsewhere in this document, with the following bit of code:<p> <pre> case MainButton: static Char bar[80]; getFieldText (MainField, bar); WinDrawChars (bar, StrLen(bar), 60, 30); handled = true; break; </pre> <h3><i>How To Shut One Down -- In The Code </i></h3> There's one more function that will interest you if the text in your field is actually living in a database. Since a field deallocates its text when your program shuts down, you'll want to remove any text that is still living (i.e., in a database) before you shut down. You do this with the 'nullField' function. <p> <pre> // To unlink a field from a text handle, use a function like this: static void nullField (UInt32 fIndex) { //We need a pointer to the field FormPtr pForm = FrmGetActiveForm(); void *pField = getObjectPtr (pForm, fIndex); //Unlink the field by setting the handle to 'NULL'. FldSetTextHandle(pField,NULL); } </pre> Finally, <b>remember</b> that if you forget to unlink a field that is connected to a database before you close the form, or exit the application, you will get a fatal error! Fix that by adding the following to the application close function (stopApp, in our code) or, if your code has multiple forms, in the close form function:<p> <pre> nullField (MainField); </pre> <p> <!-- ------------------------------------------------- --> </p> <br><br><hr align=left width=66%> <h2> <a name="scroll" id="scroll"> UI Objects: Scroll Bars </a> </h2> <h3><i> What They Are </i></h3> <h3><i> How To Make One -- In The Resource Editor </i></h3> <h3><i> How To Set One Up -- In The Code </i></h3> <h3><i> How To Handle One -- In The Code </i></h3> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="tables" id="tables"> UI Objects: Tables </a> </h2> <h3><i> What They Are </i></h3> <h3><i> How To Make One -- In The Resource Editor </i></h3> <h3><i> How To Set One Up -- In The Code </i></h3> <h3><i> How To Handle One -- In The Code </i></h3> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="alert" id="alert"> UI Objects: Alerts </a> </h2> <h3><i> What They Are </i></h3> An alert is a little pop up with some text and a/some button(s). Also, it is possible to use a nifty little trick that puts text on an alert recource during execution (without using dynamic resource creation). <!-- Note (Nick Guenther Feb 16, 2003 13:16 GMT): Ok, so I lied. Like in the menu section, I have removed the leading spaces here--> <h3><i> How To Make One -- In The Resource Editor </i></h3> This is where you will do most of the work to get an alert. One small explanation first. There is a function (described in the 'How to Handle...' section that will replace text in an alert, specifically the text ^1, ^2, and ^3 with text you provide it. If you want to use this feature put ^1 and/or ^2 and/or ^3 in the message that your alert displays. Many people have special 'Debug' alerts made up of only the text "^1^2^3" that they can then use to get info out of their programs. <p> <ul> <li>go to the main form of the resource (the first thing you see when you open a Rsrc file), <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'alert'; this will open the alert form, <li> under 'Title', write 'Alert' <li> where it says 'Alert Type' select 'information' (you may choose the other styles but stick with this for now) <li> in the 'Message' field put: "This is some text ^1^2^3", <li> add buttons by doing the following:<br> <ul> <li>tap the 'menu' silkscreen button, <li> tap 'new', <li> highlight where it says 'Button'; this is the text of the button. Change it to 'OK'. <li> tap 'Apply',<br> <br> Note: you can add up to four buttons but that pushes that last off the screen. Three buttons is also not an ideal choice unless you really need it. Two is generally used for confirmation alerts (one of the other 'Alert Types'). For almost all alerts (the kind that you just want to stop the program and give some information) use one button. <br><br> </ul> <li> Add a second button, 'Cancel', for tutorial purposes. <li> tap the 'Preview' button to see what your alert looks like. <li>tap the 'OK' button; this will close RsrcEdit's alert form, <li>Change the 'ID' number of the alert to '1200' -- REMEMBER THIS NUMBER, <li>tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C. </ul> <h3><i> How To Set One Up -- In The Code </i></h3> At the top of your file, you'll want to add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>': <pre> #define Alert1 1200; // HERE'S THE NUMBER YOU REMEMBERED </pre> <h3><i> How To Handle One -- In The Code </i></h3> There are two ways to do this. Both of them consist of calling functions. <font color=red><h3>WARNING</h3></font> Be <b>very careful</b> here! You can lock your palm into an infinite loop if you put this somewhere that it will be called on every iteration of the event loop. The event loop of the active program handles <b>all</b> UI interaction, that is, it recieves every event. Now, a button tap is an event, a hard key (including the power button) press is an event, <u>everything</u>. This means that when someone taps a button on an alert an event occurs. If there is an alert happening every time round each alert spawns another alert! <p> <b>1)</b> UInt16 FrmAlert(UInt16 alertID); will pop up an alert with the given ID number. Wherever you want this to happen put: <br> <pre> FrmAlert(Alert1); </pre> Ok, so that's great for displaying something, but wouldn't it be great if you could get information from this? Well, FrmAlert returns a value, the ID of the button tapped. Now, this isn't something you've set, it's just that the first button is #0, the second is #1, the third is #2, and the fourth that you should never use is #3. <br> <pre> UInt16 alertSelection = FrmAlert(Alert1); </pre> Cool, huh? <p> <b>2)</b> UInt16 FrmCustomAlert(UInt16 alertID, CharPtr string1, CharPtr string2, CharPtr string3); is the other function. It is the way for displaying custom text. string1, string2, and string3 and what replace ^1, ^2, and ^3, respectively. You may want to use it in conjunction with StrPrintF to display any kind of data. One word of warning though: this function should not take null strings (i.e. ""). This is because until Palm OS 3.0 this caused problems, crashes I believe. If you want backward compatibility but don't want to use more than 1 or 2 strings make sure to use empty strings (i.e. " ") in the remaining arguments. <br> <pre> FrmCustomAlert(Alert1, "\nMore text","\nThe second text","Hello, World!"); </pre> Good, good. Now there is an alert saying:<br> <pre> This is some text More text The second text Hello, World! </pre> But now what? Well, as you've probably guessed, this also returns the pressed button. Here, I have used StrPrintF to display the choice in a second alert. UInt16 alertSelection = FrmCustomAlert(Alert1, "\nMore text","\nThe second text","Hello, World!"); MemHandle h= MemHandleNew(100); CharPtr s = MemHandleLock(h); StrPrintF(s, "\nThe button tapped was: %d", alertSelection); FrmCustomAlert(alert1, s, " ", " "); MemHandleUnlock(h); MemHandleFree(h); <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="icons" id="icons"> UI Objects: Icons </a> </h2> <h3><i> What They Are </i></h3> Icons are the pretty pictures that show up in the app launcher. There are two kinds, the large icons, and the list-view icons. Large icons <h3><i> How To Make One -- In The Resource Editor </i></h3> This is the only place you need to do any work with icons. <p> <ul> <li>go to the main form of the resource (the first thing you see when you open a Rsrc file), <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'icon'; this will open the icon form, <li> using the menu, select 'Properties', <li> change the dimensions to: <ul> <li>If making a large icon: 32 width, 22 height, <br> or, <br> <li>if making a list-view: 15 width, 9 height, </ul> <li>start drawing; you may wish to switch into whatever the highest color you can get is using the menu (where it says 1 bit, 2 bit...), <li>use the 'zoom' button to view you icon as it would be in the apps launcher <li>tap the 'OK' button; this will close RsrcEdit's image editor form, <li>Change the 'ID' number of the icon to: <ul> <li>If making a large icon: '1000', <br> or, <br> <li>if making a list-view: '1001', </ul> <li>tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C. </ul> <h3><i> How To Set One Up -- In The Code </i></h3> There is nothing to do in the code. <h3><i> How To Handle One -- In The Code </i></h3> Ditto, nothing to do. <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="forms" id="forms"> UI Objects: Forms </a> </h2> <h3><i> What They Are </i></h3> As described earlier, a Form is a canvas on which you can put other UI objects. Every application has at least one but many have more than one. Every alert box is a form (though the guts of handling it is in the Palm OS rather than in your code). <h3><i> How To Make One -- In The Resource Editor </i></h3> Starting in OnBoard C, do the following:<p> <ul> <li> tap on the .rsrc file <li> tap the 'RsrcEdit' button; this will bring-up RsrcEdit. </ul> In RsrcEdit, do the following:<p> <ul> <li> tap the 'menu' silkscreen button, <li> tap 'new'-&gt;'form'; <li> We'll use the whole screen by doing the following:<br> <ul> <li> under 'top', write '0', <li> under 'left', write '0', <li> under 'width', write '160', <li> under 'height', write '160', </ul> <li> check the 'Usable' box, </ul> Now, we have to add a title to make it a proper form:<p> <ul> <li> tap 'new'-&gt;'title'; <li> Write 'Second Form' <li> tap 'OK' </ul> Finally, we finish up:<p> <ul> <li> tap the 'OK' button; this will close RsrcEdit's form for our new form <li> Now, TAKE NOTE OF THE 'ID' or the number next to the 'tFRM' label in the list. It's probably '1100' but look anyway. <li>tap the 'OnBoardC' (or 'QuartusC') button; this will take you to OnBoard C. </ul> <h3><i> How To Set One Up -- In The Code </i></h3> We need a few things, now. We could use a way to get to the form, a startup function for the form, and an event handler for the form. We'll use the button that we generated earlier to go to our new form but how you get there depends on why you want the form in your code. <p> At the top of your file, you'll want to add a #define to help your code be a bit more readable. You should add this at the place marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>':<p> <pre> #define NewForm 1100 // HERE'S THE NUMBER YOU REMEMBERED </pre> I'm going to repeat: we're using a button to switch to the second form. Make a button just like before, but in your form's event handler (that was mainFormEventHandler in the skeleton code, at the place marked '<a href="#eventh">ADD EVENT HANDLING HERE</a>'), add the following:<p> <pre> case ctlSelectEvent: switch (pEvent-&gt;data.ctlSelect.controlID) { case MainButton: FrmGotoForm (NewForm); handled=true; break; // other buttons... } break; </pre> Now, this means that pushing the button will call FrmGotoForm which, in turn, sends the following <ul> <li> a frmCloseEvent to the current form, <li> a frmLoadEvent to the application, and <li> a frmOpenEvent to the new form </ul> (actually, these all get sent to the application -- I was just explaining where we'll handle them). <p> We won't worry about handling the frmCloseEvent because we don't have anything we need to do.<p> We'll handle the frmLoadEvent in the 'appHandleEvent' function. Here, we initialize the form, set it as the active form, and install a new event handler. At the place marked '<a href="#form">ADD NEW FORM HANDLING HERE</a>', add the following code:<p> <pre> else if (formId == NewForm) FrmSetEventHandler (frm, newFormEventHandler); </pre> This means that we need a 'newFormEventHandler'. We are going to steal mainFormEvent handler <i>verbatim</i> except for one line. Add the following function to your code:<p> <pre> static Boolean newFormEventHandler (EventPtr pEvent) { Boolean handled = false; FormPtr pForm = FrmGetActiveForm(); switch (pEvent-&gt;eType) { /* * the first event received by a form's event handler is * the frmOpenEvent. */ case frmOpenEvent: FrmDrawForm(pForm); newFormInit(pForm); // THIS IS THE DIFFERENT LINE handled = true; break; // Add other event handling here default: break; } return handled; } </pre> And <i>this</i> implies that we need a newFormInit function which we'll steal from mainFormInit. <pre> static void mainFormInit (FormPtr pForm) { static Char foo[30] = "Hello Form 2"; WinDrawChars (foo,StrLen(foo),20,18); } </pre> <h3><i> How To Handle One -- In The Code </i></h3> Nothing to do but sit back and enjoy your new form. Typically, you'd have a way to get back to your main form but that depends on the application. <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="database" id="database"> Beginning Database </a> </h2> There're two different ways to have permanent storage on a Palm. While there's off-line memory cards on some Palms, even the oldest Palm devices have non-volatile storage in which you can store databases. We'll look at databases, here.<p> In the first article, here, we'll discuss reading from an existing database -- the memo database. <p> <h3><i> Open the Database. </i></h3> First, we open the database. <p> <pre> LocalID dbld; DmOpenRef dbRef; MemHandle record; CharPtr pChar; //... dbld = DmFindDatabase (0, "MemoDB"); if (dbld != 0) dbRef = DmOpenDatabase (0, dbld, dmModeReadWrite); </pre> <h3><i> Read the Database. </i></h3> Now, we can navigate through the database. When you get a record from a database, you get a handle. Remember that you have to lock a handle to make a pointer that you can use.<p> In this example, I'm going to do more than I <i>absolutely</i> need to in order to read from a database. I'm going to read from every record in the database and print out a few characters from each record. <pre> int i, count; if (dbRef != 0) { // get th number of records in the database count = DmNumRecords (dbRef); // for each record in the database for (i=0; i&lt;count; i++) { // Get the record, make sure it hasn't been deleted, // and lock the handle record = DmGetRecord (dbRef, i); if (record == 0) continue; pChar = MemHandleLock (record); // Now, read from 'pChar' like the pointer it is WinDrawChars (pChar, 20, 2, (10*i)+20); // Now, unlock the handle and release the record MemHandleUnlock (record); DmReleaseRecord (dbRef, i, 0); } } </pre> <h3><i> Write the Database. </i></h3> Writing to a database is just the tiniest bit more complicated than reading. The thing is, the Palm folks didn't want anyone with a stray pointer to be able to trash a database. For that reason, they protected database memory and made you use a function to write it.<p> Here, I'll create a new record in which to write. If you pick a record less than the number of records in the database, the database manager will move the others down. If you pick one that's greater, you'll get additional records (that'll be deleted, I believe, next time you hotsync). If you choose the exact number (remember that the record count, like arrays in C, is zero-based), then you'll just add one more record to the end of the database. That's what we'll do, here. <pre> #define SIZE 100 { int count = 0; MemHandle record = 0; Char *pChar = 0; Char *string = "Just some text"; int length = StrLen (string); // create a new record at the end of a database (that gives // us a handle) and turn it into a pointer. count = DmNumRecords (dbRef); record = DmNewRecord (dbRef, &amp;count, SIZE); pChar = MemHandleLock (record); // Write to the database with DmWrite (since writing through // the pointer won't work). DmWrite (pChar, 0, string, length+1); // Then, unlock the handle and release the record. MemHandleUnlock (record); DmReleaseRecord (dbRef, count, 0); } </pre> <h3><i> Close the Database. </i></h3> And, finally, you have to close the database when you're done. <pre> if (dbRef != 0) DmCloseDatabase (dbRef); </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="libraries" id="libraries"> Using Shared Libraries </a> </h2> There are libraries that can augment your Palm code. The most common library of this sort is the math library. In order to use a library, do the following. <h3><i> Open the Library. </i></h3> First, we open the library. First, you have to find the library (with SysLibFind). Next, you load the library (with SysLibLoad). Finally, you need to open the library using the 'open' function defined in the library header file.<p> Start by including the header file and defining a global variable that signifies whether the library is open. <pre> #include &lt;mathlib.h&gt; int MathLibRef = -1; </pre> Then, probably in the startApp function at the beginning of execution, do the following:<p> <pre> Err err; // ... err = SysLibFind("MathLib", &amp;MathLibRef); if (err != 0) { // library not loaded already err = SysLibLoad('libr', 'MthL', &amp;MathLibRef); if (err == 0) err = MathLibOpen (MathLibRef, 1); } </pre> <h3><i> Use the Library. </i></h3> Call the functions that are defined in the library header -- I'm not going too far into this since this isn't really about the use of any particular library. <pre> FlpCompDouble x; x.d = sqrt(867.5309) * tan(42); FlpFToA(x.fd, buffer); </pre> <h3><i> Close the Libary. </i></h3> And, finally, you have to close the library when you're done. A good place to do this is in the stopApp function at the end of the execution. <pre> if (MathLibRef != -1) { Err err; UInt16 usecount; err = MathLibClose (MathLibRef, &amp;usecount); if (usecount == 0) SysLibRemove (MathLibRef); } </pre> <!-- ------------------------------------------------- --> <br><br><hr align=left width=66%> <h2> <a name="preferences" id="preferences"> Preferences </a> </h2> An application can have a database that it accesses every time it is run (in addition to the separate databases it can access). This is often used to house the applications options or preferences. This information is often stored in a struct.<p> The first thing you need to decide is how you're going to use the your preferences during the course of your code. If you need to access them in several forms, you might want to declare the preferences as global. We'll do that in the cookbook. You'd place this global definition at the location marked '<a href="#uidef">PUT UI-DEFINITIONS HERE</a>' in the skeleton application:<p> <pre> typedef struct { int skeletonData; } Prefs; Prefs prefs; </pre> <h3><i> Open Preferences. </i></h3> A good place to open the preference database is the startApp function. One thing you may want to do is to provide for your application changing its preferences over different versions. A simplistic guard for that is to check the size of the preference database with the size you think it should be. Another is to check the value returned by PrefGetAppPreferences. We use the size in the following code.<p> <pre> void startApp() { Int16 prefSize = sizeof(Prefs); if ((PrefGetAppPreferences (AppCreator, 1000, // pref database id &amp;prefs, &amp;prefSize, true) // saved during Hotsync == noPreferenceFound) || (prefSize != sizeof(Prefs))) { // default initialization, since discovered // Prefs was missing or old. prefs.skeletonData=1; } } </pre> <h3><i> Use the Preferences. </i></h3> Now, you can use the preferences any way you want. It's a global variable, so set the values, read the values, whatever. <h3><i> Write Preferences. </i></h3> And, finally, you have to write the preferences back to the preference database. A great place to do that is the stopApp function. <pre> void stopApp() { PrefSetAppPreferences (AppCreator, 1000, // pref database id 1, // version of pref database &amp;prefs, sizeof(Prefs), true); // saved during hotsync } </pre> </body> </html>
reference/ios/2/9/9/docsets/VPKit.docset/Contents/Resources/Documents/Classes/VPKPublicVeep.html
veepionyc/veepionyc.github.io
<!DOCTYPE html> <html lang='en'> <head> <title>VPKPublicVeep Class Reference</title> <link rel='stylesheet' type='text/css' href='../css/jazzy.css' /> <link rel='stylesheet' type='text/css' href='../css/highlight.css' /> <meta charset='utf-8'> <script src='../js/jquery.min.js' defer></script> <script src='../js/jazzy.js' defer></script> </head> <body> <a name='//apple_ref/objc/Class/VPKPublicVeep' class='dashAnchor'></a> <a title='VPKPublicVeep Class Reference'></a> <header class='header'> <p class='header-col header-col--primary'> <a class='header-link' href='../index.html'> VPKit Docs </a> (52% documented) </p> <p class='header-col header-col--secondary'> <a class='header-link' href='https://github.com/veepionyc/VPKitDemo/tree/2.9.9'> <img class='header-icon' src='../img/gh.png'/> View on GitHub </a> </p> </header> <p class='breadcrumbs'> <a class='breadcrumb' href='../index.html'>VPKit Reference</a> <img class='carat' src='../img/carat.png' /> VPKPublicVeep Class Reference </p> <div class='content-wrapper'> <nav class='navigation'> <ul class='nav-groups'> <li class='nav-group-name'> <a class='nav-group-name-link' href='../Classes.html'>Classes</a> <ul class='nav-group-tasks'> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKApp.html'>VPKApp</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKColorStyles.html'>VPKColorStyles</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKDevice.html'>VPKDevice</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKEnvironment.html'>VPKEnvironment</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKFontStyles.html'>VPKFontStyles</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKImage.html'>VPKImage</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKPlayerItem.html'>VPKPlayerItem</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKPreview.html'>VPKPreview</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKPublicVeep.html'>VPKPublicVeep</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKSdk.html'>VPKSdk</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKStyles.html'>VPKStyles</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKUser.html'>VPKUser</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKVeepViewer.html'>VPKVeepViewer</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Classes/VPKit.html'>VPKit</a> </li> </ul> </li> <li class='nav-group-name'> <a class='nav-group-name-link' href='../Constants.html'>Constants</a> <ul class='nav-group-tasks'> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoComplete'>VPKEventVideoComplete</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoFramesPerSecondKey'>VPKEventVideoFramesPerSecondKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoLoad'>VPKEventVideoLoad</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoNumberOfDroppedVideoFrames'>VPKEventVideoNumberOfDroppedVideoFrames</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoObservedBitrateKey'>VPKEventVideoObservedBitrateKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoPause'>VPKEventVideoPause</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoPlay'>VPKEventVideoPlay</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoPlayRequested'>VPKEventVideoPlayRequested</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoPlaybackBitrateKey'>VPKEventVideoPlaybackBitrateKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoPlaybackTypeKey'>VPKEventVideoPlaybackTypeKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoSeekComplete'>VPKEventVideoSeekComplete</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoSeekStart'>VPKEventVideoSeekStart</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoStartupTimeKey'>VPKEventVideoStartupTimeKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKEventVideoUnload'>VPKEventVideoUnload</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@VPKIdentifierKey'>VPKIdentifierKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@vpkErrorKey'>vpkErrorKey</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@vpkErrorNotification'>vpkErrorNotification</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Constants.html#/c:@vpkPresentErrorKey'>vpkPresentErrorKey</a> </li> </ul> </li> <li class='nav-group-name'> <a class='nav-group-name-link' href='../Enumerations.html'>Enumerations</a> <ul class='nav-group-tasks'> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Enums/VPKEnvironmentType.html'>VPKEnvironmentType</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Enums/VPKServerEnvironment.html'>VPKServerEnvironment</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Enums/VPKUserType.html'>VPKUserType</a> </li> </ul> </li> <li class='nav-group-name'> <a class='nav-group-name-link' href='../Protocols.html'>Protocols</a> <ul class='nav-group-tasks'> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Protocols/VPKAdHandler.html'>VPKAdHandler</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Protocols/VPKPreviewDelegate.html'>VPKPreviewDelegate</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Protocols/VPKPreviewPassThroughDelegate.html'>VPKPreviewPassThroughDelegate</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Protocols/VPKVeepViewerDelegate.html'>VPKVeepViewerDelegate</a> </li> </ul> </li> <li class='nav-group-name'> <a class='nav-group-name-link' href='../Type Definitions.html'>Type Definitions</a> <ul class='nav-group-tasks'> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKBOOLErrorBlock'>VPKBOOLErrorBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKCompetitiveStatsBlock'>VPKCompetitiveStatsBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKDailyStatsBlock'>VPKDailyStatsBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKNetworkResponseBlock'>VPKNetworkResponseBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKUserStatsErrorBlock'>VPKUserStatsErrorBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKVeepIdentifierErrorCompletionBlock'>VPKVeepIdentifierErrorCompletionBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKitConsumerIdCompletionBlock'>VPKitConsumerIdCompletionBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKitPublicVeepErrorCompletionBlock'>VPKitPublicVeepErrorCompletionBlock</a> </li> <li class='nav-group-task'> <a class='nav-group-task-link' href='../Type Definitions.html#/c:VPKitClass.h@T@VPKitVeepErrorCompletionBlock'>VPKitVeepErrorCompletionBlock</a> </li> </ul> </li> </ul> </nav> <article class='main-content'> <section class='section'> <div class='section-content'> <h1>VPKPublicVeep</h1> <div class='declaration'> <div class='language'> <pre class="highlight objective_c"><code><span class="k">@interface</span> <span class="nc">VPKPublicVeep</span> <span class="p">:</span> <span class="nc">NSObject</span></code></pre> </div> </div> <p>Public interface for a VPKVeep object</p> </div> </section> <section class='section'> <div class='section-content'> <div class="task-group"> <ul class='item-container'> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)identifier"></a> <a name="//apple_ref/objc/Property/identifier" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)identifier">identifier</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Uniquely identifies a veep</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nonnull</span><span class="p">)</span> <span class="n">NSString</span> <span class="o">*</span><span class="n">identifier</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L19" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)title"></a> <a name="//apple_ref/objc/Property/title" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)title">title</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Title string, if provided</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSString</span> <span class="o">*</span><span class="n">title</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L23" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)descriptionString"></a> <a name="//apple_ref/objc/Property/descriptionString" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)descriptionString">descriptionString</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Description string, if provided</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSString</span> <span class="o">*</span><span class="n">descriptionString</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L27" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)originalContentURI"></a> <a name="//apple_ref/objc/Property/originalContentURI" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)originalContentURI">originalContentURI</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Source URI for veep&rsquo;d media item</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSURL</span> <span class="o">*</span><span class="n">originalContentURI</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L31" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)alternativeContentURIs"></a> <a name="//apple_ref/objc/Property/alternativeContentURIs" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)alternativeContentURIs">alternativeContentURIs</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Alternative URIs for veep&rsquo;d media item</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSArray</span><span class="o">&lt;</span><span class="n">NSString</span> <span class="o">*&gt;</span> <span class="o">*</span><span class="n">alternativeContentURIs</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L35" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)originalContentWidth"></a> <a name="//apple_ref/objc/Property/originalContentWidth" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)originalContentWidth">originalContentWidth</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Width of media item at soure URI</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSNumber</span> <span class="o">*</span><span class="n">originalContentWidth</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L39" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)originalContentHeight"></a> <a name="//apple_ref/objc/Property/originalContentHeight" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)originalContentHeight">originalContentHeight</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>Height of media item at soure URI</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSNumber</span> <span class="o">*</span><span class="n">originalContentHeight</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L43" class="button">Show on GitHub</a> </div> </section> </div> </li> <li class="item"> <div class="item-heading"> <code> <a name="/c:objc(cs)VPKPublicVeep(py)previewURL"></a> <a name="//apple_ref/objc/Property/previewURL" class="dashAnchor"></a> <a class="token" href="#/c:objc(cs)VPKPublicVeep(py)previewURL">previewURL</a> </code> </div> <div class="height-container"> <div class="pointer-container"></div> <section class="section"> <div class="pointer"></div> <div class="abstract"> <p>URL of preview item. This is the poster image if the media item is a video.</p> </div> <div class="declaration"> <h5>Declaration</h5> <div class="language"> <p class="aside-title">Objective-C</p> <pre class="highlight objective_c"><code><span class="k">@property</span> <span class="p">(</span><span class="n">nonatomic</span><span class="p">,</span> <span class="n">strong</span><span class="p">,</span> <span class="n">readwrite</span><span class="p">,</span> <span class="n">nullable</span><span class="p">)</span> <span class="n">NSString</span> <span class="o">*</span><span class="n">previewURL</span><span class="p">;</span></code></pre> </div> </div> <div class="slightly-smaller"> <a href="https://github.com/veepionyc/VPKitDemo/tree/2.9.9/demo/VPKit.framework/Headers/VPKPublicVeep.h#L47" class="button">Show on GitHub</a> </div> </section> </div> </li> </ul> </div> </div> </section> </article> </div> <section class='footer'> <p>© 2021 <a class="link" href="https://veep.io" target="_blank" rel="external">Veepio</a>. All rights reserved.</p> <p>Generated by <a class='link' href='https://github.com/realm/jazzy' target='_blank' rel='external'>jazzy ♪♫ v0.9.1</a>, a <a class='link' href='http://realm.io' target='_blank' rel='external'>Realm</a> project.</p> </section> <!-- Global site tag (gtag.js) - Google Analytics --> <script async src="https://www.googletagmanager.com/gtag/js?id=UA-114402605-1"></script> <script> window.dataLayer = window.dataLayer || []; function gtag(){dataLayer.push(arguments);} gtag('js', new Date()); gtag('config', 'UA-114402605-1'); </script> <script async src="https://www.google-analytics.com/analytics.js"></script> <!-- End Google Analytics --> </body> </div> </html>
backend/normal/Quarca/page-register.html
newset/theme
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <!--[if IE]><meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"/><![endif]--> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" /> <title>Register - Quarca</title> <!-- Styling --> <link href="vendor/bootstrap/bootstrap.min.css" rel="stylesheet"> <link href="assets/css/style.css" rel="stylesheet"> <link href="assets/css/ui.css" rel="stylesheet"> <!-- Theme --> <link id="theme" href="assets/css/themes/theme-default.css" rel="stylesheet" type="text/css"> <!-- Fonts --> <link href='http://fonts.googleapis.com/css?family=Open+Sans:300,400,600' rel='stylesheet' type='text/css'> <link href="vendor/fonts/font-awesome.min.css" rel="stylesheet"> <!-- HTML5 shim and Respond.js for IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body class="page-membership"> <!-- Preloader --> <div id="preloader"><div id="status">&nbsp;</div></div> <div class="wrapper"> <div class="member-container"> <div class="app-logo"> <a href="#"> <img src="assets/img/core/logo.png" alt="Quarca Logo"> </a> </div><!-- app-logo --> <div class="member-container-inside"> <form> <div class="form-group"> <input type="text" class="form-control" placeholder="First Name"> </div> <div class="form-group"> <input type="text" class="form-control" placeholder="Last Name"> </div> <div class="form-group"> <input type="text" class="form-control" placeholder="Email Address"> </div> <div class="form-group"> <input type="text" class="form-control" placeholder="Username"> </div> <div class="form-group"> <input type="password" class="form-control" placeholder="Password"> </div> <div class="form-group"> <input type="text" class="form-control" placeholder="Confirm Password"> </div> <div class="form-group"> <a href="index.html" class="btn btn-primary btn-block">Register</a> </div> </form> </div><!-- member-container-inside --> <p><small>Copyright &copy; 2015 Quarca.</small></p> </div><!-- member-container --> </div><!-- wrapper --> <!-- REQUIRED SCRIPTS --> <script src="vendor/jquery/jquery-1.11.2.min.js"></script> <script src="vendor/plugins/others/jquery-cookie/jquery.cookie.js"></script> <script type="text/javascript"> "use strict"; /******************************* PAGE PRELOADER *******************************/ $(window).load(function() { // makes sure the whole site is loaded $('#status').fadeOut( "slow" ); // will first fade out the loading animation $('#preloader').fadeOut( "slow" ); // will fade out the white DIV that covers the website. $('body').delay(350).css({'overflow':'visible'}); }) /******************************* THEME COLOR COOKIE *******************************/ if($.cookie("css")) { $("#theme").attr("href",$.cookie("css")); } </script> <script> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-60863013-1', 'auto'); ga('send', 'pageview'); </script> </body> </html>
app/bower_components/angular-material/modules/js/switch/switch-default-theme.css
dbreuer/anita-v2
/*! * Angular Material Design * https://github.com/angular/material * @license MIT * v1.0.0-rc6-master-f73ef23 */ md-switch.md-THEME_NAME-theme .md-ink-ripple { color: '{{background-500}}'; } md-switch.md-THEME_NAME-theme .md-thumb { background-color: '{{background-50}}'; } md-switch.md-THEME_NAME-theme .md-bar { background-color: '{{background-500}}'; } md-switch.md-THEME_NAME-theme.md-checked .md-ink-ripple { color: '{{accent-color}}'; } md-switch.md-THEME_NAME-theme.md-checked .md-thumb { background-color: '{{accent-color}}'; } md-switch.md-THEME_NAME-theme.md-checked .md-bar { background-color: '{{accent-color-0.5}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-focused .md-thumb:before { background-color: '{{accent-color-0.26}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-primary .md-ink-ripple { color: '{{primary-color}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-primary .md-thumb { background-color: '{{primary-color}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-primary .md-bar { background-color: '{{primary-color-0.5}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-primary.md-focused .md-thumb:before { background-color: '{{primary-color-0.26}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-warn .md-ink-ripple { color: '{{warn-color}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-warn .md-thumb { background-color: '{{warn-color}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-warn .md-bar { background-color: '{{warn-color-0.5}}'; } md-switch.md-THEME_NAME-theme.md-checked.md-warn.md-focused .md-thumb:before { background-color: '{{warn-color-0.26}}'; } md-switch.md-THEME_NAME-theme[disabled] .md-thumb { background-color: '{{background-400}}'; } md-switch.md-THEME_NAME-theme[disabled] .md-bar { background-color: '{{foreground-4}}'; }
fragments/tags/体验报告/index.html
JDC-FD/jdc-fd.github.io
<article class="mod-post" itemscope itemtype="http://schema.org/Article"><a href="/notes/2016/10/08/aframe/" itemprop="url" title="A-Frame WebVR试玩报告"><div class="mod-post-cover" itemscope itemtype="http://schema.org/ImageObject"><img src="//misc.aotu.io/ONE-SUNDAY/aframe_900x500.jpg" alt="A-Frame WebVR试玩报告" itemprop="contentUrl"></div><div class="mod-post-info"><h3 class="mod-post-tit" itemprop="name headline">A-Frame WebVR试玩报告</h3><p class="mod-post-desc" itemprop="about">什么叫真?你怎样给真下定义,如果你说真就是你能感觉到的东西,你能闻到的气味,你能尝到的味道,那么这个真只是你大脑作出反应的电子信号。 —— 《黑客帝国》</p></div></a></article>
_layouts/slide.html
biobenkj/biobenkj.github.io
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <title> {% if page.title %} {{ page.title }} | {{ site.title }} {% else %} {{ site.title }} {% endif %} </title> <meta name="author" content="{{ site.author }}" /> <!-- Description --> {% if page.description %} <meta name="description" content="{{ page.description }}" /> {% else %} <meta name="description" content="{{ site.description }}"> {% endif %} <meta name="apple-mobile-web-app-capable" content="yes" /> <meta name="apple-mobile-web-app-status-bar-style" content="black-translucent" /> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no, minimal-ui"> <link rel="stylesheet" href="{{ "/reveal.js/css/reveal.css" | prepend: site.baseurl }}"/> {%if page.theme %} <link rel="stylesheet" href="{{ "/reveal.js/css/theme/" | prepend: site.baseurl | append: page.theme | append: '.css' }}" id="theme"/> {% else %} <link rel="stylesheet" href="{{ "/reveal.js/css/theme/black.css" | prepend: site.baseurl }}" id="theme"/> {% endif %} <!-- Code syntax highlighting --> <link rel="stylesheet" href="{{ "/reveal.js/lib/css/zenburn.css" | prepend: site.baseurl }}"/> <!-- Printing and PDF exports --> <script> var link = document.createElement( 'link' ); link.rel = 'stylesheet'; link.type = 'text/css'; link.href = window.location.search.match( /print-pdf/gi ) ? '{{ "/reveal.js/css/print/pdf.css" | prepend: site.baseurl }}' : '{{ "/reveal.js/css/print/paper.css" | prepend: site.baseurl }}'; document.getElementsByTagName( 'head' )[0].appendChild( link ); </script> <link rel="apple-touch-icon" href="{{ "/apple-touch-icon.png" | prepend: site.baseurl }}" /> <link rel="canonical" href="{{ page.url | replace:'index.html','' | prepend: site.baseurl | prepend: site.url }}"> <!--[if lt IE 9]> <script src="lib/js/html5shiv.js"></script> <![endif]--> </head> <body> <div class="reveal"> <div class="slides"> {{ content }} </div> </div> <script src="{{ "/reveal.js/lib/js/head.min.js" | prepend: site.baseurl }}"></script> <script src="{{ "/reveal.js/js/reveal.js" | prepend: site.baseurl }}"></script> <script> // Full list of configuration options available at: // https://github.com/hakimel/reveal.js#configuration Reveal.initialize({ controls: true, progress: true, history: true, center: true, {%if page.transition %} transition: '{{page.transition}}', {% else %} transition: 'slide', // none/fade/slide/convex/concave/zoom {% endif %} // Optional reveal.js plugins dependencies: [ { src: '{{ "/reveal.js/lib/js/classList.js" | prepend: site.baseurl }}', condition: function() { return !document.body.classList; } }, { src: '{{ "/reveal.js/plugin/markdown/marked.js" | prepend: site.baseurl }}', condition: function() { return !!document.querySelector( '[data-markdown]' ); } }, { src: '{{ "/reveal.js/plugin/markdown/markdown.js" | prepend: site.baseurl }}', condition: function() { return !!document.querySelector( '[data-markdown]' ); } }, { src: '{{ "/reveal.js/plugin/highlight/highlight.js" | prepend: site.baseurl }}', async: true, condition: function() { return !!document.querySelector( 'pre code' ); }, callback: function() { hljs.initHighlightingOnLoad(); } }, { src: '{{ "/reveal.js/plugin/zoom-js/zoom.js" | prepend: site.baseurl }}', async: true }, { src: '{{ "/reveal.js/plugin/notes/notes.js" | prepend: site.baseurl }}', async: true } ] }); </script> </body> </html>
app/templates/ladder/join.html
bigplayalman/ONOG-Battlezone
<ion-view class="JoinLadderView picture-bg"> <ion-nav-title>Join and Win</ion-nav-title> <ion-content padding="true"> <ion-list> <ion-item class="item-input item-input-clear"> <i class="icon ion-key placeholder-icon"></i> <input type="text" ng-model="player.battleTag" class="full-width" placeholder="Enter BATTLETAG™: ItsOVER#9001" autocapitalize="off" autocorrect="off" autocomplete="off"> </ion-item> <div class="padding"> <button class="full-width button-calm button" ng-click="registerPlayer()" ng-if="user">Register</button> </div> </ion-list> </ion-content> </ion-view>
_includes/most-recent-sermon-variables.html
austinchapel/austinchapel.github.io
{% assign sermon = site.data.sermons[-1] %} {% for series in site.data.sermon-series %} {% if series.token == sermon.series %} {% assign series = series %} {% assign title = series.title %} {% if series.prefix-title %} {% assign title = series.prefix-title %} {% endif %} {% endif %} {% endfor %} {% assign sermon_series_description_text = "All sermons for " | append: title | append: " series" %} {% if series and series.has_image %} {% capture sermon_series_image_class %}bg-sermon-series-{{ series.token }}{% endcapture %} {% else %} {% assign sermon_series_image_class = 'bg-sermon-series-default' %} {% endif %}
app/index.html
TamasJozsefSzabo/victoria-dashboard
<!doctype html> <html lang="en" ng-app="dashboard" ng-strict-di> <head> <title>Team Victoria Dashboard</title> <meta name="viewport" content="width=device-width"> <base href="/"/> <link rel="stylesheet" href="main.css" /> </head> <body> <div ui-view class="root-ui-view"></div> <!-- Firebase --> <script src="app.js"></script> </body> </html>
Programming/CSharp/CSharpPart2/StringsAndTextProcessing/HTMLExtract/htmlFile.html
d-georgiev-91/TelerikAcademy
<html> <head><title>News</title></head> <body> <p> <a href="http://academy.telerik.com">Telerik Academy</a>aims to provide free real-world practical training for young people who want to turn into skillful .NET software engineers. </p> </body> </html>
talks/lecture4/index.html
selipot/selipot.github.io
<!DOCTYPE html> <html> <head> <title>Data analyses - Elipot - Lecture 4</title> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"/> <!-- This is template for http://remarkjs.com/ by Ole Petter Bang --> <!-- CSS modifcations by J. M. Lilly--> <style type="text/css"> body { font-family: 'Georgia';letter-spacing:0.025em;} h1, h2, h3 { font-family: 'Georgia'; font-weight: normal; } .remark-slide-content h1 { font-size: 2.4em; color:#606060;font-weight: bold;letter-spacing:0.05em;margin-top:-.25em} .remark-slide-content h2 { font-size: 1.55em;color:#606060;font-weight: bold;letter-spacing:0.05em;margin-top:0em} .remark-slide-content h3 { font-size: 1.4em;color:#606060;font-weight: bold;letter-spacing:0.05em;margin-top:0em} .remark-slide-content p,ol,ul { font-size: 1.2em; } .remark-code, .remark-inline-code { font-family: 'Ubuntu Mono'; } .remark-fading { z-index: 9; } .toc {bottom:12px;opacity:0.5;position:absolute;left:30px;font-size: 1.4em;}/*JML*/ /*I find this by jgrepping for remark for slide-number, see resources.js*/ /* Thanks to http://www.partage-it.com/animez-vos-presentations-remark-js/ (in French) */ .remark-slide-container {transition: opacity 0.5s ease-out;opacity: 0;} .remark-visible {transition: opacity 0.5s ease-out;opacity: 1;} /* Two-column layout */ .left-column { width: 50%; float: left; } .right-column { width: 49%; float: right; padding-top: 0em; margin-top: 0em; text-align: left; } .footnote { position:absolute; bottom: 2em; left: 14em; font-size: 0.7em; } /* Some special classes */ .title {font-size: 1.6em; color:#606060;font-weight:bold;letter-spacing:0.05em} .author {font-size: 1.4em; color:#606060;font-weight:bold;letter-spacing:0.02em} .coauthor {font-size: 1.0em; color:#606060;font-weight:bold;letter-spacing:0.02em} .institution {font-size: 1.0em;} .date {font-size: 1.0em;font-style: italic} .note {font-size: 0.8em;font-style: italic} .caption {font-size: 0.65em;} .cite {font-size: 0.8em; color:#33AA99;font-style: italic} .strike {color:salmon;text-decoration:line-through} /*Set color scheme for links.*/ a {text-decoration: none; color: #666666;text-align:center; width: 24%} /*Setting link properties is particular, do not change order below*/ a:visited {color:#666666} a:hover {color:#33AA99} a:active, a#active {color:#FF9700;} </style> </head> <body> <textarea id="source"> class: center, middle .title[Lecture 4: Time Series Analyses] &nbsp; &nbsp; .author[Shane Elipot] .institution[The Rosenstiel School of Marine and Atmospheric Science, University of Miami] &nbsp; &nbsp; .date[] .note[] .footnote[Created with [{Remark.js}](http://remarkjs.com/) using [{Markdown}](https://daringfireball.net/projects/markdown/) + [{MathJax}](https://www.mathjax.org/)] --- name: foreword class: left, .toc[[&#10023;](#toc)] # Foreword This lecture is heavily based on a longer course by Jonathan M. Lilly freely available for online viewing or download at [http://jmlilly.net/course.html](http://jmlilly.net/course.html) --- name: references class: left, .toc[[&#10023;](#toc)] ## References [1] Bendat, J. S., & Piersol, A. G. (2011). *Random data: analysis and measurement procedures* (Vol. 729). John Wiley & Sons. [2] Percival, D. B. and Walden, A. T. (1993). *Spectral Analysis for Physical Applications*. Cambridge University Press [3] Jenkins, G.M. and Watts, D. G. (1968). *Spectral Analysis and its Applications*. Holden Days --- name: toc class: left, .toc[[&#10023;](#toc)] # Outline 1. [The time domain](#timedomain) 2. [Stationarity, non-stationarity, and trends](#stationarity) 3. [Fourier Spectral analysis](#spectral) 4. [Bivariate time series](#bivariate) 4. [Filtering and other topics](#filtering) 4. [Multitaper revisited](#revisited) --- name: timedomain class: center, middle, .toc[[&#10023;](#toc)] # 1. The time domain --- class: left, .toc[[&#10023;](#toc)] # The Sample Interval We have a sequence of `$N$` observations `$$x_n, \quad\quad n=0,1,2,\ldots N-1$$` which coincide with times `$$t_n, \quad\quad n=0,1,2,\ldots N-1.$$` <!--It is a little strange to start counting at zero, but this makes life easier later.--> The sequence `$x_n$` is called a *discrete time series*. It is assumed that the *sample interval*, `$\Delta_t$`, is constant `$$t_n=n\Delta_t$$` with the time at `$n=0$` defined to be `$0$`. The *duration* is `$T=N\Delta_t$`. If the sample interval in your data is not uniform, the first processing step is to interpolate it to be so. --- class: left, .toc[[&#10023;](#toc)] # The Underlying Process A critical assumption is that there exists some &ldquo;process&rdquo; `$x(t)$` that our data sequence `$x_n$` is a *sample of*: `\[x_n=x(n\Delta_t), \quad\quad n=0,1,2,\ldots N-1.\]` Unlike `$x_n$`, `$x(t)$` is believed to exist for *all times*. (i) The process `$x(t)$` exists in *continuous time*, while `$x_n$` only exists at *discrete times*. (ii) The process `$x(t)$` exists for *all past and future* times, while `$x_n$` is only available over a certain time interval. <!--The process `$x(t)$` represents an idealized physical process that continues for all times.--> It is the properties of `$x(t)$` that we are trying to estimate, *based on* the available sample `$x_n$`. --- class: left, .toc[[&#10023;](#toc)] # Measurement Noise In reality, the measurement device and/or data processing probably introduces some artifical variability, termed *noise*. It is more realistic to consider that the observations `$x_n$` contain samples of the process of interest, `$y(t)$`, *plus* some noise `$\epsilon_n$`: `\[x_n = y(n\Delta_t)+ \epsilon_n, \quad\quad n=0,1,2,\ldots N-1.\]` This is an example of the *unobserved components model*. This means that we *believe* that the data is composed of *different components*, but we cannot observe these components individually. The process `$y(t)$` is potentially obscured or degraded by the limitations of data collection in three ways: (i) finite sample interval, (ii) finite duration, (iii) noise. Because of this, the time series is an *imperfect* representation of the real-world processes we are trying to study. <!--Q: What are some examples of measurement noise?--> --- class: left, .toc[[&#10023;](#toc)] # Time versus Frequency There are two complementary points of view regarding the time series `$x_n$`. The first regards `$x_n$` as being built up as a sequence of discrete values `$x_0,x_2,\dots x_{N-1}$`. This is the domain of *statistics*: the mean, variance, histogram, etc. When we look at data statistics, generally, the order in which the values are observed *doesn't matter*. The second point of view regards `$x_n$` as being built up of sinusoids: purely periodic functions spanning the whole duration of the data. This is the domain of *Fourier spectral analysis*. In between these two extremes is wavelet analysis which is not covered here, see the Oslo lectures. --- class: left, .toc[[&#10023;](#toc)] # Time-Domain Statistics Time domain statistics consist of the parameters we have considered earlier during the week: sample mean, sample variance, skewness, kurtosis, and higher moments. The term *sample* is being used to distinguish these quantities calculated from the data sample from the population, or true, statistics of the assumed underlying process `$x(t)$`. That's why we use `$\widehat{(\cdot)}$` --- name: stationarity class: center, middle, , .toc[[&#10023;](#toc)] # 2. Stationarity vs non-stationarity, trends --- class: center, .toc[[&#10023;](#toc)] #First Example <img style="width:100%" src="./figures/drifteruv.png"> --- class: center, .toc[[&#10023;](#toc)] #First Example <img style="width:100%" src="./figures/drifteruvzoomed.png"> --- class: center, .toc[[&#10023;](#toc)] #First Example <img style="width:100%" src="./figures/driftermap.png"> --- class: left, .toc[[&#10023;](#toc)] # Observable Features 1. The data consists of two time series that are similar in character. 1. Both time series present a superposition of scales and a high degree of roughness. 1. The data seems to consist of different time periods with distinct statistical characteristics&mdash;the data is *nonstationary*. 1. Zooming in to one particular period show regular oscillations of roughly uniform amplitude and frequency. 1. The phasing of these show a circular polarization orbited in a counterclockwise direction. 1. The zoomed-in plot shows a fair amount of what appears to be measurement noise superimposed on the oscillatory signal. -- This is a record of velocities of a single surface drifter at 6-hour intervals. All Surface drifter data are freely available from the Data Assembly Center of the Global Drifter Program [{www.aoml.noaa.gov/phod/dac/}](http://www.aoml.noaa.gov/phod/dac/index.php). --- class: center, .toc[[&#10023;](#toc)] # Second Example We have already encountered this time series ... <img style="width:100%" src="./figures/dailyco2.png"> --- class: center, .toc[[&#10023;](#toc)] # Second Example <img style="width:100%" src="./figures/dailyco2zoomed.png"> --- class: left, .toc[[&#10023;](#toc)] # Observable Features 1. The data exhibit a very strong positive trend, roughly linear with time. Thus, this time series does not present a **mean statistics** that represents a "typical" value. 1. On top of the trend there seems to be a sinusoid-like oscillation that does not appear to change with time. 1. The zoomed-in plot shows noise superimposed on the sinusoidal and trend processes. -- This is a record of daily atmospheric CO$_2$ measured at Mauna Loa in Hawaii at an altitude of 3400 m. Data from Dr. Pieter Tans, NOAA/ESRL ([{www.esrl.noaa.gov/gmd/ccgg/trends/}](http://www.esrl.noaa.gov/gmd/ccgg/trends/)) and Dr. Ralph Keeling, Scripps Institution of Oceanography ([{scrippsco2.ucsd.edu}](http://scrippsco2.ucsd.edu/)). We will investigate again this time series during the practical session this afternoon, this time using a spectral analysis approach. --- class: left, .toc[[&#10023;](#toc)] # Non-stationarity The sample statistics may be changing with time because the underlying process (that is its statistics) is changing with time. The process is said to be &ldquo;non-stationary&rdquo;. Sometimes we need to re-think our model for the underlying process. As we say in Lecture 3, we can hypothesize that the process `$x(t)$` is the sum of an unknown process $y(t)$, plus a linear trend $a$, plus noise: `$$x(t) = y(t) + a t + \epsilon(t),$$` -- or maybe the trend is better described as being quadratic with time because of an acceleration: `$$x(t) = y(t) + b t^2 + a t + \epsilon(t).$$` -- The goal is then to estimate the unknowns $a,b$, which consists of methods of analyses generally called &ldquo;parametric&rdquo;. It is a bit like analyzing the data in terms of its statistics (with no prior expectations) or assuming a form for the data. --- name: spectral class: center, middle, .toc[[&#10023;](#toc)] # 3. Fourier Spectral Analysis --- class: center, .toc[[&#10023;](#toc)] # Complex Fourier Series It is possible to represent a discrete time series `$x_n$` as a sum of complex exponentials, a complex Fourier series: `\[ x_n = \frac{1}{N \Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi m n/N}, \quad\quad\quad n=0,1,\ldots N-1 \]` <img style="width:55%" src="./figures/sinesandcosines.png"> We leave out for now how to obtain the complex coefficients `$X_m$` ... --- class: left, .toc[[&#10023;](#toc)] # About Frequency You will typically find two frequency notations: `\[ \cos(2 \pi f t)\quad\quad \text{or} \quad\quad \cos(\omega t) \]` `$f$` is called the *cyclic* frequency. Its units are cycles/time. Example: Hz = cycles/sec. `$\omega = 2 \pi f$` is called the *radian* or *angular* frequency. Its units are rad/time. The associated *period* of oscillation is `$P=1/f=2\pi/\omega$`. As `$t$` goes from `$0$` to `$1/f = 2\pi/\omega = P$`, `$2 \pi f t$` goes from `$0$` to `$2\pi$` and `$\omega t$` goes from `$0$` to `$2\pi$`. A very common error in Fourier analysis is mixing up cyclic and radian frequencies! Note: neither &ldquo;cycles&rdquo; nor &ldquo;radians&rdquo; actually have any units, thus both `$f$` and `$\omega$` have units of 1/time. However, specifying for example 'cycles per day' or 'radians per day' helps to avoid confusion. --- class: center, .toc[[&#10023;](#toc)] #Review: Sinusoids Cosine function (blue) and sine function (orange) <img style="width:80%" src="./figures/sineandcosine.png"> --- class: center, .toc[[&#10023;](#toc)] # Complex Exponentials, 2D Now consider a plot `$\cos(t)$` vs. `$\sin(t)$`. That's the same as `$ \cos(t) + i \sin( t) = e^{i t}$`. <center><img style="width:60%" src="./figures/twodcomplexexponential.png"> </center> --- class: center, .toc[[&#10023;](#toc)] # Complex Exponentials, 3D This is better seen in 3D as a *spiral* as time increases. `\[\cos(t) + i \sin( t) = e^{i t} \]` <center><img style="width:80%" src="./figures/threedcomplexexponential.png"> </center> --- class: left, .toc[[&#10023;](#toc)] # The complex Fourier series The discrete time series `$x_n$` can written as a sum of complex exponentials: `\[ x_n = \frac{1}{N\Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi m n/N} = \frac{1}{N\Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi n \Delta_t \cdot (m/N \Delta_t)}, \quad n=0,1,\ldots N-1 \]` <!-- `\[ x_n = \frac{1}{N \Delta_t} \left[ X_0 + X_1 e^{i2\pi n \Delta_t \,(1/N \Delta_t)} + X_2 e^{i2\pi n \Delta_t \,(2/N \Delta_t)} + X_3 e^{i2\pi n \Delta_t\, (3/N \Delta_t)} +\ldots \right]. \]` --> -- The `$m$`th term behaves as `$ e^{i2\pi f_m n \Delta_t} =\cos(2\pi f_m n \Delta_t) +i \sin(2\pi f_m n \Delta_t) $`, where `$f_m\equiv m/N \Delta_t$`. Note that in the literature, `$\Delta_t$` is often set to one, and thus omitted, leading to a lot of confusion (including for me!). The quantity `$f_m\equiv m/N \Delta_t$` is called the `$m$`th *Fourier frequency*. The *period* associated with `$f_m$` is `$1/f_m=\Delta_t N/m$`. Thus `$m$` tells us the *number of oscillations* contained in the length `$N \Delta_t$` time series. <!--The next slides illustrate continuously sampling, versus discretely sampling with unit and non-unit sample interval. --> --- class: center, .toc[[&#10023;](#toc)] # Continuous Time `$\cos(2\pi f_m t)$` and `$\sin(2\pi f_m t)$` `$f_m=0,$` `$1/100,$` `$2/100,$` `$3/100\quad\quad$` `$t=[0\ldots 100]$` <img style="width:75%" src="./figures/sinesandcosines.png"> --- class: center, .toc[[&#10023;](#toc)] # Discrete Time `$\cos(2\pi f_m n \Delta_t)$` and `$\sin(2\pi f_m n \Delta_t)$` `$f_m=0,$` `$1/100,$` `$2/100,$` `$3/100\quad$` `$n=0,1,2,\dots 99\quad$` `$\Delta_t = 1$` <img style="width:75%" src="./figures/sinesandcosines_discrete.png"> --- class: center, .toc[[&#10023;](#toc)] # The Nyquist Frequency The single most important frequency is the *highest resolvable* frequency, the *Nyquist frequency*. `$f^\mathcal{N} \equiv \frac{1}{2\Delta_t} = \frac{1}{2}\cdot\frac{1}{\Delta_t}\quad\quad \omega^\mathcal{N} \equiv \frac{1}{2}\cdot\frac{2\pi}{\Delta_t}=\frac{\pi}{\Delta_t}$` <img style="width:80%" src="./figures/nyquistfrequency.png "> The highest resolvable frequency is *half* the *sampling rate* or *one cycle per two sampling intervals*. `$e^{i2\pi f^{\mathcal{N}} n \Delta_t}=e^{i2\pi \cdot 1/(2\Delta_t) \cdot n\Delta_t}=e^{i\pi n} = (-1)^n = 1,-1,1,-1,\dots $` Note that there is no &ldquo;sine&rdquo; component at Nyquist in the Fourier series! <!-- class: center, .toc[[&#10023;](#toc)] # Non-Unit Sample Interval--> <!-- `$\cos(2\pi f_m n\Delta)$` and `$\sin(2\pi f_m n \Delta)$` `$f_m=0,$` `$1/100,$` `$2/100,$` `$3/100\quad\quad$` `$n=0,1,2,\dots 99\quad\quad$` `$\Delta=10$`--> <!--<img style="width:85%" src="./figures/sinesandcosines_discrete.png">--> --- class: center, .toc[[&#10023;](#toc)] # The Rayleigh Frequency The second most important frequency is the *lowest resolvable* frequency, the *Rayleigh frequency*. `$f^\mathcal{R} \equiv \frac{1}{N\Delta_t}\quad\quad \omega^\mathcal{R} \equiv \frac{2\pi}{N\Delta_t}$` <img style="width:85%" src="./figures/rayleighfrequency.png "> The lowest resolvable frequency is one cycle over the *entire record*. Here the sample interval `$\Delta_t=1$` and the number of points is `$N=10$`. <!-- If we think of the data as a vibrating string, the Rayleigh frequency is the *first overtone*. The fundamental does not appear in the DFT. --> --- class: left, .toc[[&#10023;](#toc)] # Importance of Rayleigh The Rayleigh frequency `$f^\mathcal{R}$` is important because it gives the *spacing between* the Fourier frequencies: `$f_0=0$`, `$f_1=\frac{1}{N\Delta_t}$`, `$f_2=\frac{2}{N\Delta_t},\ldots$` `$\quad\quad f_n=n\,f^\mathcal{R},\quad\quad f^\mathcal{R}=\frac{1}{N\Delta_t}$` Thus, it controls the *frequency-domain resolution*. If you want to distiguish between two closely spaced peaks, you need the dataset *duration* to be sufficiently *large* so that the Rayleigh frequency is sufficiently *small*. -- As an example, the two principal semi-diurnal tidal &ldquo;species&rdquo; have period of 12 h (M`$_2$`) and 12.4206012 h (S`$_2$`). The minimum record length to distinguish the two frequencies is thus `\[N \Delta_t = \frac{1}{f^\mathcal{R}} = \frac{1}{f^{S_2} - f^{M_2}} =\frac{1}{\frac{1}{12} - \frac{1}{12.4206012}} = 354.36 \text{ hours}.\]` --- class: left, .toc[[&#10023;](#toc)] # Rayleigh and Nyquist frequencies The ratio of the Rayleigh to Nyquist frequencies tells you how many *different frequencies* you can resolve. `\[\frac{f^\mathcal{N}}{f^\mathcal{R}}=\frac{N\Delta_t}{2\Delta_t}=\frac{N}{2}\]` So why do we have `$N$` frequencies in the sum for the complex Fourier series? `\[ x_n = \frac{1}{N \Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi m n/N}\]` --- class: left, .toc[[&#10023;](#toc)] #The Fourier Frequencies The first few Fourier frequencies `$f_m=m/(N\Delta_t)$` are: `\[f_0=\frac{0}{N\Delta_t},\quad f_1=\frac{1}{N\Delta_t}, \quad f_2=\frac{2}{N\Delta_t},\ldots\]` while the last few are `\[\ldots,f_{N-2}=\frac{N-2}{N\Delta_t}=\frac{1}{\Delta_t}-\frac{2}{N\Delta_t},\quad f_{N-1}=\frac{N-1}{N\Delta_t}=\frac{1}{\Delta_t}-\frac{1}{N\Delta_t}.\]` But notice that the last Fourier exponential term is `\[e^{i2\pi f_{N-1} n\Delta_t} = e^{i2\pi (N-1) n/N}=e^{i2\pi n}e^{-i2\pi n/N}=e^{-i2\pi n/N} = e^{-i2\pi f_1 n \Delta_t}\]` because `$e^{i2\pi n}=1$` for all integers `$n$`! Frequencies higher than the Nyquist cannot appear due to our sample rate. Therefore, these terms instead specify terms that have a frequency *less than* the Nyquist but that rotate in the *negative* direction. --- class: left, .toc[[&#10023;](#toc)] #The Fourier Frequencies In the vicinity of `$m=N/2$`, for even `$N$`, we have `\[f_{N/2-1}=\frac{1}{2\Delta_t}-\frac{1}{N\Delta_t},\quad f_{N/2}=\frac{1}{2\Delta_t}, \quad f_{N/2+1}=\frac{1}{2\Delta_t}+\frac{1}{N\Delta_t},\ldots\]` but actually the first frequency higher than the Nyquist is the *highest negative frequency*: `\[f_{N/2-1}=\frac{1}{2\Delta_t}-\frac{1}{N\Delta_t},\quad f_{N/2}=\frac{1}{2\Delta_t}, \ldots \]` `\[f_{N/2+1} = -f_{N/2-1} =-\left(\frac{1}{2\Delta_t}-\frac{1}{N\Delta_t}\right),\ldots.\]` Thus the positive frequencies and negative frequencies are both increasing *toward the middle* of the Fourier transform array. For this reason Matlab provides <tt>fftshift</tt>, to shifts the zero frequency, *not* the Nyquist, to be in the middle of the array. --- class: left, .toc[[&#10023;](#toc)] #One-Sided vs. Two-Sided There exists two strictly equivalent representations, *two-sided* and *one-sided*, of the discrete Fourier transform: `\begin{eqnarray} x_n&=&\frac{1}{N\Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi m n/N},\\ x_n&=& \frac{1}{N\Delta_t}X_0 + \frac{2}{N\Delta_t}\sum_{m=1}^{N/2-1} A_m \cos\left(2\pi m n/N +\Phi_m\right) + X_{N/2} (-1)^n, \end{eqnarray}` where `$A_m$` and `$\Phi_m$` are an *amplitude* and *phase*, with `$X_m = A_m e^{i \Phi_m}$`. The two-sided representation is more compact mathematically. For real-valued `$x_n$`, the one-sided representation is more intuitive as it expresses `$x_n$` as a sum of *phase-shifted* cosinusoids. -- A price of the one-sided form is that even and odd `$N$` are somewhat different! The expression above is for even-valued `$N$`. <!--For a *complex-valued* discrete times series $z_n$ is *complex-valued*, there is no one-sided form, and the two-sided form is exactly what you want.--> --- class: left, .toc[[&#10023;](#toc)] #The Forward DFT So? How do we know the values of the Fourier coefficients `$X_m$`? It can be shown that: `\[X_m = \Delta_t \sum_{n=0}^{N-1}x_n e^{-i2\pi m n/N}\]` This is called the *discrete Fourier transform* of `$x_n$`. The DFT *transforms* `$x_n$` from the time domain to the frequency domain. The DFT *defines* a sequence of `$N$` complex-valued numbers, `$X_m$`, for `$m=0,1,2,\ldots N-1$`, which are termed the *Fourier coefficients.* In Matlab, the discrete Fourier transform defined above is computed by <tt>fft(x)</tt>`$\times \Delta_t $`. --- class: left, .toc[[&#10023;](#toc)] #The Inverse DFT In fact, `\[x_n \equiv \frac{1}{N\Delta_t}\sum_{m=0}^{N-1}X_m e^{i2\pi m n/N}\]` is called the *inverse discrete Fourier transform.* It expresses how `$x_n$` may be *constructed* using the Fourier coefficients multiplying complex exponentials&mdash;or, as we saw earlier, phase-shifted cosinusoids. --- class: left, .toc[[&#10023;](#toc)] #The Spectrum **One of several definitions** of the *spectrum*, or *spectral density function*, at frequency `$f_m$`, is: `\[S(f_m) \equiv \lim_{N \rightarrow \infty} E\left\{ \frac{|X_m|^2}{N} \right\}.\]` `$E\{\cdot\}$` is called the *expectation*, it is a conceptual &ldquo;average&rdquo; over a statistical ensemble, and it cannot obtained in practice. -- Formally, the function `$S$` is defined for all frequencies `$f$`, not only `$f_m$`, but as `$N \rightarrow \infty$`, the Rayleigh frequency `$1/N\Delta_t$` becomes infinitesimally small, and all frequencies are obtained. -- However, `$N \rightarrow \infty$` is not achievable ... Therefore, one aspect of spectral analysis is to find an acceptable **estimate** of the true, unknown, spectrum `$S(f)$` of the process `$x(t)$`. --- class: left, .toc[[&#10023;](#toc)] #The Parseval Theorem A very important theorem is *Parseval's theorem* which takes the following form for the discrete case: `\[\Delta_t \sum_{n=0}^{N-1} |x_n|^2 = \frac{1}{N\Delta_t} \sum_{m=0}^{N-1} |X_m|^2.\]` When `$\widehat{\mu}_x=0$`, this theorem shows that the total **variance** of `$x_n$` is recoverable from the sum of absolute Fourier coefficients squared. Which can be interpreted as saying that the spectrum gives you the distribution of the variance as a function of frequency. <!-- The continuous-time, continuous-frequency, version of Parseval's theorem implies is --> <!-- `\begin{equation} --> <!-- \int_{-\infty}^{+\infty}|x(t)|^2\,dt = \int_{-\infty}^{+\infty}|X(f)|^2\,df \quad \text{for}\quad \int_{-\infty}^{+\infty}|x(t)|\,dt < \infty --> <!-- \end{equation}` --> --- class: left, .toc[[&#10023;](#toc)] #Spectral Estimates The simplest way to estimate the *spectrum* `$S(f)$` function of frequency `$f$` is to simply take the modulus squared of the Fourier transform, `\[\widehat{S}(f_m) = \widehat{S}_m\equiv \frac{1}{N}\left|X_m\right|^2,\quad\quad m=0, 1, 2, \ldots,(N-1).\]` This quantity is known as the *periodogram*. Note that the Matlab <tt>fft(x)</tt> command assumes `$\Delta_t = 1$` so you need to plot <tt>abs(fft(x))</tt>`$^2\times \Delta_t /N$`. As we shall see, the periodogram is *not* the spectrum! It is an *estimate* of the spectrum&mdash;and generally speaking, a very poor one. It is also said to be the *naive* spectral estimate, meaning it is the spectral estimate that you get if you don't know that there is something better. Please do not use the periodogram in your publications. --- class: left, .toc[[&#10023;](#toc)] #The Multitaper Method An alternate spectral estimate called the *multitaper* method. Here is a quick sketch of this method. We form a set of `$K$` different sequences the same length as the data, that is, having `$N$` points in time. These sequences are chosen from a special family of functions that is closely related to familiar orthogonal functions, e.g. the Hermite functions. These `$K$` different sequences are denoted as `$\psi_n^{\{k\}}$` for `$k=1,2,\ldots K$.` For each of these sequence, we form a spectral estimate as `\[\widehat S_m^{\{k\}}\equiv \left|\Delta_t \sum_{n=0}^{N-1} \psi_n x_n\, e^{-i 2\pi m n/N}\right|^2,\quad\quad n=0, 1, 2, \ldots,(N-1).\]` which involves *multiplying* the data by the sequence `$\psi_n^{\{k\}}$` *before* taking the Fourier transform. --- class: left, .toc[[&#10023;](#toc)] #The Multitaper Method The action of multiplying the data by some sequence before Fourier transforming it, as in `\[\widehat S_m^{\{k\}}\equiv \left|\Delta_t \sum_{n=0}^{N-1} \psi_n x_n\, e^{-i 2\pi m n/N}\right|^2,\quad\quad n=0, 1, 2, \ldots,(N-1)\]` is called *tapering*. The goal is to reduce the **bias** (systematic error) of the spectral estimate. These `$K$` different individual estimates (aka *eigenspectra*), are combined into one *average* spectral estimate, in order to reduce the **variance** (random error) of the estimate `\[\widehat S_m^{\psi}\equiv \frac{1}{K}\sum_{k=1}^K\widehat S_m^{\{k\}}.\]` The multitaper method therefore involves two steps: (i) *tapering* the data, and (ii) *averaging* over multiple individual spectral estimates. --- class:center, .toc[[&#10023;](#toc)] #The Taper Functions <img style="width:85%" src="./figures/tapers.png"> `Here $K=5$` *Slepian* tapers are shown. These are orthogonal functions that become more oscillatory for increasing `$K$.` --- class: left, .toc[[&#10023;](#toc)] #The Multitaper Method The multitaper method controls the degrees of spectral *smoothing* and *averaging* through changing the properties of the tapers. The multitaper method is generally the favorite spectral analysis method among those researchers who have thought the most about spectral analysis. It is recommended because **(i)** it avoids the deficiencies of the periodogram, **(ii)** it has, in a certain sense, provable optimal properties, **(iii)** it is very easy to implement and adjust, **(iv)** it allows an estimate of the spectrum for the period equal to the length of your time series (no need to divide up your time series as for the Welch's method!). See .cite[Thomson (1982)], .cite[Park et al. (1987)], and .cite[Percival and Walden, *Spectral Analysis for Physical Applications*]. <!-- A very nice introductory paper is Park et al. (1987), &ldquo;Frequency-dependent polarization analysis of high-frequency seismograms&rdquo;, *Journal of Geophysical Research C*. --> <!--.cite[Thomson (1982), Park et al. (1987a) ] --> --- class: left, .toc[[&#10023;](#toc)] #Example Agulhas current boundary transport from .cite[ Beal, L. M. and S. Elipot, Broadening not strengthening of the Agulhas Current since the early 1990s, Nature, 540, 570573, [doi:10.1038/nature19853](http://dx.doi.org/10.1038/nature19853)] <center><img style="width:100%" src="./figures/agulhas_timeseries.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Example: periodogram Linear plot <img style="width:90%" src="./figures/agulhas_spectrum_periodogram_linlin.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: periodogram Log-log plot <img style="width:100%" src="./figures/agulhas_spectrum_periodogram_loglog.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Effect of first taper <img style="width:100%" src="./figures/agulhas_taper_1.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Second taper <img style="width:100%" src="./figures/agulhas_taper_2.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Third taper <img style="width:100%" src="./figures/agulhas_taper_3.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Fourth taper <img style="width:100%" src="./figures/agulhas_taper_4.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Fifth taper <img style="width:100%" src="./figures/agulhas_taper_5.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Fifth taper <img style="width:100%" src="./figures/agulhas_taper_5.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: multitaper Eigen spectra (colors) and multitaper estimate (black) <img style="width:100%" src="./figures/agulhas_spectrum_multitaper_loglog.png"> --- class: left, .toc[[&#10023;](#toc)] #Example: period. vs mt Periodogram (gray) vs multitaper (black) <img style="width:100%" src="./figures/agulhas_spectrum_loglog.png"> --- class: left, .toc[[&#10023;](#toc)] ## Uncertainty of the spectrum It can be shown (not here) that the estimate of the spectrum with `$K$` tapers `$$ \widehat{S}(\omega) \sim S(\omega)\frac{\chi^2_{2K}}{2K} $$` -- As such, a `$(1-\alpha)100\%$` CI is `$$ \left[ \frac{2 K \widehat{S}(\omega)}{\chi^2_{2K;\alpha/2}} < S(\omega) < \frac{2 K \widehat{S}}{\chi^2_{2K;1-\alpha/2}}\right] $$` -- This means that you **multiply** `$\widehat{S(\omega)}$` by `${2 K}/{\chi^2_{2K;\alpha/2}}$` to get the lower bound and similarly for the upper bound. -- If you plot your estimates on a logarithmic scale, you obtain `$$ \left[ \log \left(\frac{2 K }{\chi^2_{2K;\alpha/2}}\right) + \log \widehat{S} < \log S < \log \left(\frac{2 K}{\chi^2_{2K;1-\alpha/2}}\right) + \log \widehat{S}\right] $$` --- class: left, .toc[[&#10023;](#toc)] ## Uncertainty of the spectrum Periodogram (left) and multitaper (right) estimate with CIs on linear-linear scales <img style="width:90%" src="./figures/agulhas_spectrum_linlin_ci.png"> --- class: left, .toc[[&#10023;](#toc)] ## Uncertainty of the spectrum Multitaper estimate with CIs on log-log scales Periodogram (left) and multitaper (right) estimate with CIs on log-log scales <img style="width:90%" src="./figures/agulhas_spectrum_loglog_ci.png"> --- name: bivariate class: center, middle, .toc[[&#10023;](#toc)] # 4. Bivariate time series --- class: left, .toc[[&#10023;] #Vector and complex notations What if your process of interest is composed of two time series, let's say `$x(t)$` and `$y(t)$`? As in the vector components of ocean currents or atmospheric winds: `\begin{eqnarray} \mathbf{z}(t) = \left[ \begin{matrix} x(t) \\ y(t) \end{matrix}\right] \end{eqnarray}` Often, a *bivariate* time series is conveniently written as a complex-valued time series: `\[ z(t) = x(t) + i y(t) = |z(t)| e^{i \arg{(z)}},\]` where `$i = \sqrt{-1}$` and `$\arg{(z)}$` is the *complex argument* (or polar angle) of `$z$` in the interval `$[-\pi,+\pi]$`. --- class: left, .toc[[&#10023;](#toc)] #The Mean of Bivariate Data The sample mean of the vector time series `$\mathbf{z}_n$` is also a vector, `\[\mathbf{\mu}_\mathbf{z} \equiv \frac{1}{N}\sum_{n=0}^{N-1}\mathbf{z}_n=\begin{bmatrix} \widehat{\mu}_x \\ \,\widehat{\mu}_y\,\end{bmatrix}\]` that consists of the *sample means* of the `$x_n$` and `$y_n$` components of `$\mathbf{z}_n$`. --- class: left, .toc[[&#10023;](#toc)] #Variance of Bivariate Data The *variance* of the vector-valued times series `$\mathbf{z}_n$` is not a scalar or a vector, it is a `$2\times 2$` *matrix* `\[\mathbf{\Sigma}\equiv \frac{1}{N}\sum_{n=0}^{N-1}\left(\mathbf{z}_n-\mathbf{\mu}_\mathbf{z}\right)\left(\mathbf{z}_n-\mathbf{\mu}_\mathbf{z}\right)^T \]` where &ldquo;`$T$`&rdquo; is the *matrix transpose*, `$\mathbf{z}_n =\begin{bmatrix} x_n \\ y_n \end{bmatrix}$`, `$\mathbf{z}_n^T =\begin{bmatrix} x_n & y_n \end{bmatrix}$`. Carrying out the matrix multiplication leads to `\[\mathbf{\Sigma}= \frac{1}{N}\sum_{n=0}^{N-1} \begin{bmatrix} \left(x_n-\widehat{\mu}_x\right)^2 & \left(x_n-\widehat{\mu}_x\right)\left(y_n-\widehat{\mu}_y\right)\\ \left(x_n-\widehat{\mu}_x\right)\left(y_n-\widehat{\mu}_y\right) &\left(y_n-\widehat{\mu}_y\right)^2 \end{bmatrix} \]` The diagonal elements of `$\mathbf{\Sigma}$` are the sample variances `$\sigma_x^2$` and `$\sigma_y^2$`, while the off-diagonal gives the *covariance* between `$x_n$` and `$y_n$`. Note that the two off-diagonal elements are identical. --- class: left, .toc[[&#10023;](#toc)] # Fourier transform The Fourier theory presented earlier for *scalar* time series is completely applicable to complex-valued time series, in discrete form (`$N$` even): `\begin{eqnarray} z_n & = & \frac{1}{N \Delta_t}\sum_{m=0}^{N/2} Z_m e^{i2\pi m n/N} & + \frac{1}{N \Delta_t}\sum_{m=N/2+1}^{N-1} Z_m e^{i2\pi m n/N}\\ & = & \frac{1}{N \Delta_t}\sum_{m=0}^{N/2} Z^+_m e^{i2\pi m n/N} & + \frac{1}{N \Delta_t}\sum_{m=1}^{N/2-1} Z^-_m e^{-i2\pi m n/N}. \end{eqnarray}` The first sum corresponds to **positive** frequencies, and the second sum to the associated **negative** frequencies (except the zero and Nyquist frequencies for `$m=0,N/2$`). --- class: left, .toc[[&#10023;](#toc)] #Rotary Spectra `\begin{equation} z_n = \frac{1}{N \Delta_t}\sum_{m=0}^{N/2} Z^+_m e^{i2\pi m n/N} + \frac{1}{N \Delta_t}\sum_{m=1}^{N/2-1} Z^-_m e^{-i2\pi m n/N}. \end{equation}` This introduces the concept of *rotary spectrum*: `\begin{eqnarray} S(f_m>0) \equiv S^+(f_m) & \equiv & \lim_{N \rightarrow \infty} E\left\{ \frac{|Z^+_m|^2}{N} \right\} \quad \text{counterclockwise spectrum,}\\ S(f_m<0) \equiv S^-(-f_m) & \equiv & \lim_{N \rightarrow \infty} E\left\{ \frac{|Z^-_m|^2}{N} \right\} \quad \text{clockwise spectrum.}\\ \end{eqnarray}` `\[f_m = \frac{m}{N\Delta_t}, \quad m = 0,\ldots,N/2\]` This is very useful in geophysical fluid mechanics because counterclockwise motions are *cyclonic* in the northern hemisphere and clockwise motions are *anticyclonic*, and vice-versa in the southern hemisphere. --- class: left, .toc[[&#10023;](#toc)] #Rotary variance Imagine you have only two opposite components present in your time series at frequency `$f_k$`: `\begin{eqnarray} z_n & = & Z_k^+ e^{i2\pi k n /N} + Z_k^- e^{-i2\pi k n /N} \\ & = & \left\{A^+ e^{i \phi^+} \right\} e^{i2\pi k n /N} + \left\{A^- e^{i \phi^-}\right\}e^{-i2\pi k n /N} \\ & = & e^{i\theta}\left\{ A \cos (2\pi k n/N + \phi) + i B \sin(2\pi k n/N + \phi) \right\} \end{eqnarray}` where `\begin{eqnarray} \theta & = & (\phi^+-\phi^-)/2\\ \phi & = & (\phi^++\phi^-)/2\\ A&=& A^++A^-\\ B &= & A^+-A^-. \\ \end{eqnarray}` --- class: left, .toc[[&#10023;](#toc)] #Elliptic variance `\[ z_n = e^{i\theta}\left\{ A \cos (2\pi k n/N + \phi) + i B \sin(2\pi k n/N + \phi) \right\}\]` This is the equation for an ellipse oriented at an angle `$\theta$` from the `$x$` axis, with semi-major and semi-minor axes $A$ and $B$, respectively, rotating at frequency $f_k = k/(N\Delta_t)$, in the direction given by the sign of `$B$`. <center><img style="width:30%" src="./figures/ellipseschematic.png"></center> See more details about elliptic variance in JML's Oslo lectures. --- class: left, .toc[[&#10023;](#toc)] #Cartesian Spectra Rotary and Cartesian spectra are two alternate representation of the variance of the complex time series: `\begin{equation} z_n = \frac{1}{N \Delta_t}\sum_{m=0}^{N/2} Z^+_m e^{i2\pi m n/N} + \frac{1}{N \Delta_t}\sum_{m=1}^{N/2-1} Z^-_m e^{-i2\pi m n/N}. \end{equation}` `\begin{equation} \widehat{S}^+_m \equiv \frac{1}{N}\left|Z^+_m\right|^2, \quad \widehat{S}^-_m \equiv \frac{1}{N}\left|Z^-_m\right|^2 \quad \text{Rotary spectra estimates} \end{equation}` `\begin{equation} z_n = x_n+ i y_n = \frac{1}{N \Delta_t}\sum_{m=0}^{N-1} X_m e^{i2\pi m n/N} + i \left\{ \frac{1}{N \Delta_t}\sum_{m=0}^{N-1} Y_m e^{i2\pi m n/N}\right\}. \end{equation}` `\begin{equation} \widehat{S}^x_m \equiv \frac{1}{N}\left|X_m\right|^2, \quad \widehat{S}^y_m \equiv \frac{1}{N}\left|Y_m\right|^2 \quad \text{Cartesian spectra estimates} \end{equation}` --- class: left, .toc[[&#10023;](#toc)] #Parseval theorem For bivariate data, the discrete form of the Parseval theorem takes the form: `\begin{eqnarray} \Delta_t \sum_{n=0}^{N-1} |z_n|^2 = \frac{1}{N\Delta_t} \sum_{m=0}^{N-1} |Z_m|^2 & = & \frac{1}{N\Delta_t} \sum_{m=0}^{N-1} |X_m|^2 + \frac{1}{N\Delta_t} \sum_{m=0}^{N-1} |Y_m|^2\\ & = & \frac{1}{N\Delta_t} \sum_{m=0}^{N/2} |Z^+_m|^2 + \frac{1}{N\Delta_t} \sum_{m=1}^{N/2-1} |Z^-_m|^2 \\ \end{eqnarray}` -- This shows that the total variance of the bivariate process is recovered completely by the Cartesian, or rotary Fourier representation. --- class: left, .toc[[&#10023;](#toc)] #Example Hourly current meter record at 110 m depth from the Bravo mooring in the Labrador Sea, .cite[Lilly and Rhines (2002)] <center><img style="width:55%" src="./figures/bravomap.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Example 1 Hourly current meter record at 110 m depth from the Bravo mooring in the Labrador Sea, .cite[Lilly and Rhines (2002)] <center><img style="width:85%" src="./figures/mybravo.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Example 1 Hourly current meter record at 110 m depth from the Bravo mooring in the Labrador Sea, .cite[Lilly and Rhines (2002)] <center><img style="width:85%" src="./figures/mybravozoomed.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Observable Features 1. The data consists of two time series that are similar in character. 1. Both time series present a superposition of scales. 1. At the smallest scale, there is an apparently oscillatory roughness which changes its amplitude in time. 1. A larger scale presents itself either as localized features, or as wavelike in nature. 1. Several sudden transitions are associated with isolated events. 1. Zooming in, we see the small-scale oscillatory behavior is sometimes `$90^\circ$` degrees out of phase, and sometimes `$180^\circ$`. 1. The amplitude of this oscillatory variability changes with time. The fact that the oscillatory behavior is not consistently `$90^\circ$` out of phase removes the possibility of these features being purely inertial oscillations. The amplitude modulation suggests tidal beating. -- The isolated events are eddies, which cause the currents to suddenly rotate as they pass by. The oscillations are due to tides and internal waves. --- class: left, .toc[[&#10023;](#toc)] #Cartesian vs Rotary Spectra <center><img style="width:100%" src="./figures/bravospectraperiodogram.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Cartesian vs Rotary Spectra <center><img style="width:100%" src="./figures/bravospectramultitaper.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Cartesian vs Rotary Spectra <center><img style="width:100%" src="./figures/bravospectraperiodogramzoomed.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Cartesian vs Rotary Spectra <center><img style="width:100%" src="./figures/bravospectramultitaperzoomed.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Example Global zonally-averaged rotary spectra from hourly drifter velocities, see [Elipot et al. 2016](#http://dx.doi.org/10.1002/2016JC011716). <center><img style="width:50%" src="./figures/elipotspectra2016.png"></center> --- name: filtering class: center, middle, .toc[[&#10023;](#toc)] # 5. Filtering and other topics --- class: left, .toc[[&#10023;](#toc)] # Continuous Fourier We have considered the FT for a discrete time series `$x_n$`: `$$ x_n = \frac{1}{N\Delta_t}\sum_{m=0}^{N-1}X_me^{2\pi mn/N}, \quad X_m = \Delta_t \sum_{n=0}^{N-1}x_n e^{-i2\pi m n/N} $$` -- but it extends to continuous time series `$x(t)$`: `$$ \begin{equation} x(t) =\frac{1}{2\pi} \int_{-\infty}^{\infty} X(\omega)\, e^{i\omega t} d\omega,\quad\quad X(\omega)\equiv \int_{-\infty}^{\infty} x(t)\, e^{-i\omega t} d t. \end{equation} $$` Note that here we are using radian frequency `$\omega$`. -- The continuous notation is easier to understand the mechanics of *filtering* a time series, as well as spectral *blurring*. --- class: left, .toc[[&#10023;](#toc)] ## The Spectrum (revisited) An alternative definition of the spectrum `$S(\omega)$` is that it is the Fourier transform of the autocorrelation function `$R(\tau)$`: `\[ S(\omega) \equiv \int_{-\infty}^\infty e^{-i \omega \tau} R(\tau) d\tau , \quad\quad R (\tau) = \frac{1}{2\pi}\int_{-\infty}^\infty e^{i \omega \tau} S(\omega) \, d\omega \]` -- This is called the *Wiener–Khintchine theorem*. The spectrum and the autocorrelation function are *Fourier transform pairs*. While both are essentially equivalent in that they capture the *same* second-order statistical information in different forms, the spectrum turns out to generally be far more illuminating, as well as easier to work with in practice. -- But the true autocorrelation function is not observable unless we have (i) infinite time and (ii) access to an abstract set of other universes where things might have happened differently! --- exclude: true class: left, .toc[[&#10023;](#toc)] #Aliasing Any spectral estimate is distorted from `$S(\omega)$` in two important ways. The first is through *aliasing*. Imagine that our time series extends at discrete times into the infinite past and future, that is, we have `$z_n=z(n\Delta)$` for *all* positive and negative integers `$n$`, but not in between those times. In this case, it turns out that the spectrum can still be considered a function of continuous frequency `$\omega$`, but *only* up to the Nyquist at `$\omega=\pm \pi/\Delta_t$`. (Recall that `$f=1/(2\Delta_t)$` is the same as `$\omega= \pi/\Delta_t$`.) It can be shown (but not right now) that the spectrum then becomes `\[\sum_{p=-\infty}^{\infty }S\left(\omega + p \frac{2\pi }{\Delta_t} \right) \equiv S^{\Delta}(\omega)\]` which states that all frequencies higher or lower than `$\omega=\pm \pi/\Delta_t$` are *wrapped around* to the next resolved frequency. <!--The *aliased spectrum* `$ S^{\Delta}(\omega)$` is the best you can hope for from finitely sample data, even if you are very patient.--> --- class: left, .toc[[&#10023;](#toc)] # The Convolution Integral The *convolution* `$h(t)$` of a function `$f(t)$` and `$g(t)$` is defined as: `\[ h(t)\equiv \int_{-\infty}^{\infty} f(\tau) g(t-\tau) d\tau.\]` Note that in convolution, the order does not matter and we can show that `\[ h(t)\equiv \int_{-\infty}^{\infty} g(\tau) f(t-\tau) d\tau\]` This mathematical operation is actually what is being done when &ldquo;smoothing&rdquo; data. (It is like sliding the iron on the tablecloth, or pulling the tablecloth under a static iron). --- class: left, .toc[[&#10023;](#toc)] # Convolution Theorem The *convolution theorem* states convolving `$f(t)$` and `$g(t)$` in the time domain is the same as a *multiplication* in the frequency domain. Let `$F(\omega)$` and `$G(\omega)$` be the Fourier transforms of `$f(t)$` and `$g(t)$`, respectively. It can be shown that if `\[h(t)= \int_{-\infty}^{\infty} f(\tau) g(t-\tau) d\tau\]` then the fourier transform of `$h(t)$` is `\[ H(\omega) = F(\omega) G(\omega).\]` -- This result is key to understand what happens in the Fourier domain when you perform a time-domain smoothing. --- class: left, .toc[[&#10023;](#toc)] #Smoothing Now we consider what happens when we *smooth* the time series `$x(t)$` by the filter `$g(t)$` to obtain a smoothed version `$\widetilde x(t)$` of your time series: `\begin{eqnarray} \widetilde x(t)= \int_{-\infty}^{\infty} x(t-\tau) g(\tau) d\tau & \equiv & \frac{1}{2\pi} \int_{-\infty}^{\infty} \widetilde{X}(\omega) \, e^{i\omega t} d\omega.\\ &=& \frac{1}{2\pi}\int_{-\infty}^{\infty} X(\omega) G(\omega) \, e^{i\omega t} d\omega,\\ \end{eqnarray}` by the convolution theorem. When we perform simple smoothing, we are also reshaping the Fourier transform of the signal by *multiplying* its Fourier transform by that of the smoothing window. --- class: left, .toc[[&#10023;](#toc)] #Three Window examples <center><img style="width:100%" src="./figures/smoothingwindowstime.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Three Tapering Windows <center><img style="width:100%" src="./figures/smoothingwindowsfrequency.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Three Tapering Windows <center><img style="width:100%" src="./figures/smoothingwindowslogfrequency.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Lowpass &amp; Highpass Filters From the convolution theorem, we understand that filtering will keep the frequencies near zero but reject higher frequencies. For this reason they are called *low-pass filters*. The reverse type of filtration, rejecting the low frequencies but keeping the high frequencies, is called *high-pass filtering*. The residual `$\breve x(t)\equiv x(t) -\widetilde x(t)$` is an example of a high-pass filtered time series. In practice, to find the frequency form of your filter, you *pad it with zeros* so that it becomes the same length as your time series, and then you take its discrete Fourier transform. --- class: left, .toc[[&#10023;](#toc)] # Convolution Theorem II This theorem is reciprocal: is your *multiply* in the time domain, you *convolve* in the Fourier domain. It can be shown that if `\[ h(t) = f(t) g(t)\]` then the fourier transform of `$h(t)$` is `\[ H(\omega) = \int_{-\infty}^{\infty} F(\nu) G(\omega -\nu) d\omega.\]` This result is key to understand what happens in the Fourier domain when you try to estimate spectra, i.e. *spectral bluring*, or to design band-pass filters. --- class: left, .toc[[&#10023;](#toc)] # Bandpass filtering We can use the convolution theorem to build a band-pass filter. We want to modify the lowpass filter `$g(t)$` so that its Fourier transform is localized not about zero, but about some non-zero frequency `$\omega_o$`. To do this, we multiply `$g(t)$` by a complex exponential `$g(t) e^{i\omega_o t}$`. It can be shown (see Oslo lectures) that the Fourier transform of `$g(t) e^{i\omega_o t}$` is `$G(\omega-\omega_o)$`, which is localized around `$\omega_o$`. Thus, a convolution with `$g(t) e^{i\omega_o t}$` will *bandpass* the data in the vicinity of `$\omega_o$.` In fact, a lowpass filter is a particular type of bandpass in which the center of the *pass band* has been chosen as zero frequency. --- name: revisited class: left, .toc[[&#10023;](#toc)] #Effect of Truncation Now imagine instead that we have a *continuously* sampled time series of length `$T$`, that is, we have `$z(t)$` but only between times `$-T/2$` and `$T/2$`. This is like multiplying `$z(t)$` by a function `$g(t)$` which is equal to one between `$-T/2$` and `$T/2$` and 0 otherwise: `\[ z_T(t) = g(t) \times z(t) \]` We will denote this truncted version of `$z(t)$` by `$z_T(t)$`. How does the spectrum compare of `$z_T(t)$` compare with that of `$z(t)$`? -- Q. Using one of the windows encountered today, how can we express the relationship between `$z(t)$` and `$z_T(t)$`? -- Q. Therefore, using another theorem learned today, what is the difference between their spectra? --- class: left, .toc[[&#10023;](#toc)] #Spectral Blurring The spectrum of the truncated time series is *blurred* through smoothing with a function `$F_{T}(\omega)$` that is the *square* of the Fourier transform of a boxcar: `\[\widetilde S(\omega) \equiv\frac{1}{2\pi}\int_{-\infty}^\infty S(\nu) \,F_{T}(\nu-\omega)\, d \nu.\]` The smoothing function, which is known as the *Fej&eacute;r kernel* `\[F_T(\omega)\equiv \int_{-T}^{T}\left(1-\frac{|\tau|}{T}\right) \, e^{i\omega\tau} \, d \tau =\frac{1}{T}\frac{\sin^2(\omega T/2)}{(\omega/2)^2}\]` is essentially a squared version of the &ldquo;sinc&rdquo; or `$\sin(x)/x$` function. However, `$\sin(x)/x$` is not a very smooth function at all! --- class: left, .toc[[&#10023;](#toc)] #Multitapering Revisited We can now understand the purpose of multitapering. *Doing nothing* in your spectral estimate is equivalent to *truncating* your data, thus implicitly *smoothing* the true spectrum by an extremely undesirable function! The Fej&eacute;r kernel has a major problem in that it is not *well concentrated*. Its &ldquo;side lobes&rdquo; are large, leading to a kind of error called *broadband bias*. This is the source of the error shown in the motivating example. Next we take a look at three different tapering functions and their squared Fourier transforms. The broadband bias is most clear if we use logarithmic scaling for the `$y$`-axis. --- class: left, .toc[[&#10023;](#toc)] #Three Tapering Windows <center><img style="width:100%" src="./figures/smoothingwindowstime.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Three Tapering Windows <center><img style="width:100%" src="./figures/smoothingwindowsfrequency.png"></center> --- class: left, .toc[[&#10023;](#toc)] #Three Tapering Windows <center><img style="width:100%" src="./figures/smoothingwindowslogfrequency.png"></center> --- name: epilogue class: left, .toc[[&#10023;](#toc)] #Epilogue During the practical session this afternoon we will cover the material presented this morning, as well cover some of the topic of filtering. Thank you! Shane Elipot email: <tt>selipot@rsmas.miami.edu</tt> </textarea> <!-- This is the link to the local copy of Remark --> <script src="./javascript/remark-latest.min.js" type="text/javascript"></script> <!-- See discussion at https://github.com/gnab/remark/issues/222--> <!-- You could alternately use the libraries from remote location --> <!--<script src="https://gnab.github.io/remark/downloads/remark-latest.min.js" type="text/javascript"></script>--> <!-- This is the link to the remote MathJax libraries --> <!-- <script src="http://cdn.mathjax.org/mathjax/latest/MathJax.js?config=TeX-AMS_HTML&delayStartupUntil=configured" type="text/javascript"></script> --> <!-- This is for secure connections --> <!-- <script type="text/javascript" src="https://cdn.mathjax.org/mathjax/latest/MathJax.js?config=TeX-AMS-MML_HTMLorMML"> </script> --> <!-- If you want to run your presentation offline, you need to download the MathJax --> <!-- libraries, then uncomment the line below and comment out the one above.--> <!-- Note: see comment at http://stackoverflow.com/questions/19208536/mathjax-not-working-if-loaded-from-local-js-file-or-if-the-source-code-is-includ--> <script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.1/MathJax.js?config=TeX-AMS_HTML"> </script> <script type="text/javascript"> var slideshow = remark.create({navigation: {click: false}, properties: {class: "center, middle"},countIncrementalSlides: false}); // Setup MathJax MathJax.Hub.Config({ tex2jax: { inlineMath: [['$','$'], ['\\(','\\)']], skipTags: ['script', 'noscript', 'style', 'textarea', 'pre'] } }); MathJax.Hub.Queue(function() { $(MathJax.Hub.getAllJax()).map(function(index, elem) { return(elem.SourceElement()); }).parent().addClass('has-jax'); }); MathJax.Hub.Configured(); </script> </body> </html>
deps/boost_1_77_0/doc/html/boost_asio/reference/ip__basic_resolver/address_configured.html
davehorton/drachtio-server
<html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>ip::basic_resolver::address_configured</title> <link rel="stylesheet" href="../../../../../doc/src/boostbook.css" type="text/css"> <meta name="generator" content="DocBook XSL Stylesheets V1.79.1"> <link rel="home" href="../../../boost_asio.html" title="Boost.Asio"> <link rel="up" href="../ip__basic_resolver.html" title="ip::basic_resolver"> <link rel="prev" href="../ip__basic_resolver.html" title="ip::basic_resolver"> <link rel="next" href="all_matching.html" title="ip::basic_resolver::all_matching"> </head> <body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF"> <table cellpadding="2" width="100%"><tr> <td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../boost.png"></td> <td align="center"><a href="../../../../../index.html">Home</a></td> <td align="center"><a href="../../../../../libs/libraries.htm">Libraries</a></td> <td align="center"><a href="http://www.boost.org/users/people.html">People</a></td> <td align="center"><a href="http://www.boost.org/users/faq.html">FAQ</a></td> <td align="center"><a href="../../../../../more/index.htm">More</a></td> </tr></table> <hr> <div class="spirit-nav"> <a accesskey="p" href="../ip__basic_resolver.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../ip__basic_resolver.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="all_matching.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a> </div> <div class="section"> <div class="titlepage"><div><div><h4 class="title"> <a name="boost_asio.reference.ip__basic_resolver.address_configured"></a><a class="link" href="address_configured.html" title="ip::basic_resolver::address_configured">ip::basic_resolver::address_configured</a> </h4></div></div></div> <p> <span class="emphasis"><em>Inherited from ip::resolver_base.</em></span> </p> <p> <a class="indexterm" name="boost_asio.indexterm.ip__basic_resolver.address_configured"></a> Only return IPv4 addresses if a non-loopback IPv4 address is configured for the system. Only return IPv6 addresses if a non-loopback IPv6 address is configured for the system. </p> <pre class="programlisting">static const flags address_configured = implementation_defined; </pre> </div> <table xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" width="100%"><tr> <td align="left"></td> <td align="right"><div class="copyright-footer">Copyright © 2003-2021 Christopher M. Kohlhoff<p> Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">http://www.boost.org/LICENSE_1_0.txt</a>) </p> </div></td> </tr></table> <hr> <div class="spirit-nav"> <a accesskey="p" href="../ip__basic_resolver.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../ip__basic_resolver.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="all_matching.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a> </div> </body> </html>
_includes/footer.html
bharr/wala.org.au
<footer role="contentinfo" id="site-footer"> <nav role="navigation" class="menu bottom-menu"> <ul class="menu-item"> {% for link in site.data.footer %} {% if link.url contains 'http' %} {% assign domain = '' %} {% else %} {% assign domain = site.baseurl %} {% endif %} <li><a href="{{ domain }}{{ link.url }}" {% if link.url contains 'http' %}target="_blank"{% endif %}>{{ link.title }}</a></li> {% endfor %} </ul> </nav><!-- /.bottom-menu --> <p class="copyright">&#169; {{ site.time | date: '%Y' }} <a href="{{ site.baseurl }}">{{ site.title }}</a> powered by <a href="http://jekyllrb.com">Jekyll</a> + <a href="http://mmistakes.github.io/skinny-bones-jekyll/">Skinny Bones</a>.</p> </footer>
app/components/main-page/main-page.component.css
JohnGeorgiadis/x-formation-test-sample
tr:nth-child(even){ background-color: #EEEEEE; }
app/src/css/main.css
songkong/Selector
* { margin: 0; font: 22px 'Calibri'; } body { width: 100%; height: 100%; background: #82ebc6; } .canvas-wrapper { width: 400px; height: 600px; position: absolute; left: 50%; top: 50%; margin: -300px 0 0 -200px; } .btn-wrapper { display: flex; display: -webkit-flex; justify-content: center; -webkit-justify-content: center; } .btn-primary { width: 150px; padding: 10px 10px; text-align: center; font-size: 36px; color: #82ebc6; font-weight: bolder; background-color: #ffee7e; border-radius: 10px; overflow: hidden; } .menu-wrapper { position: absolute; z-index: 10; /*width: 380px;*/ /*height: 600px;*/ display: flex; display: -webkit-flex; flex-direction: row; -webkit-flex-direction: row ; top: 50%; right: 0; margin-top: -270px; } .btn-menu { width: 80px; height: 50px; color: #82ebc6; background-color: #fff; margin-top: 400px; border-radius: 10px 0 0 10px; display: flex; display: -webkit-flex; align-items: center; -webkit-align-items: center; justify-content: center; -webkit-justify-content: center; } .btn-menu i{ font-size: 34px; } .menu-body { box-sizing: border-box; width: 300px; height: 540px; background-color: #fff; border-radius: 10px 0 0 10px; padding: 25px 20px; overflow: hidden; } .input-wrapper { display: flex; display: -webkit-flex; justify-content: space-between; -webkit-justify-content: space-between; } .menu-input,.btn-add { border: 1px solid #82ebc6; border-radius: 10px; } .menu-input { width: 190px; height: 40px; color: #999; } .btn-add { box-sizing: border-box; line-height: 22px; padding: 10px; background-color: transparent; color: #82ebc6; } .btn-add:hover, .btn-add:active { background-color: #82ebc6; color: #fff; } .menu-detail { height: 450px; margin-top: 5px; padding: 0; overflow-y: scroll; overflow-x: hidden; } .menu-detail .menu-item { /*width: 260px;*/ list-style: none; font-size: 22px; margin: 5px 0 5px 0; padding: 5px 15px 5px 15px; color: #999; display: flex; display: -webkit-flex; justify-content: space-between; -webkit-justify-content: space-between; align-items: center; -webkit-align-items: center; } .menu-detail .menu-item:nth-child(even){ background-color: #fff5db; } @keyframes shake{ 0% { transform: rotate(-15deg); } 50% { transform: rotate(15deg); } 100% { transform: rotate(-15deg); } } @-webkit-keyframes shake{ 0% { -webkit-transform: rotate(-15deg); } 50% { -webkit-transform: rotate(15deg); } 100% { -webkit-transform: rotate(-15deg); } } .menu-detail .menu-item .btn-delete{ font-size: 20px; } .menu-detail .menu-item .btn-delete:hover { animation-name: shake; animation-duration: 2s; -webkit-animation-name: shake; -webkit-animation-duration: 2s; }
src/medicme/ClientApp/app/components/controls/statistics-demo.component.css
zouzou73/medicme
 .chart-container { display: block; } .table-container { } .refresh-btn { margin-right: 10px; } .chart-type-container { display: inline-block; } li.active2 { background-color: #e8e8e8; }
public/index.html
pafford14/angular-w
<!DOCTYPE html> <html lang="en-US" ng-app="angularAddresses"> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Angular Addresses</title> <link rel="stylesheet" href="lib/build.css"> <link rel="stylesheet" href="css/main.css"> </head> <body> <div class="container"> <h3>Hello World!</h3> </div> <script src="lib/build.js"></script> <script src="js/main.js"></script> </body> </html>
open_connect/connect_core/templates/admin_base.html
lpatmo/actionify_the_news
{% extends "base.html" %} {% load static %} {% block bodyclass %}admin full{% endblock bodyclass %} {% block content_header %}{% endblock %} {% block page_content %} <div class="admin-content col-sm-12"> {% block main_area %}{% endblock main_area %} </div> {% endblock %}
blog/2021/12/03/jetpack-compose-slots/index.html
curioustechizen/curioustechizen.github.io
<!DOCTYPE html> <!--[if lt IE 7]> <html class="no-js lt-ie9 lt-ie8 lt-ie7"> <![endif]--> <!--[if IE 7]> <html class="no-js lt-ie9 lt-ie8"> <![endif]--> <!--[if IE 8]> <html class="no-js lt-ie9"> <![endif]--> <!--[if gt IE 8]><!--> <html lang="en" class="no-js" prefix="og: http://ogp.me/ns#"> <!--<![endif]--> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <meta http-equiv="content-language" content="en" /> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1"> <meta name="description" content="A place for discussing anything tech. Old and new. Experiences and Opinions. Questions and rants. Primarily programming-related, but not exclusively."> <title> Effectively using slots in Jetpack Compose | Curious Techizen</title> <link href='http://fonts.googleapis.com/css?family=Roboto:400,700,300,700italic|Source+Code+Pro:400,700' rel='stylesheet' type='text/css'> <link href="https://fonts.googleapis.com/css?family=Fira+Code&display=swap" rel="stylesheet"> <link rel="stylesheet" type="text/css" href="/blog/css/main.css" /> <link href="https://kiranrao.in/blog/feed.xml" type="application/rss+xml" rel="alternate" title="RSS2.0"> <link rel="shortcut icon" href="/blog/favicon.ico"> <!-- Begin Jekyll SEO tag v2.1.0 --> <title>Effectively using slots in Jetpack Compose - Curious Techizen</title> <meta property="og:title" content="Effectively using slots in Jetpack Compose" /> <meta name="description" content="Using slots to avoid having to trickle parameters down the tree of Composables" /> <meta property="og:description" content="Using slots to avoid having to trickle parameters down the tree of Composables" /> <link rel="canonical" href="https://kiranrao.in/blog/2021/12/03/jetpack-compose-slots/" /> <meta property="og:url" content="https://kiranrao.in/blog/2021/12/03/jetpack-compose-slots/" /> <meta property="og:site_name" content="Curious Techizen" /> <meta property="og:image" content="https://kiranrao.in/blog/assets/img/composable_with_slots.png" /> <meta property="og:type" content="article" /> <meta property="article:published_time" content="2021-12-03T20:00:00+01:00" /> <meta name="twitter:card" content="summary_large_image" /> <meta name="twitter:site" content="@ki_run" /> <meta name="twitter:creator" content="@{"name"=>"Kiran Rao", "url"=>"https://kiranrao.in"}" /> <script type="application/ld+json"> {"@context": "http://schema.org", "@type": "BlogPosting", "headline": "Effectively using slots in Jetpack Compose", "image": "https://kiranrao.in/blog/assets/img/composable_with_slots.png", "datePublished": "2021-12-03T20:00:00+01:00", "description": "Using slots to avoid having to trickle parameters down the tree of Composables", "url": "https://kiranrao.in/blog/2021/12/03/jetpack-compose-slots/"}</script> <!-- End Jekyll SEO tag --> <script>if(!sessionStorage.getItem("_swa")&&document.referrer.indexOf(location.protocol+"//"+location.host)!== 0){fetch("https://counter.dev/track?"+new URLSearchParams({referrer:document.referrer,screen:screen.width+"x"+screen.height,user:"curioustechizen",utcoffset:"1"}))};sessionStorage.setItem("_swa","1");</script> <meta name="google-site-verification" content="H8RGMD_f_siP2w-pSgSovLpeKIMac--hZGy47rZWoUM" /> </head> <body> <!--[if lt IE 7]> <p class="chromeframe">You are using an <strong>outdated</strong> browser. Please <a href="http://browsehappy.com/">upgrade your browser</a> or <a href="http://www.google.com/chromeframe/?redirect=true">activate Google Chrome Frame</a> to improve your experience.</p> <![endif]--> <div class="off-canvas"> <figure class="avatar"> <img src="/blog/assets/img/avatar.jpg" alt="Picture" title="That's me, {"name"=>"Kiran Rao", "url"=>"https://kiranrao.in"}."> </figure> <div class="bio"> <h1>Hi, I'm {"name"=>"Kiran Rao", "url"=>"https://kiranrao.in"}.</h1> <p>Android Developer. Tech enthusiast. Serial dabbler.</p> </div> <nav> <h6>Follow me on</h6> <ul> <li><a target="_blank" href="http://twitter.com/ki_run">Twitter</a></li> <li><a target="_blank" href="https://github.com/curioustechizen">Github</a></li> <li><a target="_blank" href="https://plus.google.com/116652261752707476836">Google+</a></li> </ul> </nav> <nav> <h6>Link</h6> <ul> <li><a href="/blog/">Home</a></li> <li><a href="/blog/tags/">Tags</a></li> </ul> </nav> </div> <div class="site-wrapper"> <header> <div class="h-wrap"> <h1 class="title"><a href="/blog/" title="Back to Homepage">Curious Techizen</a></h1> <a class="menu-icon" title="Open Bio"><span class="lines"></span></a> </div> </header> <main> <section class="single-wrap"> <article class="single-content" itemscope itemtype="http://schema.org/BlogPosting"> <div class="feat"> <h5 class="page-date"> <time datetime="2021-12-03T20:00:00+01:00" itemprop="datePublished"> 03 December 2021 </time> </h5> </div> <h1 class="page-title" itemprop="name headline">Effectively using slots in Jetpack Compose</h1> <div itemprop="articleBody"> <p>Jetpack Compose is great for developing UIs for Android (and more!). Declarative UI comes with its own set of problems and quirks though, and that in turn opens the door for idioms and patterns specific to this declarative nature.</p> <p>One such problem with Jetpack Compose is having to pass parameters through from a Composable down to its children (Note: this problem is not specific to Compose, it is also seen with SwiftUI, Flutter and ReactNative). In this post, we’ll look at how to use Composable lambdas (also called “slots”) to improve the situation.</p> <h2 id="example">Example</h2> <p>Let’s look at an example: A screen showing a list of books to buy and a shopping cart. On narrow screens, the list of books takes up the entire width and the shopping cart is placed in a bottom sheet. On wide screens the list of books takes up the first 65% of the screen width while the shopping cart takes up the rest.</p> <p>Here are a couple of screenshots. It does not look pretty, but it serves the purpose of this post.</p> <p><img src="/blog/assets/img/SlotsDemoNarrow.png" alt="Slots demo narrow" style="max-height: 555px; max-width: 270px;" /></p> <p><img src="/blog/assets/img/SlotsDemoWide.png" alt="Slots demo wide" style="max-height: 270px; max-width: 555px;" /></p> <h2 id="implementation">Implementation</h2> <p>Here is how one might implement it (<a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/ui/components/MainScreen.kt#L14-L34">GitHub source</a>):</p> <figure class="highlight"><pre><code class="language-kotlin" data-lang="kotlin"><span class="n">@Composable</span> <span class="k">fun</span> <span class="nf">MainScreen</span><span class="p">(</span><span class="n">mainScreenModel</span><span class="p">:</span> <span class="n">MainScreenModel</span><span class="p">,</span> <span class="n">isWideScreen</span><span class="p">:</span> <span class="n">Boolean</span> <span class="p">=</span> <span class="k">false</span><span class="p">)</span> <span class="p">{</span> <span class="k">if</span> <span class="p">(</span><span class="n">isWideScreen</span><span class="p">)</span> <span class="p">{</span> <span class="n">Row</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">fillMaxHeight</span><span class="p">())</span> <span class="p">{</span> <span class="n">Box</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">weight</span><span class="p">(</span><span class="m">0.65f</span><span class="p">))</span> <span class="p">{</span> <span class="n">BookList</span><span class="p">(</span> <span class="n">books</span> <span class="p">=</span> <span class="n">mainScreenModel</span><span class="p">.</span><span class="n">books</span><span class="p">,</span> <span class="n">onBookAdded</span> <span class="p">=</span> <span class="p">{}</span> <span class="p">)</span> <span class="p">}</span> <span class="n">Box</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">weight</span><span class="p">(</span><span class="m">0.35f</span><span class="p">))</span> <span class="p">{</span> <span class="n">ShoppingCart</span><span class="p">(</span><span class="n">shoppingCartModel</span> <span class="p">=</span> <span class="n">mainScreenModel</span><span class="p">.</span><span class="n">shoppingCartModel</span><span class="p">)</span> <span class="p">}</span> <span class="p">}</span> <span class="p">}</span> <span class="k">else</span> <span class="p">{</span> <span class="n">BottomSheetScaffold</span><span class="p">(</span> <span class="n">sheetContent</span> <span class="p">=</span> <span class="p">{</span> <span class="n">ShoppingCart</span><span class="p">(</span><span class="n">shoppingCartModel</span> <span class="p">=</span> <span class="n">mainScreenModel</span><span class="p">.</span><span class="n">shoppingCartModel</span><span class="p">)</span> <span class="p">}</span> <span class="p">)</span> <span class="p">{</span> <span class="n">BookList</span><span class="p">(</span><span class="n">books</span> <span class="p">=</span> <span class="n">mainScreenModel</span><span class="p">.</span><span class="n">books</span><span class="p">,</span> <span class="n">onBookAdded</span> <span class="p">=</span> <span class="p">{})</span> <span class="p">}</span> <span class="p">}</span> <span class="p">}</span></code></pre></figure> <p>The <code class="highlighter-rouge">MainScreen</code> composable receives the the <a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/data/MainScreenModel.kt"><code class="highlighter-rouge">MainScreenModel</code></a> as a parameter, and it passes pieces of this data to child composables:</p> <ol> <li>The <code class="highlighter-rouge">books</code> property, which is a <code class="highlighter-rouge">List&lt;BookModel&gt;</code>, is passed to the <code class="highlighter-rouge">BookList</code> composable</li> <li>The <code class="highlighter-rouge">shoppingCartModel</code> property is passed to the <code class="highlighter-rouge">ShoppingCart</code> composable.</li> </ol> <p>The <a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/MainActivity.kt#L24">call site</a> is straightforward:</p> <figure class="highlight"><pre><code class="language-kotlin" data-lang="kotlin"><span class="n">MainScreen</span><span class="p">(</span><span class="n">mainScreenModel</span> <span class="p">=</span> <span class="n">sampleMainScreenModel</span><span class="p">)</span></code></pre></figure> <p>In this simple example, it doesn’t look all that bad. However, it starts getting tedious when your MainScreen needs to pass that the same model (and callback lambdas) further down the tree.</p> <h2 id="slots-to-the-rescue">Slots to the rescue</h2> <p>If a Composable accepts another Composable as a parameter, then that parameter is called a slot. Many core composables are designed this way:</p> <ul> <li>All the basic layouts like <code class="highlighter-rouge">Row</code>, <code class="highlighter-rouge">Column</code> and <code class="highlighter-rouge">Box</code> accept a <code class="highlighter-rouge">content</code> parameter that is a Composable lambda.</li> <li>Components like <code class="highlighter-rouge">Button</code> and <code class="highlighter-rouge">Card</code> do the same.</li> <li>More advanced components like Scaffolds accept multiple composable lambdas for different sections of the scaffold. For example, <a href="https://cs.android.com/androidx/platform/tools/dokka-devsite-plugin/+/master:testData/compose/source/androidx/compose/material/BottomSheetScaffold.kt;l=259;drc=6fed3de7a56143de954d55e508a7449deb9af582"><code class="highlighter-rouge">BottomSheetScaffold</code></a> has five(!!) slots for the <code class="highlighter-rouge">sheetContent</code>, <code class="highlighter-rouge">drawerContent</code>, <code class="highlighter-rouge">snackbarHost</code>, <code class="highlighter-rouge">floatingActionButton</code> and the <code class="highlighter-rouge">content</code> itself.</li> </ul> <p>Let’s change our MainScreen composable to accept slots. Here’s the signature:</p> <figure class="highlight"><pre><code class="language-kotlin" data-lang="kotlin"><span class="n">@Composable</span> <span class="k">fun</span> <span class="nf">MainScreen</span><span class="p">(</span> <span class="n">shoppingCartContent</span><span class="p">:</span> <span class="n">@Composable</span> <span class="p">()</span> <span class="p">-&gt;</span> <span class="n">Unit</span><span class="p">,</span> <span class="n">booksContent</span><span class="p">:</span> <span class="n">@Composable</span> <span class="p">()</span> <span class="p">-&gt;</span> <span class="n">Unit</span><span class="p">,</span> <span class="n">isWideScreen</span><span class="p">:</span> <span class="n">Boolean</span> <span class="p">=</span> <span class="k">false</span> <span class="p">)</span></code></pre></figure> <p>What we’ve done here is to accept two Composables as parameters, one each for the shopping cart section and the books list section. Now the <a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/ui/components/MainScreen.kt#L37-L57">implementation changes to this</a>:</p> <figure class="highlight"><pre><code class="language-kotlin" data-lang="kotlin"><span class="n">@Composable</span> <span class="k">fun</span> <span class="nf">MainScreen</span><span class="p">(</span> <span class="n">shoppingCartContent</span><span class="p">:</span> <span class="n">@Composable</span> <span class="p">()</span> <span class="p">-&gt;</span> <span class="n">Unit</span><span class="p">,</span> <span class="n">booksContent</span><span class="p">:</span> <span class="n">@Composable</span> <span class="p">()</span> <span class="p">-&gt;</span> <span class="n">Unit</span><span class="p">,</span> <span class="n">isWideScreen</span><span class="p">:</span> <span class="n">Boolean</span> <span class="p">=</span> <span class="k">false</span> <span class="p">)</span> <span class="p">{</span> <span class="k">if</span> <span class="p">(</span><span class="n">isWideScreen</span><span class="p">)</span> <span class="p">{</span> <span class="n">Row</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">fillMaxHeight</span><span class="p">())</span> <span class="p">{</span> <span class="n">Box</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">weight</span><span class="p">(</span><span class="m">0.65f</span><span class="p">))</span> <span class="p">{</span> <span class="n">booksContent</span><span class="p">()</span> <span class="p">}</span> <span class="n">Box</span><span class="p">(</span><span class="n">Modifier</span><span class="p">.</span><span class="n">weight</span><span class="p">(</span><span class="m">0.35f</span><span class="p">))</span> <span class="p">{</span> <span class="n">shoppingCartContent</span><span class="p">()</span> <span class="p">}</span> <span class="p">}</span> <span class="p">}</span> <span class="k">else</span> <span class="p">{</span> <span class="n">BottomSheetScaffold</span><span class="p">(</span><span class="n">sheetContent</span> <span class="p">=</span> <span class="p">{</span> <span class="n">shoppingCartContent</span><span class="p">()</span> <span class="p">})</span> <span class="p">{</span> <span class="n">booksContent</span><span class="p">()</span> <span class="p">}</span> <span class="p">}</span> <span class="p">}</span></code></pre></figure> <p>Note that now the <code class="highlighter-rouge">MainScreen</code> composable does not pass along <em>any</em> data parameters at all. It now has the focused responsibility of dealing with the layout rather than also having to forward parameters. It only receives parameters that it uses directly (<code class="highlighter-rouge">isWideScreen</code>). The slots it receives are opaque to it and it does not need to know what parameters they need or what callback lambdas they offer.</p> <p>Also note that if you change the signature of either <code class="highlighter-rouge">BookList</code> or <code class="highlighter-rouge">ShoppingCart</code> (add, remove, reorder parameters), <code class="highlighter-rouge">MainScreen</code> does not need to change at all.</p> <p>Here’s what the <a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/SlotsActivity.kt#L27-L39">call site</a> looks like:</p> <figure class="highlight"><pre><code class="language-kotlin" data-lang="kotlin"><span class="n">MainScreen</span><span class="p">(</span> <span class="n">shoppingCartContent</span> <span class="p">=</span> <span class="p">{</span> <span class="n">ShoppingCart</span><span class="p">(</span><span class="n">shoppingCartModel</span> <span class="p">=</span> <span class="n">sampleMainScreenModel</span><span class="p">.</span><span class="n">shoppingCartModel</span><span class="p">)</span> <span class="p">},</span> <span class="n">booksContent</span> <span class="p">=</span> <span class="p">{</span> <span class="n">BookList</span><span class="p">(</span> <span class="n">books</span> <span class="p">=</span> <span class="n">sampleMainScreenModel</span><span class="p">.</span><span class="n">books</span><span class="p">,</span> <span class="n">onBookAdded</span> <span class="p">=</span> <span class="p">{}</span> <span class="p">)</span> <span class="p">},</span> <span class="n">isWideScreen</span> <span class="p">=</span> <span class="k">true</span> <span class="p">)</span></code></pre></figure> <p>You’ll notice that we pushed considerable responsibility to the call site. That brings us to the next topic:</p> <h2 id="when-to-use-slots">When to use slots?</h2> <p>This pattern of using composable slots makes some trade-offs. So it is not the right choice for all situations. In particular, it means the caller of this composable</p> <ul> <li>Is exposed to more knowledge of the inner workings of the composable. In this case, the caller previously did not know that <code class="highlighter-rouge">MainScreen</code> is split into two high-level sections but now it does.</li> <li>Is required to split the data itself rather than having <code class="highlighter-rouge">MainScreen</code> do this job</li> </ul> <p>Because of these factors, slots work best when in the following situations:</p> <ol> <li>You want to hide complexity from the “in-between” levels of the tree of Composable nodes. This means that you have some intermediate composables that you don’t want to be burdened with passing data around</li> <li>You are creating reusable generic layouts or components like Row or Scaffold</li> <li>Near the top of your Composable tree. For example you could have a top-level Composable observe state changes from a ViewModel and instead of dumping the entire composite state object to a Composable, it could partition the state into several sections and pass them as one composable per section.</li> </ol> <p>It is not a good idea to use this technique at all levels though. In particular, when you are near the leaves of your tree of Composable nodes, it is more convenient to pass data parameters. For example, the <a href="https://github.com/curioustechizen/compose-slots-sample/blob/e4dc309521354d690aed63085b867615b7edc519/app/src/main/java/in/kiranrao/slotsdemo/ui/components/ShoppingCart.kt">ShoppingCart composable</a> used in this demo does not use slots.</p> <h2 id="credits">Credits</h2> <p>Thanks <a href="https://twitter.com/adamwp">Adam Powell</a> for explaining the idea of slots and for reviewing this article.</p> </div> <div class="page-tags"> <ul> <li> <a href="/blog/tags/android">Android</a> </li> <li> <a href="/blog/tags/jetpack-compose">Jetpack Compose</a> </li> </ul> </div> <h6 class="back-to-top"><a href="#top">Back to Top</a></h6> <a rel="prev" href="/blog/2021/08/14/hiring-in-tech/" id="prev"> &larr; <span class="nav-title nav-title-prev">older</span> </a> </article> <div id="disqus_thread"></div> <script type="text/javascript"> /* * * CONFIGURATION VARIABLES * * */ var disqus_shortname = 'kiranrao'; /* * * DON'T EDIT BELOW THIS LINE * * */ (function() { var dsq = document.createElement('script'); dsq.type = 'text/javascript'; dsq.async = true; dsq.src = '//' + disqus_shortname + '.disqus.com/embed.js'; (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(dsq); })(); </script> <noscript>Please enable JavaScript to view the <a href="https://disqus.com/?ref_noscript" rel="nofollow">comments powered by Disqus.</a></noscript> </section> </main> <footer> <medium><strong>Disclaimer:</strong> This is a personal blog. The opinions expressed here are my own and do not reflect those of my employer, relatives or any other person or entity.</medium> <br><br> <small>Powered by Jekyll - Theme: <a href="https://github.com/ogaclejapan/materi-for-jekyll">materi</a> - &copy; ogaclejapan</small> </footer> </div> <script src="/blog/js/main.js"></script> </body> </html>
src/themes/dark.css
Aluxian/Messenger-for-Desktop
/* @source https://userstyles.org/styles/112397/facebook-messenger-the-dark-side */ /* Last update: 2017-02-23 */ /* #141823 is Messenger's normal text colour, white is normal background colour */ /* #1E1E1E and #2D2D30 are Visual Studio, don't ask */ h2, h3, h4, h5, h6 { color: #eee; } ._5743, ._4rph ._4rpj { color: white !important; } label, ._1wse { color: #aaa; } /* convo search box, to field (new message, add people), other inputs? */ ._2y8y, ._2y8_, ._4jgt, input._58al, ._55r1 { background-color: #2d2d30 !important; color: white !important; } /* I hate placeholder styling */ input::-moz-placeholder { color: #ccc !important; } input::-webkit-input-placeholder { color: #888 !important; } /* top bars */ ._36ic, ._5742 { background-color: rgba(255, 255, 255, .05) !important; /*border-bottom: none !important;*/ } /* main wrapper */ ._4sp8 { background-color: #1e1e1e !important; color: #eee; } /* detail wrapper */ ._1q5- { border-left-color: rgba(255, 255, 255, .1) !important; } /* receipient/convo name in top bar */ ._17w2 { color: white !important; } /* thread search */ ._33p7 { background-color: rgba(30, 30, 30, 0.9) !important; } /* chat area stuff */ /* beginning of convo info */ ._llq, ._36zg, ._1n-e._36zg { color: #eee !important; } /* message */ ._29_7 ._hh7, ._29_7._-5k ._hh7 { background-color: #2d2d30; } ._29_7 ._hh7 { color: #ddd; } ._hh7 a { color: inherit !important; } ._29_7 ._hh7:active, ._-5k ._hh7, ._29_7 ._hh7>span>a:hover { background-color: #333; } /* own message */ ._o46._nd_ ._hh7 { background-color: #004488; } ._o46._nd_ ._hh7:active, ._o46._nd_._-5k ._hh7 { background-color: #003377; } /* emoji-only messages */ ._hh7._2f5r, ._-5k ._hh7._2f5r { background-color: transparent !important; } /* link info, platform attachment, game leaderboard */ ._5i_d, ._5ssp, ._4ea2 { border-color: rgba(255, 255, 255, .1) !important; } .__6k, .__6l, ._5sr2 { color: #ddd !important; } ._4u4_ > h3, ._4u4- { color: #eee !important; } /* carousel arrow */ ._5x5z, ._5agg, ._5agi { background-color: #2d2d30 !important; border-color: #444 !important; } /* audio message */ ._29_7 ._3czg ._2e-7 ._2e-1, ._29_7 ._3czg ._2e-7 ._2e-2 { background-color: #444 !important; } ._454y ._1mi- { background-color: #2d2d30 !important; } ._454y ._1mj0 { background-color: #666 !important; } ._454y ._1mj1 { border-color: #666 !important; } /* media (e.g. GIFs) source */ ._2f5n { background-color: #2d2d30 !important; } ._2f5n ._29ey { color: #ccc !important; } /* delete bubble button */ ._hw2 ._53ij { background-color: #040404 !important; } /* composer */ ._4rv3 { background-color: #1e1e1e !important; border-top-color: rgba(255, 255, 255, .1) !important; } /* make static stickers slightly more readable */ /* ._2poz[style*="sticker"] { background-color: #333; border-radius: 5px; } */ /* messenger thumb up stickers */ ._576q { -webkit-filter: brightness(75%); filter: brightness(75%); } /* facebook-removed messages et al */ ._4sp8 .uiBoxYellow { background-color: #662; } /* code bubbles */ ._wu0 { background-color: #181818 !important; border-color: #282828 !important; } /* convo info, user list */ ._4_j5, ._5l37 { background-color: #282828 !important; } ._4_j5 { border-left: none !important; } /* convo name, mute label, user in user list, section headings */ ._2jnv,._2jnx,._2jnz,._2jnx ._30e7 ._5j5f, ._3szq, ._364g, ._1lj0 { color: #ddd !important; } /* convo list */ ._li ._1enh { /* fix convo list hiders */ background-color: #1e1e1e; } /* inactive convo */ ._1ht1 { background-color: #222 !important; } /* unread convo */ ._1ht1._1ht3 { background-color: #1c2e4a !important; transition: background-color .5s; } /* active convo */ ._1ht1._1ht2 { background-color: #2d2d30 !important; } /* convo name */ ._1ht6, ._3q34 { color: #eee !important; } /* group chat icon dps */ ._57pl, ._57pm { border-color: transparent !important; } /* message request from */ ._2kt ._5nxb { color: #ddd !important; } /* timestamp */ ._1ht7.timestamp { color: #999; } ._1ht3 ._1ht7 { color: #0084cc !important; } /* convo new message */ ._1ht3 ._1htf { color: #ddd !important; } /* search header */ ._5t4c, ._225b { background-color: #1e1e1e !important; } /* search keyboard selection */ ._1k1p { background-color: #1e1e1e !important; } /* people list self online status */ ._1u5d { background-color: transparent !important; } /* people list section tabs */ ._2lp- { border-color: #0066aa !important; } ._48uj { background-color: #0066aa !important; } /* those menus, stickers, emoji, and games though */ ._53ij, ._54nf, ._293j, ._4lh2 { background-color: #333 !important; } ._5r8a._5r8b, ._1uwz, ._3rh0 { background-color: #222 !important; } ._2i-c ._54nf ._54nh, ._4lh2 { color: #ddd !important; } ._4lha ._4lhc, ._4lh7 { color: #aaa !important; } ._2i-c ._54ne ._54nh, ._2i-c ._54ne ._54nc, ._2i-c ._54ne { background-color: #0066aa !important; } /* more stickers */ ._5r8e, ._5r86, ._37wu, ._37wv { border-color: #222; } ._eb3::before { background-color: #222; } ._3mts .uiScrollableArea.contentAfter::after, ._5r8l .uiScrollableArea.contentAfter::after { background-image: linear-gradient(transparent, #333); } /* sticker and games buttons */ ._4rv6, ._4ce_ { -webkit-filter: invert(1); filter: invert(1); opacity: .6 !important; } /* menu dropdown triangles */ ._53ik ._53io, ._53il ._53io { -webkit-filter: brightness(20%); filter: brightness(20%); } /* delivery indicators */ ._3i_m ._9ah ._57e_ { color: #1e1e1e !important; } /* misc icons */ ._fl3:not(._20nb), ._4-0h, ._57gs, label > input + span::before { -webkit-filter: brightness(80%); filter: brightness(80%); } ._5iwm ._58ak::before, ._23ct, ._2xme, :not(._3no3) > ._uwa, ._5jdr ._5jds, ._5nxe .img { -webkit-filter: invert(1); filter: invert(1); } /* messenger dialogs, very important */ ._4-hz, ._4eby, ._4jgp ._4jgu, ._12zw { background-color: #222 !important; } ._374c, ._4jgs, ._2c9i ._19jt, ._51l0 .uiInputLabel .__rm + .uiInputLabelLabel, ._5raa, ._5rab, ._4nv_ { color: #ddd !important; } /* chat emoji picker: selected emoji */ ._-lj ._4rlt { background-color: #333 !important; border-color: #666 !important; } /* report issue dialog, even more so */ /* dialog head */ ._4-i0 { background-color: #333 !important; border-bottom-color: #2e2e2e; } /* dialog heading, checkbox label */ ._4-i0 ._52c9, ._5r5c ._5rq_, ._uvt { color: #ddd !important; } /* dialog body, footer */ div._4-i2, div._5a8u, ._4t2a { background-color: #222 !important; color: #eee; } /* image info */ ._2zn2 { color: rgba(255, 255, 255, .4) !important; } ._2zn6 { color: rgba(255, 255, 255, .6) !important; } /* what about normal facebook dialogs? */ ._t { background-color: #222 !important; color: #eee; } .fcb { color: white !important; } ._c24 { color: #ccc !important; } .uiBoxGray { background-color: #333 !important; border-color: #2e2e2e; } #captcha .captcha_refresh { color: lightgrey !important; } /* login page */ ._3v_p, ._3v_o { background-color: #222 !important; } ._3v_p ._5hy4, ._3v_o ._5hy4 { color: #eee !important; } ._3v_p ._43di, ._3v_o ._43di, ._3v_p ._3403, ._3v_o ._3403 { color: #ddd !important; } ._3v_p ._210j ._43dj .uiInputLabelLabel, ._59h8, ._3v_p ._59h7 ._5hy9 { color: #aaa !important; } ._3v_p ._3v_w ._2m_r, ._3v_p ._5s4n ._2m_r { background-color: #0066aa !important; } /* call page */ ._17cj, ._17cj ._3jne, ._38jq { background-color: #1e1e1e !important; } ._17cj ._3jnu, ._17cj ._3jnv, ._fjq { color: rgba(255, 255, 255, .4) !important; } ._17cj ._4j_k, ._fjp { color: #eee !important; } /* stuff that should be grey */ ._ih3, ._3tl0, ._3tl1 ._10w4, ._497p, ._3x6v, ._2v6o, ._3tky, ._5rh4, ._5qsj, ._jf4 ._jf3, ._5i_d .__6m, ._2y8z, ._4g0h, ._3xcx, ._225b, ._3q35, ._2r2v, ._2n1t, ._1n-e, ._3eus, ._2wy4, ._1u5d ._1u5k, ._3ggt, ._17cj ._2ze8, ._17cj ._cen, ._5sr7, ._4nw0 { color: rgba(255, 255, 255, .6) !important; }
modules/js/slider/slider-default-theme.css
krossoverintelligence/bower-material
/*! * Angular Material Design * https://github.com/angular/material * @license MIT * v0.10.1-master-e26a275 */ md-slider.md-THEME_NAME-theme .md-track { background-color: '{{foreground-3}}'; } md-slider.md-THEME_NAME-theme .md-track-ticks { background-color: '{{foreground-4}}'; } md-slider.md-THEME_NAME-theme .md-focus-thumb { background-color: '{{foreground-2}}'; } md-slider.md-THEME_NAME-theme .md-focus-ring { background-color: '{{accent-color}}'; } md-slider.md-THEME_NAME-theme .md-disabled-thumb { border-color: '{{background-color}}'; } md-slider.md-THEME_NAME-theme.md-min .md-thumb:after { background-color: '{{background-color}}'; } md-slider.md-THEME_NAME-theme .md-track.md-track-fill { background-color: '{{accent-color}}'; } md-slider.md-THEME_NAME-theme .md-thumb:after { border-color: '{{accent-color}}'; background-color: '{{accent-color}}'; } md-slider.md-THEME_NAME-theme .md-sign { background-color: '{{accent-color}}'; } md-slider.md-THEME_NAME-theme .md-sign:after { border-top-color: '{{accent-color}}'; } md-slider.md-THEME_NAME-theme .md-thumb-text { color: '{{accent-contrast}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-focus-ring { background-color: '{{warn-color}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-track.md-track-fill { background-color: '{{warn-color}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-thumb:after { border-color: '{{warn-color}}'; background-color: '{{warn-color}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-sign { background-color: '{{warn-color}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-sign:after { border-top-color: '{{warn-color}}'; } md-slider.md-THEME_NAME-theme.md-warn .md-thumb-text { color: '{{warn-contrast}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-focus-ring { background-color: '{{primary-color}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-track.md-track-fill { background-color: '{{primary-color}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-thumb:after { border-color: '{{primary-color}}'; background-color: '{{primary-color}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-sign { background-color: '{{primary-color}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-sign:after { border-top-color: '{{primary-color}}'; } md-slider.md-THEME_NAME-theme.md-primary .md-thumb-text { color: '{{primary-contrast}}'; } md-slider.md-THEME_NAME-theme[disabled] .md-thumb:after { border-color: '{{foreground-3}}'; } md-slider.md-THEME_NAME-theme[disabled]:not(.md-min) .md-thumb:after { background-color: '{{foreground-3}}'; }
src/app/bulletinboard/studentsSection/studentSection.html
DrBATU/bhendi
<md-content flex id="content"> Students Section Details </md-content>
rawdata/lawstat/version2/90056/9005633022900.html
g0v/laweasyread-data
<html> <META HTTP-EQUIV=Content-Type Content="text/html; charset=big5"> <!-- Mirrored from lis.ly.gov.tw/lghtml/lawstat/version2/90056/9005633022900.htm by HTTrack Website Copier/3.x [XR&CO'2010], Sun, 24 Mar 2013 09:27:24 GMT --> <head><title>ªk½s¸¹:90056 ª©¥»:033022900</title> <link rel="stylesheet" type="text/css" href="../../version.css" > </HEAD> <body><left> <table><tr><td><FONT COLOR=blue SIZE=5>ºØµk±ø¨Ò(90056)</font> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td> <table><tr><td>&nbsp;&nbsp;&nbsp;</td> <tr><td align=left valign=top> <a href=9005633022900.html target=law90056><nobr><font size=2>¤¤µØ¥Á°ê 33 ¦~ 2 ¤ë 29 ¤é</font></nobr></a> </td> <td valign=top><font size=2>¨î©w10±ø</font></td> <tr><td align=left valign=top><nobr><font size=2>¤¤µØ¥Á°ê 33 ¦~ 3 ¤ë 13 ¤é¤½¥¬</font></nobr></td> <tr><td align=left valign=top> <a href=9005637120300.html target=law90056><nobr><font size=2>¤¤µØ¥Á°ê 37 ¦~ 12 ¤ë 3 ¤é</font></nobr></a> </td> <td valign=top><font size=2>­×¥¿²Ä7±ø</font></td> <tr><td align=left valign=top><nobr><font size=2>¤¤µØ¥Á°ê 37 ¦~ 12 ¤ë 28 ¤é¤½¥¬</font></nobr></td> <tr><td align=left valign=top> <nobr><font size=2>¤¤µØ¥Á°ê 70 ¦~ 12 ¤ë 29 ¤é</font></nobr> </td> <td valign=top><font size=2>¼o¤î10±ø</font></td> <tr><td align=left valign=top><nobr><font size=2>¤¤µØ¥Á°ê 71 ¦~ 1 ¤ë 6 ¤é¤½¥¬</font></nobr></td> </table></table></table></table> <p><table><tr><td><font color=blue size=4>¥Á°ê33¦~2¤ë29¤é(«D²{¦æ±ø¤å)</font></td> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤@±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¬°¹w¨¾¤Ñªá¡A«O»Ù°·±d¡A¨Ì¥»±ø¨Ò¹ê¬I§K¶OºØµk¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤G±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@ºØµk¨C¤H¤T¦¸¡A¨Ì¥ª¦C®É´Á¦æ¤§¡G<br> ¡@¡@²Ä¤@¦¸¤@·³¥H¤º¡C<br> ¡@¡@²Ä¤G¦¸¤­·³¦Ü¤»·³¡C<br> ¡@¡@²Ä¤T¦¸¤Q¤@·³¦Ü¤Q¤G·³¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤T±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@ºØµk¥Ñ¿¤¥«½Ã¥Í¾÷Ãö²ÎÄw¿ì²z¡AÀ³©ó¬K¬î¨â©u³W©w´Á¶¡®Á¤á½Õ¬d¡A©e°U·í¦aÂå°|¶}·~Âå®v¡BÅ@¤h¤Î§U²£¤h¬IºØ¡C¥²­n®É±o°V½mºØµk¤u§@¤H­û¡C<br> ¡@¡@«O¥Òªø¹ï©ó½Ã¥Í¾÷Ãö¤§½Õ¬d¡AÀ³­t¨ó§U¤§³d¡A¨Ã·þ«P¹Ò¤º¦í¥Á¨Ì·Ó³W©w®É´ÁºØµk¡C<br> ¡@¡@Âå°|¶}·~Âå®v¡BÅ@¤h¤Î§U²£¤h¡A¹ï©ó½Ã¥Í¾÷Ãö¤§©e°U¡A¤£±o©Úµ´¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¥|±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¥®¸X¶é¡B°ê¥Á¾Ç®Õ¤Î¤¤µ¥¾Ç®Õ¡A¹ï©ó¤J¾Ç¤Î¦b®Õ¾Ç¥Í¡AÀ³¬d©ú¤w§_ºØµk¡A¨ä¥¼ºØªÌ¡AÀ³³ø½Ð¸ÉºØ¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤­±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¹J¦³¤Ñªá¬y¦æ®É¡A¿¤¥«½Ã¥Í¾÷Ãö±o¬I¦æ±j­¢ºØµk¡A¤£½×¨àµ£©Î¦¨¤H¡A§¡À³¤@«ß¨üºØ¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤»±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¿¤¥«½Ã¥Í¾÷Ãö¡AÀ³»s³ÆºØµkÃÒ¡A¥æ¥ÑºØµk¤H­û¶ñµo¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤C±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@«D¦]¯e¯f©Î¨ä¥L¥¿·í²z¥Ñ¡A¥¼©ó³W©w®É´ÁºØµkªÌ¡A°£¦Û½Ð¸ÉºØ¥~¡A¿¤¥«½Ã¥Í¾÷Ãö±o±j­¢¸ÉºØ¡A¨ä¤£¸ÉºØªÌ¡A±o¹ï¨ä¤÷¥À©ÎºÊÅ@¤H³B¤T¤Q¤¸¥H¤U»@Áì¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤K±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@ºØµk¤H­û¡AÀ³³Æ¥Uµn°O¡A¨Ã¤À§O²Î­p³y¨ã³ø§iªí¡A°e¥Ñ¿¤¥«½Ã¥Í¾÷ÃöÂà³ø¬Ù¥«½Ã¥Í¥DºÞ¾÷Ãö¬d®Ö¡C<br> ¡@¡@¬Ù¥«½Ã¥Í¾÷ÃöÀ³±NºØµk²Î­p·J³ø½Ã¥Í¸p³Æ®Ö¡C<br> ¡@¡@«e¶µµn°O¥U¤Î³ø§iªí®æ¦¡¡A¥Ñ½Ã¥Í¸p©w¤§¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤E±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¥»±ø¨Ò¬I¦æ²Ó«h¡A¥Ñ½Ã¥Í¸p©w¤§¡C<br> </td> </table> </table> </table> <table><tr><td>&nbsp;&nbsp;&nbsp;</td><td><font color=8000ff>²Ä¤Q±ø</font> </font> <table><tr><td>&nbsp;&nbsp;&nbsp;&nbsp;</td> <td> ¡@¡@¥»±ø¨Ò¦Û¤½¥¬¤é¬I¦æ¡C<br> </td> </table> </table> </table> </left> </body> <!-- Mirrored from lis.ly.gov.tw/lghtml/lawstat/version2/90056/9005633022900.htm by HTTrack Website Copier/3.x [XR&CO'2010], Sun, 24 Mar 2013 09:27:24 GMT --> </html>
app/templates/report.html
yashpatel5400/Synergy
{% extends "base.html" %} {% block header %} <style type="text/css"> .circle_green { width:1%; padding:10px 11px; margin:0 auto; border-radius:100%; background-color:green; } </style> <script src="https://cdn.plot.ly/plotly-latest.min.js"></script> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/rickshaw/1.6.0/rickshaw.min.css"> {% endblock %} {% block sidebar %} <!-- Sidebar --> <div id="sidebar-wrapper"> <ul class="sidebar-nav" id="sidebar-contents"> <li class="sidebar-brand"> Cached Recordings </li> {% for recording in recordings %} <li class="sidebar-brand"> <a href="{{ url_for('report', recordid=recording) }}" class="page-scroll btn btn-xl"> {{ recording }} </a> </li> {% endfor %} </ul> </div> {% endblock %} {% block navbar %} <nav id="mainNav" class="navbar navbar-default navbar-custom navbar-fixed-top"> <div class="container col-xs-12"> <div class="navbar-header page-scroll col-xs-4"> <a href="#menu-toggle" class="btn btn-default" id="menu-toggle"> <div class="sandwich"></div> <div class="sandwich"></div> <div class="sandwich"></div> </a> </div> <div class="navbar-header page-scroll col-xs-4"> <a class="navbar-brand page-scroll" href="{{ url_for('landing') }}">Synalyze</a> </div> <div class="navbar-header page-scroll col-xs-4"> <a class="navbar-brand page-scroll pull-right" href="{{ url_for('logout') }}">Logout</a> </div> </div> </nav> {% endblock %} {% block content %} <div class="page-header"> <h1>{{ data["topic"] }}</h1> <p class="lead">From {{ data["date_str"] }} and lasted {{ data["dur_str"] }}</p> <audio id="player" controls> <source src="wav" type="audio/wav"> </audio> </div> <table class="col-xs-12"> <tr> <td class="col-xs-4">Speaker ID</td> <td class="col-xs-4">Name</td> <td class="col-xs-4">Details</td> </tr> {% for i in range(data["overall_speaker"]|length) %} <tr> <div class="modal fade" id="usermodal-{{ i }}" tabindex="-1" role="dialog" aria-labelledby="myModalLabel"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header"> <h4 class="modal-title user-{{ i }}"> {{ data["overall_speaker"][i] }} </h4> </div> <div class="modal-body"> {{ i }} </div> </div> </div> </div> <td class="col-xs-4">{{ data["overall_speaker"][i] }}</td> <td class="col-xs-4"><input type="text" id="user-{{ i }}"/></td> <td class="col-xs-4"> <a type="button" class="btn" data-toggle="modal" data-target="#usermodal-{{ i }}"> Details </a> </td> </tr> {% endfor %} </table> <hr> <h2>Contributions</h2> {{ div | safe }} <hr> <h2>Analysis</h2> <div class="col-xs-12"> <div id="container" class="col-xs-8"> <div id="chart"></div> </div> <div class="col-xs-4"> <ul style="list-style: none;"> {% for idea in data["ideas"] %} <li> <h3> <a href="{{ idea['dbpedia_resource'] }}">{{ idea["text"] }}</a> </h3> </li> {% endfor %} </ul> </div> </div> <h2>Transcript</h2> <table class="col-xs-12"> {% for i in range(data["speakers"]|length) %} <tr style="vertical-align:top;"> <td class="col-xs-2 user-{{ i }}">{{ data["speakers"][i] }}</td> <td class="col-xs-1">{{ '%.02f' % data["start_times"][i] }}</td> <td class="col-xs-9"><p>({{ '%.02f' % data["durations"][i] }} s): {{ data["text"][i] }} </p></td> </tr> {% endfor %} </table> <script src="https://cdnjs.cloudflare.com/ajax/libs/d3/3.5.17/d3.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/rickshaw/1.6.0/rickshaw.min.js"></script> <script> var graph = new Rickshaw.Graph( { element: document.getElementById("chart"), width: document.getElementById('container').offsetWidth, height: 200, renderer: 'line', min: -.01, interpolation: 'basis', series: [{ data: [ {{ data["series1_str"] }} ], color: '#ff0000' }, { data: [ {{ data["series2_str"] }} ], color: '#0000ff' }, { data: [ {{ data["series3_str"] }} ], color: '#00ff00' }] }); graph.render(); </script> <script type="text/javascript"> {% for i in range(data["overall_speaker"]|length) %} var curUser = 'user-{{ i }}'; var input= document.getElementById(curUser); var elements = document.getElementsByClassName(curUser); input.onchange=input.onkeyup= function() { for (i = 0; i < elements.length; i++) { elements[i].innerHTML = input.value; } }; {% endfor %} </script> {% endblock %}
examples/ajax/orthogonal-data.html
champsupertramp/DataTables
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <link rel="shortcut icon" type="image/ico" href="http://www.datatables.net/favicon.ico"> <meta name="viewport" content="initial-scale=1.0, maximum-scale=2.0"> <title>DataTables example - Orthogonal data</title> <link rel="stylesheet" type="text/css" href="../../media/css/jquery.dataTables.css"> <link rel="stylesheet" type="text/css" href="../resources/syntax/shCore.css"> <link rel="stylesheet" type="text/css" href="../resources/demo.css"> <style type="text/css" class="init"> </style> <script type="text/javascript" language="javascript" src="../../media/js/jquery.js"></script> <script type="text/javascript" language="javascript" src="../../media/js/jquery.dataTables.js"></script> <script type="text/javascript" language="javascript" src="../resources/syntax/shCore.js"></script> <script type="text/javascript" language="javascript" src="../resources/demo.js"></script> <script type="text/javascript" language="javascript" class="init"> $(document).ready(function() { $('#example').dataTable( { ajax: "data/orthogonal.txt", columns: [ { data: "name" }, { data: "position" }, { data: "office" }, { data: "extn" }, { data: { _: "start_date.display", sort: "start_date.timestamp" } }, { data: "salary" } ] } ); } ); </script> </head> <body class="dt-example"> <div class="container"> <section> <h1>DataTables example <span>Orthogonal data</span></h1> <div class="info"> <p>To try and make life easy, by default, DataTables expects arrays to be used as the data source for rows in the table. However, this isn't always useful, and you may wish to have DataTables use objects as the data source for each row (i.e. each row has its data described by an object) as this can make working with the data much more understandable, particularly if you are using the API and you don't need to keep track of array indexes.</p> <p>This can be done quite simply by using the <a href="//datatables.net/reference/option/columns.data"><code class="option" title= "DataTables initialisation option">columns.data</code></a> option which you use to tell DataTables which property to use from the data source object for each column.</p> <p>In this example the Ajax source returns an array of objects, which DataTables uses to display the table. The structure of the row's data source in this example is:</p> <pre> <code class="multiline">{ "name": "Tiger Nixon", "position": "System Architect", "salary": "$3,120", "start_date": { "display": "Mon 25th Apr 11", "timestamp": "1303682400" }, "office": "Edinburgh", "extn": "5421" } </code> </pre> </div> <table id="example" class="display" cellspacing="0" width="100%"> <thead> <tr> <th>Name</th> <th>Position</th> <th>Office</th> <th>Extn.</th> <th>Start date</th> <th>Salary</th> </tr> </thead> <tfoot> <tr> <th>Name</th> <th>Position</th> <th>Office</th> <th>Extn.</th> <th>Start date</th> <th>Salary</th> </tr> </tfoot> </table> <ul class="tabs"> <li class="active">Javascript</li> <li>HTML</li> <li>CSS</li> <li>Ajax</li> <li>Server-side script</li> </ul> <div class="tabs"> <div class="js"> <p>The Javascript shown below is used to initialise the table shown in this example:</p><code class="multiline language-js">$(document).ready(function() { $('#example').dataTable( { ajax: &quot;data/orthogonal.txt&quot;, columns: [ { data: &quot;name&quot; }, { data: &quot;position&quot; }, { data: &quot;office&quot; }, { data: &quot;extn&quot; }, { data: { _: &quot;start_date.display&quot;, sort: &quot;start_date.timestamp&quot; } }, { data: &quot;salary&quot; } ] } ); } );</code> <p>In addition to the above code, the following Javascript library files are loaded for use in this example:</p> <ul> <li><a href="../../media/js/jquery.js">../../media/js/jquery.js</a></li> <li><a href="../../media/js/jquery.dataTables.js">../../media/js/jquery.dataTables.js</a></li> </ul> </div> <div class="table"> <p>The HTML shown below is the raw HTML table element, before it has been enhanced by DataTables:</p> </div> <div class="css"> <div> <p>This example uses a little bit of additional CSS beyond what is loaded from the library files (below), in order to correctly display the table. The additional CSS used is shown below:</p><code class="multiline language-css"></code> </div> <p>The following CSS library files are loaded for use in this example to provide the styling of the table:</p> <ul> <li><a href="../../media/css/jquery.dataTables.css">../../media/css/jquery.dataTables.css</a></li> </ul> </div> <div class="ajax"> <p>This table loads data by Ajax. The latest data that has been loaded is shown below. This data will update automatically as any additional data is loaded.</p> </div> <div class="php"> <p>The script used to perform the server-side processing for this table is shown below. Please note that this is just an example script using PHP. Server-side processing scripts can be written in any language, using <a href="//datatables.net/manual/server-side">the protocol described in the DataTables documentation</a>.</p> </div> </div> </section> </div> <section> <div class="footer"> <div class="gradient"></div> <div class="liner"> <h2>Other examples</h2> <div class="toc"> <div class="toc-group"> <h3><a href="../basic_init/index.html">Basic initialisation</a></h3> <ul class="toc"> <li><a href="../basic_init/zero_configuration.html">Zero configuration</a></li> <li><a href="../basic_init/filter_only.html">Feature enable / disable</a></li> <li><a href="../basic_init/table_sorting.html">Default ordering (sorting)</a></li> <li><a href="../basic_init/multi_col_sort.html">Multi-column ordering</a></li> <li><a href="../basic_init/multiple_tables.html">Multiple tables</a></li> <li><a href="../basic_init/hidden_columns.html">Hidden columns</a></li> <li><a href="../basic_init/complex_header.html">Complex headers (rowspan and colspan)</a></li> <li><a href="../basic_init/dom.html">DOM positioning</a></li> <li><a href="../basic_init/flexible_width.html">Flexible table width</a></li> <li><a href="../basic_init/state_save.html">State saving</a></li> <li><a href="../basic_init/alt_pagination.html">Alternative pagination</a></li> <li><a href="../basic_init/scroll_y.html">Scroll - vertical</a></li> <li><a href="../basic_init/scroll_y_dynamic.html">Scroll - vertical, dynamic height</a></li> <li><a href="../basic_init/scroll_x.html">Scroll - horizontal</a></li> <li><a href="../basic_init/scroll_xy.html">Scroll - horizontal and vertical</a></li> <li><a href="../basic_init/scroll_y_theme.html">Scroll - vertical with jQuery UI ThemeRoller</a></li> <li><a href="../basic_init/comma-decimal.html">Language - Comma decimal place</a></li> <li><a href="../basic_init/language.html">Language options</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../advanced_init/index.html">Advanced initialisation</a></h3> <ul class="toc"> <li><a href="../advanced_init/events_live.html">DOM / jQuery events</a></li> <li><a href="../advanced_init/dt_events.html">DataTables events</a></li> <li><a href="../advanced_init/column_render.html">Column rendering</a></li> <li><a href="../advanced_init/length_menu.html">Page length options</a></li> <li><a href="../advanced_init/dom_multiple_elements.html">Multiple table control elements</a></li> <li><a href="../advanced_init/complex_header.html">Complex headers (rowspan / colspan)</a></li> <li><a href="../advanced_init/object_dom_read.html">Read HTML to data objects</a></li> <li><a href="../advanced_init/html5-data-attributes.html">HTML5 data-* attributes - cell data</a></li> <li><a href="../advanced_init/html5-data-options.html">HTML5 data-* attributes - table options</a></li> <li><a href="../advanced_init/language_file.html">Language file</a></li> <li><a href="../advanced_init/defaults.html">Setting defaults</a></li> <li><a href="../advanced_init/row_callback.html">Row created callback</a></li> <li><a href="../advanced_init/row_grouping.html">Row grouping</a></li> <li><a href="../advanced_init/footer_callback.html">Footer callback</a></li> <li><a href="../advanced_init/dom_toolbar.html">Custom toolbar elements</a></li> <li><a href="../advanced_init/sort_direction_control.html">Order direction sequence control</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../styling/index.html">Styling</a></h3> <ul class="toc"> <li><a href="../styling/display.html">Base style</a></li> <li><a href="../styling/no-classes.html">Base style - no styling classes</a></li> <li><a href="../styling/cell-border.html">Base style - cell borders</a></li> <li><a href="../styling/compact.html">Base style - compact</a></li> <li><a href="../styling/hover.html">Base style - hover</a></li> <li><a href="../styling/order-column.html">Base style - order-column</a></li> <li><a href="../styling/row-border.html">Base style - row borders</a></li> <li><a href="../styling/stripe.html">Base style - stripe</a></li> <li><a href="../styling/bootstrap.html">Bootstrap</a></li> <li><a href="../styling/foundation.html">Foundation</a></li> <li><a href="../styling/jqueryUI.html">jQuery UI ThemeRoller</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../data_sources/index.html">Data sources</a></h3> <ul class="toc"> <li><a href="../data_sources/dom.html">HTML (DOM) sourced data</a></li> <li><a href="../data_sources/ajax.html">Ajax sourced data</a></li> <li><a href="../data_sources/js_array.html">Javascript sourced data</a></li> <li><a href="../data_sources/server_side.html">Server-side processing</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../api/index.html">API</a></h3> <ul class="toc"> <li><a href="../api/add_row.html">Add rows</a></li> <li><a href="../api/multi_filter.html">Individual column searching (text inputs)</a></li> <li><a href="../api/multi_filter_select.html">Individual column searching (select inputs)</a></li> <li><a href="../api/highlight.html">Highlighting rows and columns</a></li> <li><a href="../api/row_details.html">Child rows (show extra / detailed information)</a></li> <li><a href="../api/select_row.html">Row selection (multiple rows)</a></li> <li><a href="../api/select_single_row.html">Row selection and deletion (single row)</a></li> <li><a href="../api/form.html">Form inputs</a></li> <li><a href="../api/counter_columns.html">Index column</a></li> <li><a href="../api/show_hide.html">Show / hide columns dynamically</a></li> <li><a href="../api/api_in_init.html">Using API in callbacks</a></li> <li><a href="../api/tabs_and_scrolling.html">Scrolling and jQuery UI tabs</a></li> <li><a href="../api/regex.html">Search API (regular expressions)</a></li> </ul> </div> <div class="toc-group"> <h3><a href="./index.html">Ajax</a></h3> <ul class="toc active"> <li><a href="./simple.html">Ajax data source (arrays)</a></li> <li><a href="./objects.html">Ajax data source (objects)</a></li> <li><a href="./deep.html">Nested object data (objects)</a></li> <li><a href="./objects_subarrays.html">Nested object data (arrays)</a></li> <li class="active"><a href="./orthogonal-data.html">Orthogonal data</a></li> <li><a href="./null_data_source.html">Generated content for a column</a></li> <li><a href="./custom_data_property.html">Custom data source property</a></li> <li><a href="./custom_data_flat.html">Flat array data source</a></li> <li><a href="./defer_render.html">Deferred rendering for speed</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../server_side/index.html">Server-side</a></h3> <ul class="toc"> <li><a href="../server_side/simple.html">Server-side processing</a></li> <li><a href="../server_side/custom_vars.html">Custom HTTP variables</a></li> <li><a href="../server_side/post.html">POST data</a></li> <li><a href="../server_side/ids.html">Automatic addition of row ID attributes</a></li> <li><a href="../server_side/object_data.html">Object data source</a></li> <li><a href="../server_side/row_details.html">Row details</a></li> <li><a href="../server_side/select_rows.html">Row selection</a></li> <li><a href="../server_side/jsonp.html">JSONP data source for remote domains</a></li> <li><a href="../server_side/defer_loading.html">Deferred loading of data</a></li> <li><a href="../server_side/pipeline.html">Pipelining data to reduce Ajax calls for paging</a></li> </ul> </div> <div class="toc-group"> <h3><a href="../plug-ins/index.html">Plug-ins</a></h3> <ul class="toc"> <li><a href="../plug-ins/api.html">API plug-in methods</a></li> <li><a href="../plug-ins/sorting_auto.html">Ordering plug-ins (with type detection)</a></li> <li><a href="../plug-ins/sorting_manual.html">Ordering plug-ins (no type detection)</a></li> <li><a href="../plug-ins/range_filtering.html">Custom filtering - range search</a></li> <li><a href="../plug-ins/dom_sort.html">Live DOM ordering</a></li> </ul> </div> </div> <div class="epilogue"> <p>Please refer to the <a href="http://www.datatables.net">DataTables documentation</a> for full information about its API properties and methods.<br> Additionally, there are a wide range of <a href="http://www.datatables.net/extras">extras</a> and <a href="http://www.datatables.net/plug-ins">plug-ins</a> which extend the capabilities of DataTables.</p> <p class="copyright">DataTables designed and created by <a href="http://www.sprymedia.co.uk">SpryMedia Ltd</a> &#169; 2007-2015<br> DataTables is licensed under the <a href="http://www.datatables.net/mit">MIT license</a>.</p> </div> </div> </div> </section> </body> </html>