How to use pages method in Puppeteer

Best JavaScript code snippet using puppeteer

yaftl.py

Source:yaftl.py Github

copy

Full Screen

1from array import array2from construct.core import Struct, Union3from construct.macros import *4from progressbar import ProgressBar5from structs import *6import struct789#https://github.com/iDroid-Project/openiBoot/blob/master/openiboot/ftl-yaftl/yaftl.c10YAFTL_CXT = Struct("YAFTL_CXT",11 String("version", 4),12 ULInt32("unknCalculatedValue0"),13 ULInt32("totalPages"),14 ULInt32("latestUserBlock"),15 ULInt32("cxt_unkn0_usn"),16 ULInt32("latestIndexBlock"),17 ULInt32("maxIndexUsn"),18 ULInt32("blockStatsField4"),19 ULInt32("blockStatsField10"),20 ULInt32("numAllocatedBlocks"),21 ULInt32("numIAllocatedBlocks"),22 ULInt32("unk184_0xA"),23 Array(10, ULInt32("cxt_unkn1")),24 ULInt32("field_58"),25 ULInt16("tocArrayLength"),26 ULInt16("tocPagesPerBlock"),27 ULInt16("tocEntriesPerPage"),28 ULInt16("unkn_0x2A"),29 ULInt16("userPagesPerBlock"),30 ULInt16("unk64"),31 Array(11, ULInt32("cxt_unkn2")),32 ULInt8("unk188_0x63"),33)3435TOCStruct = Struct("TOCStruct",36 ULInt32("indexPage"),37 ULInt16("cacheNum"),38 ULInt16("TOCUnkMember2"),39)4041BlockStats = Struct("BlockStats",42 ULInt32("numAllocated"),43 ULInt32("field_4"),44 ULInt32("numValidDPages"),45 ULInt32("numIAllocated"),46 ULInt32("field_10"),47 ULInt32("numValidIPages"),48 ULInt32("numFree"),49 ULInt32("field_1C"),50)515253class YAFTL(object):54 def __init__(self, vfl, usn=0):55 self.vfl = vfl56 self.lpnToVpn = None57 bytesPerPage = vfl.nand.pageSize58 numBlocks = vfl.context.usable_blocks_per_bank59 self.blankPage = bytesPerPage * "\x00"60 self.numBlocks = numBlocks61 self.tocPagesPerBlock = vfl.pages_per_sublk * 4 / bytesPerPage62 if vfl.pages_per_sublk * 4 % bytesPerPage:63 self.tocPagesPerBlock += 164 self.tocEntriesPerPage = bytesPerPage / 465 self.tocArrayLength = CEIL_DIVIDE(vfl.pages_per_sublk * numBlocks * 4, bytesPerPage)66 self.nPagesTocPageIndices = CEIL_DIVIDE(self.tocArrayLength * 4, bytesPerPage)67 self.nPagesBlockStatuses = CEIL_DIVIDE(numBlocks * 1, bytesPerPage)68 self.nPagesBlockReadCounts = CEIL_DIVIDE(numBlocks * 2, bytesPerPage)69 self.nPagesBlockEraseCounts = CEIL_DIVIDE(numBlocks * 4, bytesPerPage)70 self.nPagesBlockValidPagesDNumbers = self.nPagesBlockReadCounts71 self.nPagesBlockValidPagesINumbers = self.nPagesBlockReadCounts72 self.ctrlBlockPageOffset = self.nPagesTocPageIndices \73 + self.nPagesBlockStatuses \74 + self.nPagesBlockReadCounts \75 + self.nPagesBlockEraseCounts \76 + self.nPagesBlockValidPagesDNumbers \77 + self.nPagesBlockValidPagesINumbers \78 + 2 * self.tocPagesPerBlock \79 + 280 self.totalPages = (self.numBlocks - 8) * (self.vfl.pages_per_sublk - self.tocPagesPerBlock)# - unknCalculatedValue081 self.userPagesPerBlock = self.vfl.pages_per_sublk - self.tocPagesPerBlock82 maxUsn = 083 ftlCtrlBlock = -184 for b in self.vfl.VFL_get_FTLCtrlBlock():85 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk)86 if not d:87 continue88 if usn and s.usn > usn:89 break90 if s.usn > maxUsn:91 maxUsn = s.usn92 ftlCtrlBlock = b93 if ftlCtrlBlock == -1 or not maxUsn:94 print "ftlCtrlBlock not found, restore needed"95 self.YAFTL_restore()96 return97 i = 098 maxUsn = 099 while i < self.vfl.pages_per_sublk - self.ctrlBlockPageOffset:100 s,d = self.YAFTL_readPage(ftlCtrlBlock*self.vfl.pages_per_sublk + i + self.ctrlBlockPageOffset)101 if not d:102 if self.YAFTL_readCxtInfo(ftlCtrlBlock*self.vfl.pages_per_sublk + i):103 return104 print "YaFTL_readCxtInfo FAIL, restore needed maxUsn=%d" % maxUsn105 self.YAFTL_restore()106 return107 if s and s.usn > maxUsn:108 maxUsn = s.usn109 i += self.ctrlBlockPageOffset + 1110 print "YaFTL open fail"111 self.YAFTL_restore()112 113 def readBTOCPages(self, block, maxVal):114 data = ""115 for i in xrange(self.tocPagesPerBlock):116 s,d = self.YAFTL_readPage((block+1) * self.vfl.pages_per_sublk - self.tocPagesPerBlock + i)117 if not s:118 return None119 data += d120 btoc = array("I",data)121 for i in xrange(len(btoc)):122 if btoc[i] > maxVal:123 btoc[i] = 0xFFFFFFFF124 return btoc125 126 def YAFTL_restore(self):127 self.lpnToVpn = self.vfl.nand.loadCachedData("yaftlrestore")128 if self.lpnToVpn:129 print "Found cached FTL restore information"130 return131 userBlocks = {}132 indexBlocks = {}133 print "FTL restore in progress"134 pbar = ProgressBar(self.numBlocks)135 pbar.start()136 for b in xrange(0, self.numBlocks):137 pbar.update(b)138 #read fist page in block, if empty then block is empty139 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + 0)140 if not s:141 continue142 if s.type == PAGETYPE_INDEX:143 indexBlocks[s.usn] = b144 elif s.type == PAGETYPE_LBN:145 if userBlocks.has_key(s.usn):146 print "Two blocks with same USN, something is weird"147 userBlocks[s.usn] = b148 elif s.type == PAGETYPE_FTL_CLEAN:149 pass150 pbar.finish()151 lpnToVpn = {}152 for usn in sorted(userBlocks.keys(), reverse=True):153 b = userBlocks[usn]154 btoc = self.readBTOCPages(b, self.totalPages)155 if btoc:156 for i in xrange(self.userPagesPerBlock-1,-1, -1):157 if not lpnToVpn.has_key(btoc[i]):158 lpnToVpn[btoc[i]] = b * self.vfl.pages_per_sublk + i159 else:160 print "BTOC not found for block %d (usn %d), scanning all pages" % (b, usn)161 i = 0162 for p in xrange(self.vfl.pages_per_sublk - self.tocPagesPerBlock -1, -1, -1):163 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + p)164 if s:165 i+= 1166 if s and not lpnToVpn.has_key(s.lpn):167 lpnToVpn[s.lpn] = b * self.vfl.pages_per_sublk + p168 print "%d used pages in block" % i169 self.vfl.nand.cacheData("yaftlrestore", lpnToVpn)170 self.lpnToVpn = lpnToVpn171 return lpnToVpn172 173 def YAFTL_readCxtInfo(self, page):174 s,d = self.YAFTL_readPage(page)175 if not s or s.type != PAGETYPE_FTL_CLEAN:176 return False177 ctx = YAFTL_CXT.parse(d)178 ctx.spareUsn = s.usn179 if ctx.version != "CX01":180 print "Wrong FTL version %s" % ctx.version181 return False182 self.usn = s.usn183 pageToRead = page + 1;184 userTOCBuffer = self.YAFTL_read_n_Page(pageToRead, self.tocPagesPerBlock)185 if not userTOCBuffer:186 raise(Exception("userTOCBuffer"))187 pageToRead += self.tocPagesPerBlock188 indexTOCBuffer = self.YAFTL_read_n_Page(pageToRead, self.tocPagesPerBlock)189 pageToRead += self.tocPagesPerBlock + 1190 tocArrayIndexPages = self.YAFTL_read_n_Page(pageToRead, self.nPagesTocPageIndices)191 self.tocArrayIndexPages = array("I", tocArrayIndexPages)192 assert self.tocArrayIndexPages.itemsize == 4193 self.indexCache = {}194 pageToRead += self.nPagesTocPageIndices195 196 if False: #we don't care, we just want to read197 blockStatuses = self.YAFTL_read_n_Page(pageToRead, self.nPagesBlockStatuses)198 pageToRead += self.nPagesBlockStatuses199 blockReadCounts = self.YAFTL_read_n_Page(pageToRead, self.nPagesBlockReadCounts)200 pageToRead += self.nPagesBlockReadCounts201 blockEraseCounts = self.YAFTL_read_n_Page(pageToRead, self.nPagesBlockEraseCounts)202 pageToRead += self.nPagesBlockEraseCounts203 validPagesINo = self.YAFTL_read_n_Page(pageToRead, self.nPagesBlockValidPagesINumbers)204 pageToRead += self.nPagesBlockValidPagesINumbers205 validPagesDNo = self.YAFTL_read_n_Page(pageToRead, self.nPagesBlockValidPagesDNumbers)206 207 print "YaFTL context OK, version=%s maxIndexUsn=%d context usn=%d" % (ctx.version, ctx.maxIndexUsn, self.usn)208 return True209210 def YAFTL_read_n_Page(self, page, n, failIfBlank=False):211 r = ""212 for i in xrange(0, n):213 s,d = self.YAFTL_readPage(page +i)214 if not d:215 if failIfBlank:216 return217 return r218 r += d219 return r220 221 def YAFTL_readPage(self, page, key=META_KEY, lpn=None):222 return self.vfl.read_single_page(page, key, lpn)223 224 def build_lpn_to_vpn(self):225 lpnToVpn = {}226 for p in xrange(self.totalPages):227 x = self.translateLPNtoVPN(p)228 if x != 0xFFFFFFFF:229 lpnToVpn[p] = x230 self.vfl.nand.cacheData("currentftl", lpnToVpn)231 return lpnToVpn232 233 def translateLPNtoVPN(self, lpn):234 if self.lpnToVpn:235 return self.lpnToVpn.get(lpn, 0xFFFFFFFF)236 tocPageNum = (lpn) / self.tocEntriesPerPage237 indexPage = self.tocArrayIndexPages[tocPageNum]238 if indexPage == 0xffffffff:239 return 0xffffffff240 #print "indexPage %x" % indexPage241 if self.indexCache.has_key(indexPage):242 tocPageBuffer = self.indexCache[indexPage]243 else:244 s,tocPageBuffer = self.YAFTL_readPage(indexPage)245 if not tocPageBuffer:246 print "tocPageBuffer fail"247 return 0xffffffff248 assert s.type == PAGETYPE_INDEX249 tocPageBuffer = array("I", tocPageBuffer)250 self.indexCache[indexPage] = tocPageBuffer251 252 tocEntry = tocPageBuffer[lpn % self.tocEntriesPerPage]253 return tocEntry254255 def readLPN(self, lpn, key=None):#, nPages):256 vpn = self.translateLPNtoVPN(lpn)257 if vpn == 0xffffffff:258 return self.blankPage259 #print "tocEntry %d" % tocEntry260 #print "FTL %d => %d" % (lpn, vpn)261 s,d = self.YAFTL_readPage(vpn, key, lpn)262 if d == None:263 return self.blankPage264 if s.lpn != lpn:265 raise Exception("YAFTL translation FAIL spare lpn=%d vs expected %d" % (s.lpn, lpn))266 return d267268 def YAFTL_lookup1(self):269 hax = self.vfl.nand.loadCachedData("YAFTL_lookup1")270 if hax:271 print "Found cached FTL lookup table"272 return hax273 userBlocks = {}274 indexBlocks = {}275 print "Building FTL lookup table v1"276 pbar = ProgressBar(self.numBlocks)277 pbar.start()278 for b in xrange(0, self.numBlocks):279 pbar.update(b)280 #read fist page in block, if empty then block is empty281 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + 0)282 if not s:283 continue284 if s.type == PAGETYPE_INDEX:285 indexBlocks[s.usn] = b286 elif s.type == PAGETYPE_LBN:287 if userBlocks.has_key(s.usn):288 print "Two blocks with same USN, something is weird"289 userBlocks[s.usn] = b290 elif s.type == PAGETYPE_FTL_CLEAN:291 pass#print b, "ftl block"292 pbar.finish()293 lpnToVpn = {}294 for usn in sorted(userBlocks.keys(), reverse=False):295 b = userBlocks[usn]296 btoc = self.readBTOCPages(b, self.totalPages)297 #print usn, b298 if btoc:299 for i in xrange(self.userPagesPerBlock-1,-1, -1):300 lpnToVpn.setdefault(btoc[i], []).append(b * self.vfl.pages_per_sublk + i)301 else:302 #print "btoc not found for block %d (usn %d), scanning all pages" % (b, usn)303 i = 0304 usn = -1305 for p in xrange(self.vfl.pages_per_sublk - self.tocPagesPerBlock -1, -1, -1):306 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + p)307 if not s:308 break309 i+= 1310 if usn == -1:311 usn = s.usn312 if usn != s.usn:313 #print "Two usns in same block %d %d" % (usn, s.usn)314 usn = s.usn315 lpnToVpn.setdefault(s.lpn, []).append(b * self.vfl.pages_per_sublk + p)316 #print "%d used pages in block" % i317 #self.vfl.nand.cacheData("YAFTL_lookup1", (lpnToVpn, userBlocks))318 return lpnToVpn, userBlocks319320 def YAFTL_hax2(self):321 hax = self.vfl.nand.loadCachedData("YAFTL_hax2")322 if hax:323 print "Found cached FTL HAX2 information"324 return hax325326 print "FTL hax2 in progress"327 pbar = ProgressBar(self.numBlocks)328 pbar.start()329 lpnToVpn = {}330 for b in xrange(0, self.numBlocks):331 pbar.update(b)332 #read fist page in block, if empty then block is empty (right?)333 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + 0)334 if not s:335 continue336 if s.type == PAGETYPE_LBN:337 i = 0338 usn = -1339 for p in xrange(0, self.vfl.pages_per_sublk - self.tocPagesPerBlock):340 s,d = self.YAFTL_readPage(b * self.vfl.pages_per_sublk + p)341 if not s:342 break343 lpnToVpn.setdefault(s.lpn, {}).setdefault(s.usn, []).append(b * self.vfl.pages_per_sublk + p)344 i+= 1345346 pbar.finish()347 self.vfl.nand.cacheData("YAFTL_hax2", lpnToVpn)348 return lpnToVpn349350 def block_lpn_to_vpn(self, block):351 res = {}352 for p in xrange(0, self.vfl.pages_per_sublk - self.tocPagesPerBlock):353 s,d = self.YAFTL_readPage(block * self.vfl.pages_per_sublk + p)354 if not s:355 break356 res[s.lpn] = block * self.vfl.pages_per_sublk + p ...

Full Screen

Full Screen

replacing_pages_algorithms.py

Source:replacing_pages_algorithms.py Github

copy

Full Screen

...29 if process in self.waiting_processes:30 self.waiting_processes.remove(process)31 if process in self.blocked_processes:32 self.blocked_processes.remove(process)33 for i in range(process.get_number_of_pages()):34 page = Page(process.pid, i)35 # if page in self._pages_in_RAM:36 self._pages_in_RAM.remove(page)37 self.ram.delete_page(page)38 self.disk.delete_page(page)39 self.table.delete_page(page)40 # for each process it will be checked if its state is blocked or waiting41 def check_state(self):42 for process in self.processes:43 cnt_waiting = 044 cnt_blocked = 045 for page in process.pages:46 if page in self.ram.pages:47 cnt_waiting += 148 elif page in self._waiting_pages or page in self._pages_in_disk:49 cnt_blocked += 150 # if page should be in waiting state51 if cnt_waiting == process.get_number_of_pages():52 if process not in self.waiting_processes:53 self.waiting_processes.append(process)54 if process in self.blocked_processes:55 self.blocked_processes.remove(process)56 else:57 if process not in self.blocked_processes:58 self.blocked_processes.append(process)59 if process in self.waiting_processes:60 self.waiting_processes.remove(process)61 def there_is_processes(self) -> bool:62 return (63 len(self.cur_processes)64 + len(self._waiting_pages)65 + len(self._pages_in_RAM)66 + len(self._pages_in_disk)67 > 068 )69 70 def sort_waiting_processes_by_exec_time(self):71 self.waiting_processes.sort(key=lambda p: p.exec_time)72 def add_pages_in_waiting_pages_from_processes(self):73 # adding all pages from processes in queue74 for process in self.back_processes:75 if process.arrival_time != self.time:76 continue77 self.cur_processes.remove(process)78 for page in process.pages:79 self._waiting_pages.append(page)80 def __get_first_pages_in_RAM(self):81 return self._pages_in_RAM[0]82 def __get_first_waiting_pages(self):83 return self._waiting_pages[0]84 def __get_and_delete_front_pages_in_RAM(self):85 front = self._pages_in_RAM[0]86 self._pages_in_RAM = self._pages_in_RAM[1:]87 return front88 def __get_and_delete_front_pages_in_disk(self):89 front = self._pages_in_disk[0]90 self._pages_in_disk = self._pages_in_disk[1:]91 return front92 def __get_and_delete_front_waiting_pages(self):93 front = self._waiting_pages[0]94 self._waiting_pages = self._waiting_pages[1:]95 return front96 def __get_number_of_pages_to_be_added(self):97 return min(98 len(self._pages_in_disk) + len(self._waiting_pages), self.elements_per_time99 )100 def delete_a_page_in_RAM(self):101 # this element must be executed at least once and102 # it shouldn't be running at the moment103 for page in self._pages_in_RAM:104 if (105 self.ram.was_executed(page)106 and self.running_process_pid != page.associated_pid_process107 ):108 deleted = page109 self._pages_in_RAM.remove(deleted)110 self.ram.delete_page(deleted)111 self.disk.add_page(deleted)112 self.table.set_not_present_in_RAM(deleted)113 self._pages_in_disk.append(deleted)114 return deleted115 return Page(-1, -1)116 def delete_first_elements_from_pages_in_RAM(self):117 # cnt represents the number of pages to be removed118 cnt = self.__get_number_of_pages_to_be_added()119 while self._pages_in_RAM and cnt > 0:120 front = self.delete_a_page_in_RAM()121 if front.associated_pid_process == -1:122 return123 cnt -= 1124 def add_first_pages_to_RAM(self):125 cnt = self.elements_per_time126 # adding all pages from disk to ram127 while (128 self._pages_in_disk129 and len(self._pages_in_RAM) < self.ram.RAM_size130 and cnt > 0131 ):132 front = self.__get_and_delete_front_pages_in_disk()133 idx_in_RAM = self.ram.add_page(front)134 assert idx_in_RAM is not None135 self.table.set_present_in_RAM(front, idx_in_RAM)136 self.disk.delete_page(front)137 self._pages_in_RAM.append(front)138 cnt -= 1139 # adding all waiting pages allowed, if theres free space in ram it will be added there,140 # otherwise it will be added in disk141 while self._waiting_pages and cnt > 0:142 front = self.__get_and_delete_front_waiting_pages()143 idx_in_RAM = self.ram.add_page(front)144 self.table.add_page(front)145 # if theres not a valid page to add idx_in_RAM will be None146 if idx_in_RAM is not None:147 self.table.set_present_in_RAM(front, idx_in_RAM)148 self._pages_in_RAM.append(front)149 else:150 self.disk.add_page(front)151 self.table.set_not_present_in_RAM(front)152 self._pages_in_disk.append(front)153 cnt -= 1154 def execute(self):155 self.add_pages_in_waiting_pages_from_processes()156 self.delete_first_elements_from_pages_in_RAM()...

Full Screen

Full Screen

backgrounds.py

Source:backgrounds.py Github

copy

Full Screen

1#2# This Source Code Form is subject to the terms of the Mozilla Public3# License, v. 2.0. If a copy of the MPL was not distributed with this4# file, You can obtain one at http://mozilla.org/MPL/2.0/.5#6from uitest.framework import UITestCase7from uitest.uihelper.common import select_pos8from com.sun.star.awt.GradientStyle import LINEAR9from com.sun.star.drawing.HatchStyle import SINGLE10from com.sun.star.drawing.BitmapMode import REPEAT11from com.sun.star.drawing.RectanglePoint import MIDDLE_MIDDLE12class ImpressBackgrounds(UITestCase):13 def checkDefaultBackground(self, btn):14 document = self.ui_test.get_component()15 if btn == 'btnnone':16 self.assertEqual(document.DrawPages.getByIndex(0).Background, None)17 elif btn == 'btncolor':18 self.assertEqual(document.DrawPages.getByIndex(0).Background.FillColor, 7512015)19 self.assertEqual(document.DrawPages.getByIndex(0).Background.FillColor, 7512015)20 elif btn == 'btngradient':21 self.assertEqual(22 document.DrawPages.getByIndex(0).Background.FillGradient.Style, LINEAR)23 self.assertEqual(24 document.DrawPages.getByIndex(0).Background.FillGradient.StartColor, 9101876)25 self.assertEqual(26 document.DrawPages.getByIndex(0).Background.FillGradient.Angle, 300)27 self.assertEqual(28 document.DrawPages.getByIndex(0).Background.FillGradient.Border, 0)29 self.assertEqual(30 document.DrawPages.getByIndex(0).Background.FillGradient.XOffset, 0)31 self.assertEqual(32 document.DrawPages.getByIndex(0).Background.FillGradient.YOffset, 0)33 self.assertEqual(34 document.DrawPages.getByIndex(0).Background.FillGradient.StartIntensity, 100)35 self.assertEqual(36 document.DrawPages.getByIndex(0).Background.FillGradient.EndIntensity, 100)37 #self.assertEqual(38 #document.DrawPages.getByIndex(0).Background.FillGradientName, 'Tango Green')39 elif btn == 'btnhatch':40 self.assertEqual(41 document.DrawPages.getByIndex(0).Background.FillHatch.Style, SINGLE )42 self.assertEqual(43 document.DrawPages.getByIndex(0).Background.FillHatch.Color, 0)44 self.assertEqual(45 document.DrawPages.getByIndex(0).Background.FillHatch.Distance, 102)46 self.assertEqual(47 document.DrawPages.getByIndex(0).Background.FillHatch.Angle, 0)48 self.assertEqual(49 document.DrawPages.getByIndex(0).Background.FillHatchName, 'Black 0 Degrees')50 elif btn == 'btnbitmap':51 self.assertEqual(52 document.DrawPages.getByIndex(0).Background.FillBitmapMode, REPEAT)53 self.assertEqual(54 document.DrawPages.getByIndex(0).Background.FillBitmapPositionOffsetX, 0)55 self.assertEqual(56 document.DrawPages.getByIndex(0).Background.FillBitmapPositionOffsetY, 0)57 self.assertEqual(58 document.DrawPages.getByIndex(0).Background.FillBitmapRectanglePoint, MIDDLE_MIDDLE)59 self.assertEqual(60 document.DrawPages.getByIndex(0).Background.FillBitmapStretch, False)61 self.assertEqual(62 document.DrawPages.getByIndex(0).Background.FillBitmapTile, True)63 self.assertEqual(64 document.DrawPages.getByIndex(0).Background.FillBitmapOffsetX, 0)65 self.assertEqual(66 document.DrawPages.getByIndex(0).Background.FillBitmapOffsetY, 0)67 self.assertEqual(68 document.DrawPages.getByIndex(0).Background.FillBitmapLogicalSize, True)69 self.assertEqual(70 document.DrawPages.getByIndex(0).Background.FillBitmapSizeX, 0)71 self.assertEqual(72 document.DrawPages.getByIndex(0).Background.FillBitmapSizeY, 0)73 self.assertEqual(document.DrawPages.getByIndex(0).Background.FillBitmapName, 'Sky')74 elif btn == 'btnpattern':75 self.assertEqual(76 document.DrawPages.getByIndex(0).Background.FillBitmapMode, REPEAT)77 self.assertEqual(78 document.DrawPages.getByIndex(0).Background.FillBitmapPositionOffsetX, 0)79 self.assertEqual(80 document.DrawPages.getByIndex(0).Background.FillBitmapPositionOffsetY, 0)81 self.assertEqual(82 document.DrawPages.getByIndex(0).Background.FillBitmapRectanglePoint, MIDDLE_MIDDLE)83 self.assertEqual(84 document.DrawPages.getByIndex(0).Background.FillBitmapStretch, True)85 self.assertEqual(86 document.DrawPages.getByIndex(0).Background.FillBitmapTile, True)87 self.assertEqual(88 document.DrawPages.getByIndex(0).Background.FillBitmapOffsetX, 0)89 self.assertEqual(90 document.DrawPages.getByIndex(0).Background.FillBitmapOffsetY, 0)91 self.assertEqual(92 document.DrawPages.getByIndex(0).Background.FillBitmapLogicalSize, True)93 self.assertEqual(94 document.DrawPages.getByIndex(0).Background.FillBitmapSizeX, 0)95 self.assertEqual(96 document.DrawPages.getByIndex(0).Background.FillBitmapSizeY, 0)97 self.assertEqual(98 document.DrawPages.getByIndex(0).Background.FillBitmapName, '5 Percent')99 def test_background_dialog(self):100 self.ui_test.create_doc_in_start_center("impress")101 xTemplateDlg = self.xUITest.getTopFocusWindow()102 xCancelBtn = xTemplateDlg.getChild("cancel")103 self.ui_test.close_dialog_through_button(xCancelBtn)104 buttons = ['btnbitmap', 'btncolor', 'btngradient', 'btnhatch', 'btnpattern']105 for index, button in enumerate(buttons):106 self.ui_test.execute_dialog_through_command(".uno:PageSetup")107 xPageSetupDlg = self.xUITest.getTopFocusWindow()108 tabcontrol = xPageSetupDlg.getChild("tabcontrol")109 select_pos(tabcontrol, "1")110 xBtn = xPageSetupDlg.getChild(button)111 xBtn.executeAction("CLICK", tuple())112 xOkBtn = xPageSetupDlg.getChild("ok")113 xOkBtn.executeAction("CLICK", tuple())114 xConfirmDlg = self.xUITest.getTopFocusWindow()115 xNoBtn = xConfirmDlg.getChild("no")116 xNoBtn.executeAction("CLICK", tuple())117 self.checkDefaultBackground(button)118 self.ui_test.execute_dialog_through_command(".uno:PageSetup")119 xPageSetupDlg = self.xUITest.getTopFocusWindow()120 tabcontrol = xPageSetupDlg.getChild("tabcontrol")121 select_pos(tabcontrol, "1")122 xBtn = xPageSetupDlg.getChild('btnnone')123 xBtn.executeAction("CLICK", tuple())124 xOkBtn = xPageSetupDlg.getChild("ok")125 xOkBtn.executeAction("CLICK", tuple())126 xConfirmDlg = self.xUITest.getTopFocusWindow()127 xNoBtn = xConfirmDlg.getChild("no")128 xNoBtn.executeAction("CLICK", tuple())129 self.checkDefaultBackground('btnnone')130 self.ui_test.close_doc()...

Full Screen

Full Screen

pagerank.py

Source:pagerank.py Github

copy

Full Screen

1import os2import random3import re4import sys5import copy6DAMPING = 0.857SAMPLES = 100008def main():9 if len(sys.argv) != 2:10 sys.exit("Usage: python pagerank.py corpus")11 corpus = crawl(sys.argv[1])12 # Rank pages using sampling13 ranks = sample_pagerank(corpus, DAMPING, SAMPLES)14 print(f"PageRank Results from Sampling (n = {SAMPLES})")15 for page in sorted(ranks):16 print(f" {page}: {ranks[page]:.4f}")17 18 # Rank pages using iteration19 ranks = iterate_pagerank(corpus, DAMPING)20 print(f"PageRank Results from Iteration")21 for page in sorted(ranks):22 print(f" {page}: {ranks[page]:.4f}")23 24def crawl(directory):25 """26 Parses a `directory` of HTML pages and check for links to other pages.27 Returns a dictionary where each key is a page, and the values are28 a list of all other pages in the corpus that are linked to by the page.29 """30 pages = dict()31 # Extract all links from HTML files32 for filename in os.listdir(directory):33 if not filename.endswith(".html"):34 continue35 with open(os.path.join(directory, filename)) as f:36 contents = f.read()37 links = re.findall(r"<a\s+(?:[^>]*?)href=\"([^\"]*)\"", contents)38 pages[filename] = set(links) - {filename}39 # Only include links to other pages in the corpus40 for filename in pages:41 pages[filename] = set(42 link for link in pages[filename]43 if link in pages44 )45 return pages46def transition_model(corpus, page, damping_factor):47 """48 Returns a probability distribution (PD) over which page to visit next,49 given a current page.50 With probability `damping_factor`, chooses a link linked to by `page`. 51 With probability `1 - damping_factor`, chooses a link from all pages in `corpus`.52 """53 # Create dictionary of all html_pages54 pages_PD = dict()55 for html_page in corpus:56 pages_PD.setdefault(html_page, 0)57 58 # Assign a selection probability to each link in page59 if len(corpus[page]) != 0: # Number of links in page is not 060 for html_page in corpus[page]:61 pages_PD[html_page] += damping_factor/len(corpus[page])62 63 if len(corpus[page]) == 0: # Number of links in page is 064 for html_page in pages_PD:65 pages_PD[html_page] += damping_factor/len(pages_PD)66 # Assign a probability to randomly choose each page in corpus67 for html_page in pages_PD:68 pages_PD[html_page] += (1-damping_factor)/len(pages_PD)69 return pages_PD70def sample_pagerank(corpus, damping_factor, n):71 """72 Returns PageRank values for each page by sampling `n` pages73 according to transition model, starting with a page at random.74 Return a dictionary where keys are page names and values are75 their estimated PageRank value (between 0 and 1). All76 PageRank values sum to 1.77 """78 # Create dictionary of all html_pages79 ranked_pages = dict()80 for html_page in corpus:81 ranked_pages.setdefault(html_page, 0)82 # Select a random page to start83 sampled_page = random.choice(list(ranked_pages.keys()))84 85 # Sample corpus pages n times 86 for i in range(n):87 # Determine the PD of pages to visit next88 sampled_page_PD = transition_model(corpus, sampled_page, DAMPING)89 # Select a page to visit90 population = list(sampled_page_PD.keys())91 weights = list(sampled_page_PD.values())92 sampled_page = random.choices(population, weights)[0]93 # Record visit in dictionary94 for html_page in ranked_pages: 95 if html_page == sampled_page:96 ranked_pages[html_page] += 1/n97 return ranked_pages98def iterate_pagerank(corpus, damping_factor):99 """100 Returns PageRank values for each page by iteratively updating101 PageRank values until convergence.102 Returns a dictionary where keys are page names and values are103 their estimated PageRank value (between 0 and 1). All104 PageRank values sum to 1.105 """106 # Create dictionary of all html_pages107 ranked_pages = dict()108 # Assign each page an equivalent rank to start with109 for html_page in corpus:110 ranked_pages.setdefault(html_page, 1/len(corpus))111 112 # Repeat until PageRank values converge113 while True: 114 # Create a deepcopy of the dictionary115 old_ranked_pages = copy.deepcopy(ranked_pages)116 # Calculate the probability that the random surfer arrives at each html_page117 for html_page in ranked_pages:118 119 # Probability of choosing page at random120 random_choice = (1-damping_factor)/len(corpus)121 122 # Probability of arriving to page from a link in another page123 link_choice = 0124 for page in corpus:125 if len(corpus[page]) != 0: # If there are links in the page 126 for i in range(len(corpus[page])): 127 if list(corpus[page])[i] == html_page:128 link_choice += old_ranked_pages[page]/len(corpus[page])129 else: # If there are no links in the page130 link_choice += old_ranked_pages[page]/len(corpus)131 132 # Total probability of arriving at the page133 ranked_pages[html_page] = random_choice + damping_factor*link_choice134 # Check if the probabilities have converged (change in PageRank values of no more than 0.001)135 converged = 0136 for html_page in ranked_pages:137 if abs(ranked_pages[html_page] - old_ranked_pages[html_page]) <= 0.001:138 converged += 1139 if converged == len(corpus):140 break 141 142 return ranked_pages143if __name__ == "__main__":...

Full Screen

Full Screen

pages.py

Source:pages.py Github

copy

Full Screen

...19 pages_css = 'div.xmodule_StaticTabModule'20 page_name_html = world.css_html(pages_css)21 assert_equal(page_name_html, '\n {name}\n'.format(name=name))22@step(u'I should not see any static pages$')23def not_see_any_static_pages(step):24 pages_css = 'div.xmodule_StaticTabModule'25 assert (world.is_css_not_present(pages_css, wait_time=30))26@step(u'I "(edit|delete)" the static page$')27def click_edit_or_delete(step, edit_or_delete):28 button_css = 'ul.component-actions a.%s-button' % edit_or_delete29 world.css_click(button_css)30@step(u'I change the name to "([^"]*)"$')31def change_name(step, new_name):32 settings_css = '.settings-button'33 world.css_click(settings_css)34 input_css = 'input.setting-input'35 world.css_fill(input_css, new_name)36 if world.is_firefox():37 world.trigger_event(input_css)38 world.save_component()39@step(u'I drag the first static page to the last$')40def drag_first_static_page_to_last(step):41 drag_first_to_last_with_css('.component')42@step(u'I have created a static page$')43def create_static_page(step):44 step.given('I have opened the pages page in a new course')45 step.given('I add a new static page')46@step(u'I have opened the pages page in a new course$')47def open_pages_page_in_new_course(step):48 step.given('I have opened a new course in Studio')49 step.given('I go to the pages page')50@step(u'I have created two different static pages$')51def create_two_pages(step):52 step.given('I have created a static page')53 step.given('I "edit" the static page')54 step.given('I change the name to "First"')55 step.given('I add a new static page')56 # Verify order of pages57 _verify_page_names('First', 'Empty')58@step(u'the static pages are switched$')59def static_pages_are_switched(step):60 _verify_page_names('Empty', 'First')61def _verify_page_names(first, second):62 world.wait_for(63 func=lambda _: len(world.css_find('.xmodule_StaticTabModule')) == 2,64 timeout=200,65 timeout_msg="Timed out waiting for two pages to be present"...

Full Screen

Full Screen

0001_initial.py

Source:0001_initial.py Github

copy

Full Screen

1from south.db import db2from django.db import models3from mypage.pages.models import *4import datetime5class Migration:6 depends_on = (7 ("widgets", "0001_initial"),8 )9 10 def forwards(self, orm):11 12 # Adding model 'Page'13 db.create_table('pages_page', (14 ('id', models.AutoField(primary_key=True)),15 ('template', models.CharField(default='page.html', max_length=100)),16 ('skin', models.CharField(default='', max_length=100, blank=True)),17 ('layout_json', models.TextField()),18 ))19 db.send_create_signal('pages', ['Page'])20 21 # Adding model 'WidgetInPage'22 db.create_table('pages_widgetinpage', (23 ('id', models.AutoField(primary_key=True)),24 ('page', models.ForeignKey(orm.Page, verbose_name=_('Page'))),25 ('rendered_widget', models.ForeignKey(orm['widgets.RenderedWidget'], null=False)),26 ('widget', models.ForeignKey(orm['widgets.Widget'], verbose_name=_('Widget'))),27 ('config_json', models.TextField()),28 ('state', models.SmallIntegerField(default=2)),29 ))30 db.send_create_signal('pages', ['WidgetInPage'])31 32 # Adding model 'UserPage'33 db.create_table('pages_userpage', (34 ('page_ptr', models.OneToOneField(orm['pages.Page'])),35 ('user', models.ForeignKey(orm['auth.User'], unique=True)),36 ))37 db.send_create_signal('pages', ['UserPage'])38 39 # Adding model 'SessionPage'40 db.create_table('pages_sessionpage', (41 ('page_ptr', models.OneToOneField(orm['pages.Page'])),42 ('session_key', models.CharField(_('session key'), unique=True, max_length=40)),43 ('updated', models.DateTimeField(default=datetime.datetime.now, null=False)),44 ))45 db.send_create_signal('pages', ['SessionPage'])46 47 # Creating unique_together for [page, widget] on WidgetInPage.48 db.create_unique('pages_widgetinpage', ['page_id', 'widget_id'])49 50 51 52 def backwards(self, orm):53 54 # Deleting model 'Page'55 db.delete_table('pages_page')56 57 # Deleting model 'WidgetInPage'58 db.delete_table('pages_widgetinpage')59 60 # Deleting model 'UserPage'61 db.delete_table('pages_userpage')62 63 # Deleting model 'SessionPage'64 db.delete_table('pages_sessionpage')65 66 # Deleting unique_together for [page, widget] on WidgetInPage.67 db.delete_unique('pages_widgetinpage', ['page_id', 'widget_id'])68 69 70 71 models = {72 'pages.widgetinpage': {73 'Meta': {'unique_together': "(('page','widget',),)"},74 'config_json': ('models.TextField', [], {}),75 'id': ('models.AutoField', [], {'primary_key': 'True'}),76 'page': ('models.ForeignKey', ["orm['pages.Page']"], {'verbose_name': "_('Page')"}),77 'rendered_widget': ('models.ForeignKey', ["orm['widgets.RenderedWidget']"], {'null': 'False'}),78 'state': ('models.SmallIntegerField', [], {'default': '2'}),79 'widget': ('models.ForeignKey', ["orm['widgets.Widget']"], {'verbose_name': "_('Widget')"})80 },81 'auth.user': {82 '_stub': True,83 'id': ('models.AutoField', [], {'primary_key': 'True'})84 },85 'widgets.widget': {86 '_stub': True,87 'id': ('models.AutoField', [], {'primary_key': 'True'})88 },89 'pages.page': {90 'id': ('models.AutoField', [], {'primary_key': 'True'}),91 'layout_json': ('models.TextField', [], {}),92 'skin': ('models.CharField', [], {'default': "''", 'max_length': '100', 'blank': 'True'}),93 'template': ('models.CharField', [], {'default': "'page.html'", 'max_length': '100'}),94 'widgets': ('models.ManyToManyField', ["orm['widgets.Widget']"], {'through': "'WidgetInPage'"})95 },96 'widgets.renderedwidget': {97 'Meta': {'unique_together': "(('widget','state',),)"},98 '_stub': True,99 'id': ('models.AutoField', [], {'primary_key': 'True'})100 },101 'pages.userpage': {102 'Meta': {'_bases': ['mypage.pages.models.Page']},103 'page_ptr': ('models.OneToOneField', ["orm['pages.Page']"], {}),104 'user': ('models.ForeignKey', ["orm['auth.User']"], {'unique': 'True'})105 },106 'pages.sessionpage': {107 'Meta': {'_bases': ['mypage.pages.models.Page']},108 'page_ptr': ('models.OneToOneField', ["orm['pages.Page']"], {}),109 'session_key': ('models.CharField', ["_('session key')"], {'unique': 'True', 'max_length': '40'}),110 'updated': ('models.DateTimeField', [], {'default': 'datetime.datetime.now', 'null': 'False'})111 }112 }113 ...

Full Screen

Full Screen

digg_paginator.py

Source:digg_paginator.py Github

copy

Full Screen

1from django import template2register = template.Library()3LEADING_PAGE_RANGE_DISPLAYED = TRAILING_PAGE_RANGE_DISPLAYED = 04LEADING_PAGE_RANGE = TRAILING_PAGE_RANGE = 05NUM_PAGES_OUTSIDE_RANGE = 06ADJACENT_PAGES = 27def digg_paginator(context):8 '''9 To be used in conjunction with the object_list generic view.10 Adds pagination context variables for use in displaying leading, adjacent and11 trailing page links in addition to those created by the object_list generic12 view.13 '''14 paginator = context['paginator']15 page_obj = context['page_obj']16 pages = paginator.num_pages17 page = page_obj.number18 in_leading_range = in_trailing_range = False19 pages_outside_leading_range = pages_outside_trailing_range = range(0)20 if pages <= LEADING_PAGE_RANGE_DISPLAYED + NUM_PAGES_OUTSIDE_RANGE + 1:21 in_leading_range = in_trailing_range = True22 page_range = [n for n in range(1, pages + 1)]23 elif page <= LEADING_PAGE_RANGE:24 in_leading_range = True25 page_range = [n for n in range(1, LEADING_PAGE_RANGE_DISPLAYED + 1)]26 pages_outside_leading_range = [27 n + pages for n in range(0, -NUM_PAGES_OUTSIDE_RANGE, -1)]28 elif page > pages - TRAILING_PAGE_RANGE:29 in_trailing_range = True30 page_range = [n for n in range(31 pages - TRAILING_PAGE_RANGE_DISPLAYED + 1, pages + 1) if n > 0 and n <= pages]32 pages_outside_trailing_range = [33 n + 1 for n in range(0, NUM_PAGES_OUTSIDE_RANGE)]34 else:35 page_range = [n for n in range(36 page - ADJACENT_PAGES, page + ADJACENT_PAGES + 1) if n > 0 and n <= pages]37 pages_outside_leading_range = [38 n + pages for n in range(0, -NUM_PAGES_OUTSIDE_RANGE, -1)]39 pages_outside_trailing_range = [40 n + 1 for n in range(0, NUM_PAGES_OUTSIDE_RANGE)]41 # Now try to retain GET params, except for 'page'42 # Add 'django.core.context_processors.request' to settings.TEMPLATE_CONTEXT_PROCESSORS beforehand43 request = context['request']44 params = request.GET.copy()45 # if 'page' in params:46 # del(params['page'])47 # get_params = params.urlencode()48 if 'bounced_contacts_page' in params:49 del(params['bounced_contacts_page'])50 get_params = params.urlencode()51 if page_obj.has_previous():52 previous_page = page_obj.previous_page_number()53 else:54 previous_page = 155 if page_obj.has_next():56 next_page = page_obj.next_page_number()57 else:58 next_page = pages59 return {60 'pages': pages,61 'bounced_contacts_page': page,62 'previous': previous_page,63 'next': next_page,64 'has_previous': page_obj.has_previous(),65 'has_next': page_obj.has_next(),66 'page_range': page_range,67 'in_leading_range': in_leading_range,68 'in_trailing_range': in_trailing_range,69 'pages_outside_leading_range': pages_outside_leading_range,70 'pages_outside_trailing_range': pages_outside_trailing_range,71 'get_params': get_params,72 }73register.inclusion_tag("contact_list_digg_paginator.html",...

Full Screen

Full Screen

main.py

Source:main.py Github

copy

Full Screen

1import streamlit as st2import pages.home3import pages.world_view4import pages.news5import pages.credits6import pages.modelling7import pages.population8import pages.growth9import pages.tracing10import pages.seir11import pages.virus_model12import pages.hubs13import pages.finance14import pages.vaccination15import pages.testing16from support.utilities import world_map, world_plot, stats17PAGES = {18 "Home": pages.home,19 "World View": pages.world_view,20 "World News": pages.news,21 "Disease growth": pages.growth,22 "Population Modelling": pages.population,23 "Track and Trace": pages.tracing,24 "Central Hubs": pages.hubs,25 "Finance Simulation": pages.finance,26 "SIR and SEIR Modelling": pages.modelling,27 "Advanced SEIR Modelling": pages.seir,28 "Vaccination Modelling": pages.vaccination,29 "Coronavirus Modelling": pages.virus_model,30 "A/B Testing": pages.testing,31 "Credits": pages.credits,32}33def main():34 st.sidebar.title("Navigation")35 selection = st.sidebar.radio("Go to", list(PAGES.keys()))36 st.sidebar.title("Contribute")37 st.sidebar.info(38 "This an open source research project, therefore any **suggestion** is welcome. "39 "The source code used to create this Web App, is available at "40 "[this link](https://github.com/pierpaolo28/Epidemics-Modelling). "41 )42 st.sidebar.title("About")43 st.sidebar.info(44 """45 This app is maintained by Pier Paolo Ippolito. You can learn more about me at46 [pierpaolo28.github.io](https://pierpaolo28.github.io/).47 """48 )49 if selection == "Home":50 pages.home.write()51 elif selection == "World View":52 pages.world_view.write()53 elif selection == "World News":54 pages.news.write()55 elif selection == "Disease growth":56 pages.growth.write()57 elif selection == "Track and Trace":58 pages.tracing.write()59 elif selection == "Central Hubs":60 pages.hubs.write()61 elif selection == "Finance Simulation":62 pages.finance.write()63 elif selection == "Credits":64 pages.credits.write()65 elif selection == "Population Modelling":66 pages.population.write()67 elif selection == "SIR and SEIR Modelling":68 pages.modelling.write()69 elif selection == "Advanced SEIR Modelling":70 pages.seir.write()71 elif selection == "Vaccination Modelling":72 pages.vaccination.write()73 elif selection == "Coronavirus Modelling":74 pages.virus_model.write()75 elif selection == "A/B Testing":76 pages.testing.write()77if __name__ == "__main__":...

Full Screen

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2(async () => {3 const browser = await puppeteer.launch();4 const page = await browser.newPage();5 await page.pdf({path: 'hn.pdf', format: 'A4'});6 await browser.close();7})();8const puppeteer = require('puppeteer');9(async () => {10 const browser = await puppeteer.launch();11 const page = await browser.newPage();12 await page.pdf({path: 'hn.pdf', format: 'A4'});13 await browser.close();14})();15const puppeteer = require('puppeteer');16(async () => {17 const browser = await puppeteer.launch();18 const page = await browser.newPage();19 await page.pdf({path: 'hn.pdf', format: 'A4'});20 await browser.close();21})();22const puppeteer = require('puppeteer');23(async () => {24 const browser = await puppeteer.launch();25 const page = await browser.newPage();26 await page.pdf({path: 'hn.pdf', format: 'A4'});27 await browser.close();28})();29const puppeteer = require('puppeteer');30(async () => {31 const browser = await puppeteer.launch();32 const page = await browser.newPage();33 await page.pdf({path: 'hn.pdf', format: 'A4'});34 await browser.close();35})();36const puppeteer = require('puppeteer');37(async () => {38 const browser = await puppeteer.launch();39 const page = await browser.newPage();40 await page.pdf({path: 'hn.pdf', format: 'A4'});41 await browser.close();42})();43const puppeteer = require('puppeteer');

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2(async () => {3 const browser = await puppeteer.launch();4 const page = await browser.newPage();5 await page.pdf({path: 'hn.pdf', format: 'A4'});6 await browser.close();7})();8const puppeteer = require('puppeteer');9(async () => {10 const browser = await puppeteer.launch();11 const page = await browser.newPage();12 await page.screenshot({path: 'example.png'});13 await browser.close();14})();15const puppeteer = require('puppeteer');16(async () => {17 const browser = await puppeteer.launch();18 const page = await browser.newPage();19 await page.pdf({path: 'hn.pdf', format: 'A4'});20 await page.screenshot({path: 'example.png'});21 await browser.close();22})();23const puppeteer = require('puppeteer');24(async () => {25 const browser = await puppeteer.launch();26 const page = await browser.newPage();27 await page.pdf({path: 'hn.pdf', format: 'A4'});28 await page.screenshot({path: 'example.png'});29 await browser.close();30})();31const puppeteer = require('puppeteer');32(async () => {33 const browser = await puppeteer.launch();34 const page = await browser.newPage();35 await page.pdf({path: 'hn.pdf', format: 'A4'});36 await page.screenshot({path: 'example.png'});37 await browser.close();38})();39const puppeteer = require('puppeteer');40(async () => {41 const browser = await puppeteer.launch();42 const page = await browser.newPage();43 await page.pdf({path: 'hn.pdf', format: 'A

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2(async () => {3 const browser = await puppeteer.launch();4 const page = await browser.newPage();5 await page.screenshot({ path: 'example.png' });6 await browser.close();7})();8const puppeteer = require('puppeteer');9(async () => {10 const browser = await puppeteer.launch();11 const page = await browser.newPage();12 await page.screenshot({ path: 'example.png' });13 await browser.close();14})();15const puppeteer = require('puppeteer');16(async () => {17 const browser = await puppeteer.launch();18 const page = await browser.newPage();19 await page.screenshot({ path: 'example.png' });20 await browser.close();21})();22const puppeteer = require('puppeteer');23(async () => {24 const browser = await puppeteer.launch();25 const page = await browser.newPage();26 await page.screenshot({ path: 'example.png' });27 await browser.close();28})();29const puppeteer = require('puppeteer');30(async () => {31 const browser = await puppeteer.launch();32 const page = await browser.newPage();33 await page.screenshot({ path: 'example.png' });34 await browser.close();35})();36const puppeteer = require('puppeteer');37(async () => {38 const browser = await puppeteer.launch();39 const page = await browser.newPage();40 await page.screenshot({ path: 'example.png' });41 await browser.close();42})();43const puppeteer = require('puppeteer');44(async () => {45 const browser = await puppeteer.launch();

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2(async () => {3 const browser = await puppeteer.launch();4 const page = await browser.newPage();5 await page.pdf({path: 'google.pdf', format: 'A4'});6 await browser.close();7})();8const puppeteer = require('puppeteer');9(async () => {10 const browser = await puppeteer.launch();11 const page = await browser.newPage();12 await page.pdf({path: 'google.pdf', format: 'A4'});13 await browser.close();14})();15const puppeteer = require('puppeteer');16(async () => {17 const browser = await puppeteer.launch();18 const page = await browser.newPage();19 await page.pdf({path: 'google.pdf', format: 'A4'});20 await browser.close();21})();22const puppeteer = require('puppeteer');23(async () => {24 const browser = await puppeteer.launch();25 const page = await browser.newPage();26 await page.pdf({path: 'google.pdf', format: 'A4'});27 await browser.close();28})();29const puppeteer = require('puppeteer');30(async () => {31 const browser = await puppeteer.launch();32 const page = await browser.newPage();33 await page.pdf({path: 'google.pdf', format: 'A4'});34 await browser.close();35})();36const puppeteer = require('puppeteer');37(async () => {38 const browser = await puppeteer.launch();39 const page = await browser.newPage();40 await page.pdf({path: 'google.pdf', format: 'A4'});41 await browser.close();42})();43const puppeteer = require('puppeteer');

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2const fs = require('fs');3(async () => {4 const browser = await puppeteer.launch();5 const page = await browser.newPage();6 await page.screenshot({path: 'google.png'});7 await browser.close();8})();9const puppeteer = require('puppeteer');10const fs = require('fs');11(async () => {12 const browser = await puppeteer.launch();13 const page = await browser.newPage();14 await page.screenshot({path: 'google.png'});15 await browser.close();16})();17const puppeteer = require('puppeteer');18const fs = require('fs');19(async () => {20 const browser = await puppeteer.launch();21 const page = await browser.newPage();22 await page.screenshot({path: 'google.png'});23 await browser.close();24})();25const puppeteer = require('puppeteer');26const fs = require('fs');27(async () => {28 const browser = await puppeteer.launch();29 const page = await browser.newPage();30 await page.screenshot({path: 'google.png'});31 await browser.close();32})();33const puppeteer = require('puppeteer');34const fs = require('fs');35(async () => {36 const browser = await puppeteer.launch();37 const page = await browser.newPage();38 await page.screenshot({path: 'google.png'});39 await browser.close();40})();41const puppeteer = require('puppeteer');42const fs = require('fs');43(async () => {44 const browser = await puppeteer.launch();45 const page = await browser.newPage();46 await page.screenshot({path: 'google.png'});47 await browser.close();48})();

Full Screen

Using AI Code Generation

copy

Full Screen

1(async () => {2 const browser = await puppeteer.launch();3 const page = await browser.newPage();4 await page.screenshot({path: 'google.png'});5 await browser.close();6})();7(async () => {8 const browser = await puppeteer.launch();9 const page = await browser.newPage();10 await page.screenshot({path: 'google.png'});11 await browser.close();12})();13(async () => {14 const browser = await puppeteer.launch();15 const page = await browser.newPage();16 await page.screenshot({path: 'google.png'});17 await browser.close();18})();19(async () => {20 const browser = await puppeteer.launch();21 const page = await browser.newPage();22 await page.screenshot({path: 'google.png'});23 await browser.close();24})();25(async () => {26 const browser = await puppeteer.launch();27 const page = await browser.newPage();28 await page.screenshot({path: 'google.png'});29 await browser.close();30})();31(async () => {32 const browser = await puppeteer.launch();33 const page = await browser.newPage();34 await page.screenshot({path: 'google.png'});35 await browser.close();36})();37(async () => {38 const browser = await puppeteer.launch();39 const page = await browser.newPage();40 await page.screenshot({path: 'google.png'});41 await browser.close();42})();43(async () => {44 const browser = await puppeteer.launch();45 const page = await browser.newPage();

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2const fs = require('fs');3const path = require('path');4(async () => {5 const browser = await puppeteer.launch();6 const page = await browser.newPage();7 await page.pdf({path: 'google.pdf', format: 'A4'});8 await browser.close();9})();

Full Screen

Using AI Code Generation

copy

Full Screen

1const puppeteer = require('puppeteer');2const fs = require('fs');3const path = require('path');4const util = require('util');5const writeFile = util.promisify(fs.writeFile);6(async () => {7 const browser = await puppeteer.launch({8 });9 const page = await browser.newPage();10 await page.screenshot({path: 'example.png'});11 await browser.close();12})();13const puppeteer = require('puppeteer');14const fs = require('fs');15const path = require('path');16const util = require('util');17const writeFile = util.promisify(fs.writeFile);18(async () => {19 const browser = await puppeteer.launch({20 });21 const page = await browser.newPage();22 await page.pdf({path: 'example.pdf'});23 await browser.close();24})();25- Puppeteer API documentation can be found [here](

Full Screen

Using AI Code Generation

copy

Full Screen

1(async () => {2 const browser = await puppeteer.launch();3 const page = await browser.newPage();4 const pages = await browser.pages();5 for (let i = 0; i < pages.length; i++) {6 console.log(`Page Title: ${await pages[i].title()}`);7 }8 await browser.close();9})();10(async () => {11 const browser = await puppeteer.launch();12 const page = await browser.newPage();13 console.log(`Page Title: ${await page.title()}`);14 await browser.close();15})();16(async () => {17 const browser = await puppeteer.launch();18 const page = await browser.newPage();19 console.log(`Page Title: ${await page.title()}`);20 await browser.close();21})();22(async () => {23 const browser = await puppeteer.launch();24 const page = await browser.newPage();25 console.log(`Page Title: ${await page.title()}`);26 await browser.close();27 console.log(`Browser Closed: ${await browser.isClosed()}`);28})();

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Run Puppeteer automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful