├── .gitignore ├── Automate The Boring Stuff └── Automate the Boring Stuff with Python (2015).pdf ├── Mini-Scripts for automation ├── Readme.md └── rename.py ├── README.md ├── SantaBantaWallpaper └── scrap.py ├── WebScrapping ├── DownloadXKCDImages │ └── xkcd.py ├── FeelingLucky_GoogleSearch │ └── flucky.py ├── GoogleImageScrapper │ ├── googler.py │ └── output.txt ├── mapIt.py └── openURLs.py └── password_extractor.py /.gitignore: -------------------------------------------------------------------------------- 1 | # Byte-compiled / optimized / DLL files 2 | __pycache__/ 3 | *.py[cod] 4 | *$py.class 5 | 6 | # C extensions 7 | *.so 8 | 9 | # Distribution / packaging 10 | .Python 11 | env/ 12 | build/ 13 | develop-eggs/ 14 | dist/ 15 | downloads/ 16 | eggs/ 17 | .eggs/ 18 | lib/ 19 | lib64/ 20 | parts/ 21 | sdist/ 22 | var/ 23 | wheels/ 24 | *.egg-info/ 25 | .installed.cfg 26 | *.egg 27 | 28 | # PyInstaller 29 | # Usually these files are written by a python script from a template 30 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 31 | *.manifest 32 | *.spec 33 | 34 | # Installer logs 35 | pip-log.txt 36 | pip-delete-this-directory.txt 37 | 38 | # Unit test / coverage reports 39 | htmlcov/ 40 | .tox/ 41 | .coverage 42 | .coverage.* 43 | .cache 44 | nosetests.xml 45 | coverage.xml 46 | *.cover 47 | .hypothesis/ 48 | 49 | # Translations 50 | *.mo 51 | *.pot 52 | 53 | # Django stuff: 54 | *.log 55 | local_settings.py 56 | 57 | # Flask stuff: 58 | instance/ 59 | .webassets-cache 60 | 61 | # Scrapy stuff: 62 | .scrapy 63 | 64 | # Sphinx documentation 65 | docs/_build/ 66 | 67 | # PyBuilder 68 | target/ 69 | 70 | # Jupyter Notebook 71 | .ipynb_checkpoints 72 | 73 | # pyenv 74 | .python-version 75 | 76 | # celery beat schedule file 77 | celerybeat-schedule 78 | 79 | # SageMath parsed files 80 | *.sage.py 81 | 82 | # dotenv 83 | .env 84 | 85 | # virtualenv 86 | .venv 87 | venv/ 88 | ENV/ 89 | 90 | # Spyder project settings 91 | .spyderproject 92 | .spyproject 93 | 94 | # Rope project settings 95 | .ropeproject 96 | 97 | # mkdocs documentation 98 | /site 99 | 100 | # mypy 101 | .mypy_cache/ 102 | -------------------------------------------------------------------------------- /Automate The Boring Stuff/Automate the Boring Stuff with Python (2015).pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/iamc1oud/AutomateWithPython/998dad9a61fec704f8e41ac6842e7b710997f63b/Automate The Boring Stuff/Automate the Boring Stuff with Python (2015).pdf -------------------------------------------------------------------------------- /Mini-Scripts for automation/Readme.md: -------------------------------------------------------------------------------- 1 | 2 | -------------------------------------------------------------------------------- /Mini-Scripts for automation/rename.py: -------------------------------------------------------------------------------- 1 | import os 2 | 3 | i = 0 4 | x = os.listdir(os.getcwd()) 5 | for file_name in x: 6 | print(file_name) 7 | i = i + 1 8 | os.rename(file_name, "program{}.py".format(i)) -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Just fork and contribute your scripts 🤩 2 | # AutomateWithPython 3 | 4 | If you've ever spent hours renaming files or updating hundreds of spreadsheet cells, you know how tedious tasks like these can be. 5 | But what if you could have your computer do them for you? In Automate the Boring Stuff with Python, you'll learn how to use Python 6 | to write programs that do in minutes what would take you hours to do by hand-no prior programming experience required. Once you've 7 | mastered the basics of programming, you'll create Python programs that effortlessly perform useful and impressive feats of automation 8 | to: 9 | 10 | Search for text in a file or across multiple files 11 | Create, update, move, and rename files and folders 12 | Search the Web and download online content 13 | Update and format data in Excel spreadsheets of any size 14 | Split, merge, watermark, and encrypt PDFs 15 | Send reminder emails and text notifications 16 | Fill out online forms 17 | -------------------------------------------------------------------------------- /SantaBantaWallpaper/scrap.py: -------------------------------------------------------------------------------- 1 | import requests, os, sys, bs4 2 | 3 | 4 | url = 'http://www.santabanta.com/photos/3-d/2110782.htm' 5 | os.makedirs('Images') 6 | while not url.endswith('#'): 7 | res = requests.get(url) 8 | res.raise_for_status() 9 | soup = bs4.BeautifulSoup(res.text) 10 | 11 | #Find url of image 12 | imageELE = soup.select('#wall') 13 | if imageELE == []: 14 | print('No image') 15 | else: 16 | imageURL = imageELE[0].get('src') 17 | 18 | #Downloading the image 19 | res = requests.get(imageURL) 20 | res.raise_for_status() 21 | 22 | #Saving the image 23 | imageFile = open(os.path.join('Images',os.path.basename(imageURL)),'wb') 24 | for chunk in res.iter_content(10000): 25 | imageFile.write(chunk) 26 | imageFile.close() 27 | 28 | #Get next button's URL 29 | nextLink = soup.select('#wall_next')[0] 30 | url = 'http://www.santabanta.com' + nextLink.get('href') 31 | print('Done') -------------------------------------------------------------------------------- /WebScrapping/DownloadXKCDImages/xkcd.py: -------------------------------------------------------------------------------- 1 | #! python3 2 | # downloadXkcd.py - Downloads every single XKCD comic. 3 | 4 | import requests, os, bs4 5 | 6 | url = 'http://xkcd.com' # starting url 7 | os.makedirs('xkcd') # store comics in ./xkcd 8 | while not url.endswith('#'): 9 | # Download the page. 10 | print('Downloading page %s...' % url) 11 | res = requests.get(url) 12 | res.raise_for_status() 13 | # print(res.text) 14 | 15 | soup = bs4.BeautifulSoup(res.text) 16 | 17 | # Find the URL of the comic image. 18 | comicElem = soup.select('#comic img') 19 | if comicElem == []: 20 | print('Could not find comic image.') 21 | else: 22 | comicUrl = comicElem[0].get('src') 23 | # Download the image. 24 | print('Downloading image %s...' % (comicUrl)) 25 | res = requests.get('http:' + comicUrl) 26 | res.raise_for_status() 27 | 28 | # Save the image to ./xkcd 29 | imageFile = open(os.path.join('xkcd', os.path.basename(comicUrl)), 'wb') 30 | for chunk in res.iter_content(100000): 31 | imageFile.write(chunk) 32 | imageFile.close() 33 | 34 | # Get the Prev button's url. 35 | prevLink = soup.select('a[rel="prev"]')[0] 36 | url = 'https://xkcd.com'+ prevLink.get('href') 37 | print(url) 38 | 39 | print('Done.') -------------------------------------------------------------------------------- /WebScrapping/FeelingLucky_GoogleSearch/flucky.py: -------------------------------------------------------------------------------- 1 | import webbrowser, bs4, requests, sys 2 | 3 | print('Googling...') #display text while downloading the page 4 | 5 | res = requests.get('http://www.google.com/search?q='+ ' '.join(sys.argv[1:])) 6 | res.raise_for_status() 7 | 8 | #TODO: Retrieve top search results 9 | soup = bs4.BeautifulSoup(res.text) 10 | 11 | #TODO: Open a browser tab for each result 12 | linkElements = soup.select('.r a') 13 | 14 | for r in range(len(linkElements)): 15 | print(linkElements) 16 | numOpen = min(2, len(linkElements)) 17 | for i in range(numOpen): 18 | webbrowser.open('http://www.google.com/'+linkElements[i].get('href')) -------------------------------------------------------------------------------- /WebScrapping/GoogleImageScrapper/googler.py: -------------------------------------------------------------------------------- 1 | 2 | #Searching and Downloading Google Images/Image Links 3 | 4 | #Import Libraries 5 | 6 | #coding: UTF-8 7 | 8 | import time #Importing the time library to check the time of code execution 9 | import sys #Importing the System Library 10 | import os 11 | import urllib2 12 | import bs4 13 | import webbrowser 14 | 15 | 16 | ########### Edit From Here ########### 17 | 18 | #This list is used to search keywords. You can edit this list to search for google images of your choice. You can simply add and remove elements of the list. 19 | search_keyword = sys.argv[1:] 20 | 21 | #This list is used to further add suffix to your search term. Each element of the list will help you download 100 images. First element is blank which denotes that no suffix is added to the search keyword of the above list. You can edit the list by adding/deleting elements from it.So if the first element of the search_keyword is 'Australia' and the second element of keywords is 'high resolution', then it will search for 'Australia High Resolution' 22 | keywords = [' high resolution'] 23 | 24 | ########### End of Editing ########### 25 | 26 | 27 | 28 | 29 | #Downloading entire Web Document (Raw Page Content) 30 | def download_page(url): 31 | version = (3,0) 32 | cur_version = sys.version_info 33 | if cur_version >= version: #If the Current Version of Python is 3.0 or above 34 | import urllib.request #urllib library for Extracting web pages 35 | try: 36 | headers = {} 37 | headers['User-Agent'] = "Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36" 38 | req = urllib.request.Request(url, headers = headers) 39 | resp = urllib.request.urlopen(req) 40 | respData = str(resp.read()) 41 | return respData 42 | except Exception as e: 43 | print(str(e)) 44 | else: #If the Current Version of Python is 2.x 45 | import urllib2 46 | try: 47 | headers = {} 48 | headers['User-Agent'] = "Mozilla/5.0 (X11; Linux i686) AppleWebKit/537.17 (KHTML, like Gecko) Chrome/24.0.1312.27 Safari/537.17" 49 | req = urllib2.Request(url, headers = headers) 50 | response = urllib2.urlopen(req) 51 | page = response.read() 52 | return page 53 | except: 54 | return"Page Not found" 55 | 56 | 57 | #Finding 'Next Image' from the given raw page 58 | def _images_get_next_item(s): 59 | start_line = s.find('rg_di') 60 | if start_line == -1: #If no links are found then give an error! 61 | end_quote = 0 62 | link = "no_links" 63 | return link, end_quote 64 | else: 65 | start_line = s.find('"class="rg_meta"') 66 | start_content = s.find('"ou"',start_line+1) 67 | end_content = s.find(',"ow"',start_content+1) 68 | content_raw = str(s[start_content+6:end_content-1]) 69 | return content_raw, end_content 70 | 71 | 72 | #Getting all links with the help of '_images_get_next_image' 73 | def _images_get_all_items(page): 74 | items = [] 75 | while True: 76 | item, end_content = _images_get_next_item(page) 77 | if item == "no_links": 78 | break 79 | else: 80 | items.append(item) #Append all the links in the list named 'Links' 81 | time.sleep(0.1) #Timer could be used to slow down the request for image downloads 82 | page = page[end_content:] 83 | return items 84 | 85 | 86 | ############## Main Program ############ 87 | t0 = time.time() #start the timer 88 | 89 | #Download Image Links 90 | i= 0 91 | while i" + " Item name = " + str(search_keyword[i]) 94 | print (iteration) 95 | print ("Evaluating...") 96 | search_keywords = search_keyword[i] 97 | search = search_keywords.replace(' ','%20') 98 | 99 | #make a search keyword directory 100 | try: 101 | os.makedirs(search_keywords) 102 | except OSError, e: 103 | if e.errno != 17: 104 | raise 105 | # time.sleep might help here 106 | pass 107 | 108 | j = 0 109 | while j "+str(k+1)) 150 | 151 | k=k+1; 152 | 153 | except IOError: #If there is any IOError 154 | 155 | errorCount+=1 156 | print("IOError on image "+str(k+1)) 157 | k=k+1; 158 | 159 | except HTTPError as e: #If there is any HTTPError 160 | 161 | errorCount+=1 162 | print("HTTPError"+str(k)) 163 | k=k+1; 164 | except URLError as e: 165 | 166 | errorCount+=1 167 | print("URLError "+str(k)) 168 | k=k+1; 169 | 170 | i = i+1 171 | 172 | print("\n") 173 | print("Everything downloaded!") 174 | print("\n"+str(errorCount)+" ----> total Errors") 175 | 176 | #----End of the main program ----# 177 | 178 | 179 | # In[ ]: 180 | 181 | -------------------------------------------------------------------------------- /WebScrapping/GoogleImageScrapper/output.txt: -------------------------------------------------------------------------------- 1 | 0: Australia: ['http://www.vidiani.com/maps/maps_of_australia_and_oceania/maps_of_australia/high_resolution_relief_map_of_australia.jpg', 'http://wallpaperswide.com/download/sydney_opera_house_australia_2-wallpaper-2560x1440.jpg', 'http://www.telesurf.com.au/blog/wp-content/uploads/2015/06/NBN-Australia.jpg', 'http://files.all-free-download.com//downloadfiles/wallpapers/1600_1200/sun_kissed_sydney_wallpaper_australia_world_1908.jpg', 'http://interfacelift.com/wallpaper/previews/02926_walpagorgeaustralia_672x420.jpg', 'https://2016.export.gov/australia/build/groups/public/@eg_au/documents/webcontent/~export/eg_au_024749~72~DCT_Center_Content/324488-1.jpg', 'http://www.wallpapers-web.com/data/out/22/3885368-australia-beach-wallpapers.jpg', 'http://www.bom.gov.au/climate/how/newproducts/images/pp-jun-hres.jpg', 'http://travelhdwallpapers.com/wp-content/uploads/2014/04/Australia-Sunset-2.jpg', 'https://d30bjm1vsa9rrn.cloudfront.net/files/media/International_Media_Centre/Images/SOH/Hi_Res/Sydney_Opera_House_1.jpg', 'https://hdwallsource.com/img/2014/9/australia-wallpaper-23884-24540-hd-wallpapers.jpg', 'http://thewallpaper.co/wp-content/uploads/2016/03/abstract-other-australian-vacation-wide-high-resolution-wallpaper-downloaaustralibeach-images-free-amazing-colorful-best-1916x1215.jpg', 'http://www.wallpapers13.com/wp-content/uploads/2016/01/Sydney-Australia-full-screen-high-resolution-wallpaper-Hd.jpg', 'http://www.dramaticphotographic.com/images/gif/dpsyd02t.jpg', 'https://logimg.files.wordpress.com/2016/08/astralia-high-resolution-map.jpg', 'https://hdwallsource.com/img/2014/9/hd-australia-wallpaper-23895-24551-hd-wallpapers.jpg', 'https://thiswallpaper.com/cdn/hdwallpapers/858/australia%20beach%20high%20resolution%20wallpaper.jpg', 'http://www.australia.edu/images/stories/maps/map_of_australia_travel_print.jpg', 'http://c8.alamy.com/comp/ANA2A7/needle-eye-venus-bay-south-australia-high-resolution-digital-camera-ANA2A7.jpg', 'https://upload.wikimedia.org/wikipedia/commons/thumb/a/a0/Australia_high_resolution_topography_and_bathymetry.png/1280px-Australia_high_resolution_topography_and_bathymetry.png', 'http://www.alhudahomework.org/wp-content/uploads/2017/09/Australia-Wallpaper-Al12a.jpg', 'https://ak5.picdn.net/shutterstock/videos/22295215/thumb/1.jpg', 'http://fungyung.com/data/out/9/63842991-australia-wallpapers.jpg', 'http://thewallpaper.co/wp-content/uploads/2016/03/Bondi-Beach-Sydney-Australia-widescreen-high-resolution-desktop-Backgroun-wallpaper-image-free-amazing-artworks-samsung-background-images-1920x1080.jpg', 'https://d2v9y0dukr6mq2.cloudfront.net/video/thumbnail/fBvKyIA/australia-high-resolution-elevation-and-bathymetry-maps-coloured-and-merged-with-lakes-and-rivers-gis-data-graticule-added-elements-of-this-image-furnished-by-nasa_e1jixkhy__F0000.png', 'http://c8.alamy.com/comp/B3X450/surfers-paradise-gold-coast-australia-high-resolution-panorama-B3X450.jpg', 'http://natbg.com/wp-content/uploads/2017/01/beaches-australia-scenery-hd-background.jpg', 'http://2.bp.blogspot.com/-5hTpOi0SJxM/UdkJq4Z3DNI/AAAAAAAAA7c/m-F0yURaA6c/s1600/australian_outback.jpg', 'http://www.atlasdigitalmaps.com/media/catalog/product/a/u/australiapolseacontmain3.jpg', 'http://images.all-free-download.com/images/graphiclarge/rottnest_island_australia_indian_ocean_215926.jpg', 'http://www.stockmapagency.com/media/Country/Modern/T_Austra_Pol2.jpg', 'http://www.nicolegeri.com/wp-content/uploads/2015/01/high-resolution-kangaroo-hd-wallpapers-new-fresh-images-of-kangaroo-animals-free-download-desktop-background-photos.jpg', 'http://thewallpaper.co/wp-content/uploads/2017/09/beaches-nature-images-landscapes-australialandscape-coast-gold-turquoise-buildings-mobile-watersocean-high-resolution-cityscapes-apple-backgrounds-sand.jpg', 'http://bsnscb.com/data/out/13/39046402-australia-wallpapers.jpg', 'http://c8.alamy.com/comp/B3XRX3/surfers-paradise-gold-coast-australia-high-resolution-panorama-B3XRX3.jpg', 'https://d30bjm1vsa9rrn.cloudfront.net/img/2016/opera-australia-the-eighth-wonder-hamilton-lund.jpg', 'http://thewallpaper.co/wp-content/uploads/2016/03/beach-australia-nature-high-resolution-wallpaper-download-beach-images-free-cool-high-resolution-iphone-wallpaper-1920x1080.jpg', 'https://www.ngdc.noaa.gov/mgg/topo/pictures/AUSTRALIAcolshade.jpg', 'http://jksj.org/wp-content/uploads/2016/01/High-res1.jpg', 'http://xinature.com/wp-content/uploads/2017/01/misc-australia-oceans-parks-campbell-national-park-nature-rocks-desktop-photo-1600x1080.jpg', 'http://architectureimg.com/wp-content/uploads/2017/06/other-sydney-australia-wallpapers-1600x1080.jpg', 'http://australiamaps.info/wp-content/uploads/2017/12/map-of-sydney-australia-neighborhoods-with-top-tourist-attractions-14-greater-central-area-suburbs-district-zones-neighbourhoods-administrative-divisions-high-resolution.jpg', 'http://ak4.picdn.net/shutterstock/videos/10044434/thumb/1.jpg', 'http://ognature.com/wp-content/uploads/2017/04/mountain-chi-sky-trees-malalcahuello-clouds-snowy-road-autumn-reserve-national-lonquimay-beautiful-peaks-fence-grass-mountains-chile-volcano-himalaya-image-1366x768.jpg', 'https://ssl.c.photoshelter.com/img-get2/I0000cZHJ1_9f514/fit\\u003d1000x750/Bondi-Beach-panorama-L016163203.jpg', 'https://www.bhp.com/-/media/images/2017/171113_bma_hq.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/99/f4/79/99f479036fe750e78cff1fefcc306495.jpg', 'http://www.atlasdigitalmaps.com/media/catalog/product/a/u/australiainsetseacontdet.jpg', 'http://architectureimg.com/wp-content/uploads/2017/05/modern-sydney-opera-sunset-australia-clouds-sky-water-sea-sun-hd-wallpapers.jpg', 'http://blog.goway.com/globetrotting/wp-content/uploads/2017/02/Cairns-Esplanade-at-Night-Queensland-Australia.jpg?x26508', 'http://www.wallpaperbetter.com/wallpaper/397/473/196/sydney-amazing-high-resolution-photos-1080P-wallpaper.jpg', 'http://vunature.com/wp-content/uploads/2016/11/trees-sky-australia-nature-south-lincoln-port-scenery-free-desktop-photos-1920x1080.jpg', 'http://static1.bigstockphoto.com/thumbs/2/6/1/large1500/162875549.jpg', 'http://images.all-free-download.com/images/graphiclarge/qingdao_map_highdefinition_picture_170561.jpg', 'http://www.orangesmile.com/common/img_cities_original/melbourne--1586844-12.jpg', 'https://us.123rf.com/450wm/xtockimages/xtockimages1406/xtockimages140629437/29105062-australia-colombia-high-resolution-sign-flags-concept.jpg', 'https://upload.wikimedia.org/wikipedia/commons/thumb/0/0f/1943_World_War_II_Japanese_Aeronautical_Map_of_Australia_-_Geographicus_-_Australia15-wwii-1943.jpg/1024px-1943_World_War_II_Japanese_Aeronautical_Map_of_Australia_-_Geographicus_-_Australia15-wwii-1943.jpg', 'http://thewallpaper.co/wp-content/uploads/2016/03/whitehaven-beach-australia-high-resolution-wallpaper-amazing-pictures-artwork-free-1920x1080.jpg', 'https://www.onlinestores.com/flagdetective/images/download/australia-hi.jpg', 'http://qige87.com/data/out/14/wp-image-144476699.jpg', 'http://l7.alamy.com/zooms/a05189709dff41f89a69c68d1a11ea8e/bridge-over-a-very-low-river-in-towamba-new-south-wales-australia-b0ntbh.jpg', 'http://nissanmaxima.me/wp-content/uploads/for-touring-map-of-australia.jpg', 'http://www.wallpapers-web.com/data/out/193/5503570-sydney-australia-wallpapers.jpg', 'https://d2v9y0dukr6mq2.cloudfront.net/video/thumbnail/fBvKyIA/europe-high-resolution-elevation-and-bathymetry-maps-coloured-and-merged-with-lakes-and-rivers-gis-data-graticule-added-elements-of-this-image-furnished-by-nasa_4kv0vyst__S0000.jpg', 'http://architectureimg.com/wp-content/uploads/2017/05/houses-front-backyard-er-blue-clouds-landscapes-horizon-white-waves-houses-pier-australia-sky-high-quality-lake-cabin-high-resolution.jpg', 'http://cdn.pcwallart.com/images/australia-beach-scenery-wallpaper-3.jpg', 'http://ognature.com/wp-content/uploads/2017/05/beach-rails-resort-new-sea-wales-oceania-clouds-walkway-south-australia-geography-sydney-wallpaper-high-resolution.jpg', 'https://i.pinimg.com/236x/3a/a4/f3/3aa4f3c85337caaa17ac193dc7ba9cc5--map-of-australia-high-resolution-wallpapers.jpg', 'http://news.alcoa.com/sites/alcoausa.newshq.businesswire.com/files/image/image/HuntlyMineWesternAustralia_2008_01_BauxiteMining_01.jpg', 'http://ausprix.com/wp-content/uploads/2016/12/Brisbane-Attractions-of-Australia-253x189.jpg', 'http://hdwall.us/wallpaper_1080x1920/kimberleys_in_western_australia_high_resolution_desktop_1280x853_hd-wallpaper-994935.jpg', 'http://c8.alamy.com/comp/B0PE9X/bondi-beach-sydney-new-south-wales-australia-high-resolution-panorama-B0PE9X.jpg', 'http://www.desktop-screens.com/data/out/9/2542844-australia-wallpapers.jpg', 'https://www.pixelstalk.net/wp-content/uploads/2016/10/Australia-Backgrounds-Desktop.jpg', 'http://www.vidiani.com/maps/maps_of_australia_and_oceania/high_resolution_large_detailed_political_map_of_australia_and_oceania_for_free.jpg', 'http://esvc000125.wic031u.server-web.com/portfolio/cache/aerials/01_4280_0886.jpg_h402.jpg', 'http://nissanmaxima.me/wp-content/uploads/australia-tourist-map-and-touring-of.gif', 'http://www.ganzhenjun.com/data/out/40/wp-image-720860207-australia-wallpapers.jpg', 'http://xinature.com/wp-content/uploads/2016/10/beaches-ocean-beach-tropical-australia-paradise-coast-queensland-palms-wallpaper-laptop.jpg', 'https://thumb9.shutterstock.com/display_pic_with_logo/79023/79023,1204439551,2/stock-photo-the-twelve-apostles-on-the-great-ocean-road-in-victoria-australia-high-resolution-panorama-9942232.jpg', 'http://www.orangesmile.com/common/img_city_maps/tasmania-region-map-0.jpg', 'https://previews.123rf.com/images/sailorr/sailorr0907/sailorr090700004/5217373-earth-globe-asia-and-australia-high-resolution-image-Stock-Photo.jpg', 'https://thiswallpaper.com/cdn/hdwallpapers/761/amazing%20sydney%20bridge%20high%20resolution%20wallpaper.jpg', 'http://www.stockmapagency.com/media/Country/Modern/T_Austra_Pop.jpg', 'http://www.hdnicewallpapers.com/Walls/Big/Beach/Amazing_Whitehaven_Beach_Tourist_Place_in_Australia_HD_Wallpapers.jpg', 'http://renatures.com/wp-content/uploads/2017/02/other-rock-cliffs-australia-cake-ocean-wedding-shore-cool-wallpapers-1920x1080.jpg', 'http://architectureimg.com/wp-content/uploads/2017/06/other-narrabeen-pier-nws-australia-water-beach-desktop-backgrounds.jpg', 'https://www.photoshelter.com/img-get/I0000JCtWlHFl29Y/s/1068/444/Tathra-Rocky-headland-panorama-L059172955.jpg', 'http://static1.bigstockphoto.com/thumbs/2/6/1/large1500/162977210.jpg', 'http://www.wallpapers13.com/wp-content/uploads/2016/01/Sunset-australia-beach-free-desktop-wallpaper-98015-1920x1200.jpg', 'http://nissanmaxima.me/wp-content/uploads/australia-touring-map-2-maps-update-20481448-travel-of-tourist-on.jpg', 'https://eoimages.gsfc.nasa.gov/images/imagerecords/2000/2095/ali_sydney_comparison.jpg', 'http://ognature.com/wp-content/uploads/2017/10/miscellaneous-beautiful-nature-trees-splendor-peaceful-waterfall-colorful-autumn-violence-season-water-colors-magic-forest-background-images.jpg', 'http://eskipaper.com/images/australia-3.jpg', 'https://thiswallpaper.com/cdn/hdwallpapers/892/coral%20reef%20australia%20high%20resolution%20wallpaper.jpg', 'http://pocketfullofgrace.com/uploads/posts/1609262-australia__20.jpg', 'http://qige87.com/data/out/233/wp-image-143739193.jpg', 'http://c8.alamy.com/comp/B3XB9N/high-resolution-panorama-of-swanston-street-in-downtown-melbourne-B3XB9N.jpg', 'https://www.travoh.com/wp-content/uploads/2016/09/02-Tamarama-Beach-Exploring-10-of-the-Top-Beaches-in-Sydney-Australia.jpg', 'https://previews.123rf.com/images/sailorr/sailorr0907/sailorr090700003/5217352-earth-globe-asia-and-australia-high-resolution-image-Stock-Photo.jpg'] 2 | 3 | 4 | 0: kriti sanon: ['http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-01-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-02-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-09-19x10.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/0f/2c/b2/0f2cb2c3bef7c5ee599c97ec6c88f291.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-05-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-26-19x10.jpg', 'http://www.janubaba.com/c/wallpapers/wallpaper_download/67471/r_1024x1024/Bollywood/Kriti-sanon-1024x1024-67471.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-03-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-13-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-10-19x10.jpg', 'http://cdn.hdpicswale.in/assets/upload/bollywood-wallpapers/kirti-sanon-320/kriti-sanon-latest-photo-shoot-8026.jpeg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-08-12x9.jpg', 'https://www.newhdwallpapers.in/wp-content/uploads/2014/05/Beautiful-Kriti-Sanon-Wallpaper-in-HD.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-17-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-33-12x9.jpg', 'https://i.pinimg.com/736x/4e/84/63/4e8463aed130fb1024225c4505501772--beautiful-actresses-bollywood-actress.jpg', 'http://awallpapersimages.com/wp-content/uploads/2016/08/Sweet-Kriti-Sanon-HD-Photos-1.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-61-12x9.jpg', 'https://wallpaperclicker.com/storage/wallpaper/kriti-sanon-best-wallpaper-picture-vt-bj-o-83438760.jpg', 'http://www.wallpapersset.com/wp-content/uploads/2016/11/Kriti-sanon-hot-bollywood-actress-high-resolution-image-wallpaper-for-desktop.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/beautiful%20kriti%20sanon%20high%20definition%20wallpaper.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-15-12x9.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/cute%20kriti%20sanon%20high%20resolution%20wallpaper.jpg', 'http://www.latesthdwallpapers.in/timthumb.php?src\\u003dphotos/Kriti-Sanon-smiling-high-resolution-image.jpg\\u0026h\\u003d0\\u0026w\\u003d480\\u0026zc\\u003d1', 'https://wallpaperclicker.com/storage/wallpaper/kriti-sanon-hd-wallpaper-free-celebrity-pictures-31639600.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/sexy%20kriti%20sanon%20high%20resolution%20wallpaper.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-86-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-79-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-64-12x9.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/bf/37/14/bf3714648a6f1f454742a08cba433786.jpg', 'http://2.bp.blogspot.com/-fHQxm7siBWA/VbkTGdHCOJI/AAAAAAAALdU/CV5jXiccetg/s1600/Kriti-Sanon-AT-Launches-Valvate-Case-Portal-Photos-03.jpg', 'https://i.pinimg.com/736x/40/32/9b/40329b24d9fe29c3d549d0305f434eaf--music-concerts-coral-lips.jpg', 'http://www.boxofficehits.in/wp-content/uploads/2015/11/Kriti-Sanon-hot-bikini-images-770x1024.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-89-12x9.jpg', 'http://cdn.hdpicswale.in/assets/upload/bollywood-wallpapers/kirti-sanon-320/kriti-sanon-latest-images-from-bollywood-movies-8042.jpeg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-74-12x9.jpg', 'http://www.highdefinitionwallpapers.in/images/Kriti-Sanon-black-and-white-high-definition-wallpapers.jpg', 'http://itshotweather.com/wp-content/uploads/2015/06/kriti-sanon-high-resolution-hd-wallpapers-images.jpg', 'http://dailyhdwallpaper.com/wp-content/uploads/Kriti-Sanon-Red-Lips-HD-Wallpaper.jpg', 'http://www.latesthdwallpapers.in/photos/Bollywood-Indian-actress-Kriti-Sanon-advertising-high-resolution.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-07-12x9.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/82/a3/8c/82a38caea6a8fbe8c8fe954f7346938c.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-11-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-91-12x9.jpg', 'http://matineestars.in/hindi/actress-1/kriti-sanon-at-zee-cine-awards-press-meet/kriti-sanon-at-zee-cine-awards-press-meet-8-large.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-45-12x9.jpg', 'https://1.bp.blogspot.com/-X72aOMIbeHk/V5zo3gNWO3I/AAAAAAAALTQ/m_Y3psGi8U01aem3uBXTadAXuY-Y5h6DQCLcB/s1600/download-new-images-of-kriti-sanon-from-telugu-award-function-8036.jpeg', 'http://www.baltana.com/files/wallpapers-7/Kriti-Sanon-HD-Desktop-Wallpaper-21978.jpg', 'http://www.latesthdwallpapers.in/photos/Kriti-Sanon-Bollywood-actress-Original-unique-hd-pics.jpg', 'http://matineestars.in/hindi/actress-1/kriti-sanon-at-titan-raga-moonlight-collection-launch/kriti-sanon-at-titan-raga-moonlight-collection-launch-18-large.jpg', 'https://www.hdwallpapers.in/walls/kriti_sanon-HD.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/cute%20smile%20kriti%20sanon%20high%20definition%20wallpaper.jpg', 'http://matineestars.in/hindi/actress-photos/kriti-sanon-at-sansui-stardust-awards-red-carpet/kriti-sanon-at-sansui-stardust-awards-red-carpet-10-large.jpg', 'http://4.bp.blogspot.com/-3qrcmbIvnzI/VkO6bFzbN4I/AAAAAAACWYU/1BAyDgWGTyw/s1600/Kriti-Sanon-Stills-At-Titans-Moonlight-Collection-Launch-11.jpg', 'http://www.baltana.com/files/wallpapers-2/Kriti-Sanon-HD-Wallpapers-05166.jpg', 'https://i.pinimg.com/736x/8f/39/37/8f393712311b67f250b84103e8f9d355--audio-bollywood.jpg', 'https://www.yadtek.com/wp-content/uploads/2015/08/Kriti-Sanon-Ramp-Walk-Stills-At-IIJW-2015-3.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/kriti%20sanon%20high%20definition%20wallpaper.jpg', 'http://www.baltana.com/files/wallpapers-5/Kriti-Sanon-High-Definition-Wallpaper-17756.jpg', 'http://www.wallpapersset.com/wp-content/uploads/2016/11/Kriti-sanon-high-resolution-image-wallpaper-for-desktop.jpg', 'https://www.yadtek.com/wp-content/uploads/2015/04/Kriti-Sanon-Stills-at-Dochay-Movie-Promotion-31.jpg', 'http://celebritiesgallery.in/wp-content/uploads/2016/02/Red-Dress-kriti-sanon-hd-wallpaper-673x1024.jpg', 'https://wallup.net/wp-content/uploads/2016/05/13/327904-Kriti_Sanon.jpg', 'http://dailyhdwallpaper.com/wp-content/uploads/Indian-Actress-Kriti-Sanon-Wallpaper.jpg', 'https://www.yadtek.com/wp-content/uploads/2015/03/Kriti-Sanon-Stills-At-ALDO-Spring-Summer-2015-Collection-Launch-14.jpg', 'https://a2zwallpaper.com/wp-content/uploads/2017/10/Kriti-Sanon-and-VArun-Dhawan-full-hd-wallpapers.jpg', 'http://www.baltana.com/files/wallpapers-7/Kriti-Sanon-Best-Wallpaper-21977.jpg', 'https://www.newhdwallpapers.in/wp-content/uploads/2014/05/Actress-Kriti-Sanon-in-Black-Dress-HD-Wallpaper.jpg', 'http://awallpapersimages.com/wp-content/uploads/2016/08/Kriti-Sanon-HD-Wallpaer.jpg', 'https://a2zwallpaper.com/wp-content/uploads/2017/10/Kriti-Sanon-2017.jpg', 'http://www.latesthdwallpapers.in/timthumb.php?src\\u003dphotos/Kriti-Sanon-Attractive-Bollywood-Actress-hd-pics.jpg\\u0026h\\u003d0\\u0026w\\u003d480\\u0026zc\\u003d1', 'http://www.highdefinitionwallpapers.in/timthumb/timthumb.php?src\\u003dimages/kriti-sanon-sexy--high-definition-wallpapers.jpg\\u0026h\\u003d250\\u0026w\\u003d450\\u0026zc\\u003d0', 'https://www.yadtek.com/wp-content/uploads/2015/11/Kriti-Sanon-Stills-At-Titans-Moonlight-Collection-Launch-13.jpg', 'http://www.cinejosh.com/gallereys/actress/normal/kriti_sanon_stills_1912130945/kriti_sanon_stills_1912130945_010.jpg', 'https://i0.wp.com/www.imagesqueen.com/wp-content/uploads/2016/11/mini-Beautiful-kriti-sanon-wallpapers.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-68-12x9.jpg', 'http://1.bp.blogspot.com/-ze4k1cQPJAY/Vg91Am00xqI/AAAAAAAADCo/5HxJf6EarHo/s1600/kriti%2Bsanon%2Bgorgeous%2Bface%2B%2BHD%2BWallpaper.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/81/70/9b/81709b9e9321d5268c3c7b9a5e13128e.jpg', 'https://www.yadtek.com/wp-content/uploads/2015/04/Kriti-Sanon-Stills-at-Dochay-Movie-Promotion-4.jpg', 'http://www.boxofficehits.in/wp-content/uploads/2015/11/kriti-sanon-hd-2015.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-37-10x7.jpg', 'http://www.tollywood.net/public/Gallery/Tollywood_Kriti_Sanon_photoshoot%20(1).jpg', 'https://wallup.net/wp-content/uploads/2016/05/13/327906-Kriti_Sanon.jpg', 'https://a2zwallpaper.com/wp-content/uploads/2017/10/Indian-Actress-Kriti-Sanon-hd-Photos-collection.jpg', 'http://www.baltana.com/download/16978/360x640/crop/kriti-sanon-high-definition-wallpaper-17756.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-95-12x9.jpg', 'http://www.latesthdwallpapers.in/photos/Bollywood-Indian-actress-Kriti-Sanon-hair-style-high-resolution.jpg', 'https://i.pinimg.com/736x/05/1b/43/051b43a09c106096c9bf2c5da33e1dc1--delhi-india-new-delhi.jpg', 'https://timesofindia.indiatimes.com/photo/61090667.cms', 'https://s-media-cache-ak0.pinimg.com/originals/67/f4/83/67f4833c4e41c7a02f010b7329e0400b.jpg', 'https://cdn.bollywoodbubble.com/wp-content/uploads/2015/11/kriti-sanon-hot-photo-shoot-stills-31.jpg', 'http://wallpapers1080p.com/wallpaper/walls/1/kriti-sanon-digital.jpg', 'http://www.bhmpics.com/walls/kriti_sanon_2015-wide.jpg', 'http://matineestars.in/hindi/actress-1/kriti-sanon-at-titan-raga-moonlight-collection-launch/kriti-sanon-at-titan-raga-moonlight-collection-launch-4-large.jpg', 'http://matineestars.in/hindi/actress-photos/kriti-sanon-photos-at-suron-ke-rang-colors-ke-sang/kriti-sanon-photos-at-suron-ke-rang-colors-ke-sang-3-large.jpg', 'https://wallpapercave.com/wp/wp2126039.jpg', 'https://i2.wp.com/www.imagesqueen.com/wp-content/uploads/2016/11/mini-New-Indian-Actress-Kriti-Sanon-Very-Cute-Hot-and-Sexy-Unseen-Image-44154-21.jpg', 'http://www.cinespot.net/gallery/d/2260882-1/Kriti+Sanon+Latest+Photos+_29__001.JPG', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-93-12x9.jpg', 'http://www.baltana.com/files/wallpapers-2/Kriti-Sanon-Latest-Wallpaper-05301.jpg'] 5 | 6 | 7 | 0: sanon: ['http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-01-12x9.jpg', 'http://matineestars.in/hindi/actress-1/kriti-sanon-at-titan-raga-moonlight-collection-launch/kriti-sanon-at-titan-raga-moonlight-collection-launch-14-large.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-33-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-02-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-09-19x10.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-03-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-10-19x10.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-05-12x9.jpg', 'http://www.wallpapersset.com/wp-content/uploads/2016/11/Kriti-sanon-hot-bollywood-actress-high-resolution-image-wallpaper-for-desktop.jpg', 'http://starzone.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam41.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/sexy%20kriti%20sanon%20high%20resolution%20wallpaper.jpg', 'http://www.fansshare.com/photograph/kritikharbanda/kriti-kharbanda-high-resolution-ala-modalaindi-448814985.jpg', 'http://www.cloudpix.co/images/kriti-kharbanda/kriti-kharbanda-high-resolution-mirrors-1721ca71e3606d2aca28ab25c35203c1-large-539093.jpg', 'http://starzone.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam10.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/b8/86/7a/b8867a3af5dbaf0b314e0a162323974b.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-26-19x10.jpg', 'http://starzone.raagalahari.com/july2011/starzone/kriti-kharbanda-high-resolution-mirrors/kriti-kharbanda-high-resolution-mirrors31.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/nookayya-heroine-kriti-kharbanda-posters/nookayya-heroine-kriti-kharbanda-posters42t.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-15-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-13-12x9.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/cute%20kriti%20sanon%20high%20resolution%20wallpaper.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-79-12x9.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-17-12x9.jpg', 'http://matineestars.in/telugu/actress-photos/kriti-kharbanda-latest-photos/kriti-kharbanda-latest-photos-18-large.jpg', 'https://i.pinimg.com/736x/4e/84/63/4e8463aed130fb1024225c4505501772--beautiful-actresses-bollywood-actress.jpg', 'https://www.newhdwallpapers.in/wp-content/uploads/2014/05/Beautiful-Kriti-Sanon-Wallpaper-in-HD.jpg', 'http://starzone.raagalahari.com/april2011/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaar70.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-64-12x9.jpg', 'http://szcdn1.raagalahari.com/mar2012/starzone/kriti-kharbanda-high-res-photo-shoot/kriti-kharbanda-high-res-photo-shoot50.jpg', 'http://img.raagalahari.com/mar2011/starzone/kriti-kharbanda-high-resolution-am50days/kriti-kharbanda-high-resolution-am50days1t.jpg', 'http://szcdn1.raagalahari.com/mar2012/starzone/kriti-kharbanda-hires-radio-mirchi/kriti-kharbanda-hires-radio-mirchi4.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/23/91/f8/2391f878b8e36c0f6a88d527b6e15d2d.jpg', 'http://cdn.hdpicswale.in/assets/upload/bollywood-wallpapers/kirti-sanon-320/kriti-sanon-latest-photo-shoot-8026.jpeg', 'http://www.latesthdwallpapers.in/timthumb.php?src\\u003dphotos/Kriti-Sanon-smiling-high-resolution-image.jpg\\u0026h\\u003d0\\u0026w\\u003d480\\u0026zc\\u003d1', 'http://szcdn.raagalahari.com/mar2012/starzone/nookayya-heroine-kriti-kharbanda-posters/nookayya-heroine-kriti-kharbanda-posters19t.jpg', 'http://awallpapersimages.com/wp-content/uploads/2016/08/Sweet-Kriti-Sanon-HD-Photos-1.jpg', 'http://www.latesthdwallpapers.in/photos/Bollywood-actress-Kriti-Sanon-Ultra-HD-4K-high-resolution.jpg', 'http://starzone.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam22.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/82/a3/8c/82a38caea6a8fbe8c8fe954f7346938c.jpg', 'https://i.pinimg.com/736x/40/32/9b/40329b24d9fe29c3d549d0305f434eaf--music-concerts-coral-lips.jpg', 'http://starzone.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam76.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-08-12x9.jpg', 'http://www.wallpapersset.com/wp-content/uploads/2016/11/Kriti-sanon-high-resolution-image-wallpaper-for-desktop.jpg', 'http://szcdn.raagalahari.com/sept2011/starzone/kriti-kharbanda-high-reso/kriti-kharbanda-high-reso4t.jpg', 'https://wallpaperclicker.com/storage/wallpaper/kriti-sanon-best-wallpaper-picture-vt-bj-o-83438760.jpg', 'http://www.ragalahari.com/includes/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamamthumb.jpg', 'http://www.boxofficehits.in/wp-content/uploads/2015/11/Kriti-Sanon-hot-bikini-images-770x1024.jpg', 'http://cdn.hdpicswale.in/assets/upload/bollywood-wallpapers/kirti-sanon-320/kriti-sanon-high-resolution-hd-wallpapers-8032.jpeg', 'http://starzone.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam6t.jpg', 'http://szcdn.raagalahari.com/july2011/starzone/kriti-kharbanda-high-resolution-mirrors/kriti-kharbanda-high-resolution-mirrors18t.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/nookayya-heroine-kriti-kharbanda-posters/nookayya-heroine-kriti-kharbanda-posters57t.jpg', 'http://thiswallpaper.com/cdn/hdwallpapers/470/actress%20kriti%20sanon%20wide%20high%20resolution%20wallpaper.jpg', 'http://2.bp.blogspot.com/-fHQxm7siBWA/VbkTGdHCOJI/AAAAAAAALdU/CV5jXiccetg/s1600/Kriti-Sanon-AT-Launches-Valvate-Case-Portal-Photos-03.jpg', 'http://www.latesthdwallpapers.in/photos/Bollywood-Indian-actress-Kriti-Sanon-advertising-high-resolution.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-kharbanda-07-12x9.jpg', 'https://www.yadtek.com/wp-content/uploads/2015/08/Kriti-Kharbanda-Stills-At-SIIMA-Awards-2015-01.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-11-12x9.jpg', 'https://thiswallpaper.com/cdn/hdwallpapers/470/beautiful%20kriti%20sanon%20high%20definition%20wallpaper.jpg', 'http://www.ragalahari.com/includes/starzone/kriti-kharbanda-high-resolution-ala-modalaindi/kriti-kharbanda-high-resolution-ala-modalaindithumb.jpg', 'https://wallpaperclicker.com/storage/wallpaper/kriti-sanon-hd-wallpaper-free-celebrity-pictures-31639600.jpg', 'http://imgcdn.raagalahari.com/july2015/hd/kriti-kharbanda-siima-hd/kriti-kharbanda-siima-hd42.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-74-12x9.jpg', 'http://dailyhdwallpaper.com/wp-content/uploads/Kriti-Sanon-Red-Lips-HD-Wallpaper.jpg', 'http://szcdn.raagalahari.com/april2011/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaar35t.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta105.jpg', 'http://www.ragalahari.com/includes/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaarthumb.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/kriti-kharbanda-hires-radio-mirchi/kriti-kharbanda-hires-radio-mirchi2t.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta96.jpg', 'http://szcdn.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam43t.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-sanon-wallpaper-16-19x10.jpg', 'http://szcdn.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam30t.jpg', 'http://szcdn.raagalahari.com/april2011/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaar7t.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta99.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta92.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/nookayya-heroine-kriti-kharbanda-posters/nookayya-heroine-kriti-kharbanda-posters5t.jpg', 'http://www.latesthdwallpapers.in/photos/Bollywood-Indian-actress-Kriti-Sanon-hair-style-high-resolution.jpg', 'http://www.hdwallpaperup.com/wp-content/uploads/2015/10/Kriti-Kharbanda-Wallpaper.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta103.jpg', 'http://szcdn.raagalahari.com/april2011/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaar1t.jpg', 'http://szcdn1.raagalahari.com/mar2012/starzone/kriti-kharbanda-hires-radio-mirchi/kriti-kharbanda-hires-radio-mirchi1.jpg', 'http://szcdn.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-ala-modalaindi/kriti-kharbanda-high-resolution-ala-modalaindi8t.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/nookayya-heroine-kriti-kharbanda-posters/nookayya-heroine-kriti-kharbanda-posters56t.jpg', 'http://szcdn.raagalahari.com/mar2011/starzone/kriti-kharbanda-high-resolution-theenmaar/kriti-kharbanda-high-resolution-theenmaar30t.jpg', 'https://hdwallsource.com/img/2016/7/kriti-kharbanda-wallpaper-pictures-55426-57167-hd-wallpapers.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta146.jpg', 'https://s-media-cache-ak0.pinimg.com/originals/bf/37/14/bf3714648a6f1f454742a08cba433786.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/kriti-kharbanda-wedding-posters/kriti-kharbanda-wedding-posters5t.jpg', 'http://www.ragalahari.com/includes/starzone/kriti-kharbanda-high-resolution-am50days/kriti-kharbanda-high-resolution-am50daysthumb.jpg', 'http://szcdn.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam12t.jpg', 'http://szcdn.raagalahari.com/july2011/starzone/kriti-kharbanda-high-resolution-mirrors/kriti-kharbanda-high-resolution-mirrors26t.jpg', 'http://images.tollywoodhq.com/ragalahari/kritikharbanda/5490-kriti-kharbanda-in-alaa-modalaindi/kriti-kharbanda-high-resolution-ala-modalaindi1.jpg', 'http://szcdn.raagalahari.com/april2011/starzone/kriti-kharbanda-high-resolution-teenmaar/kriti-kharbanda-high-resolution-teenmaar2t.jpg', 'http://imgcdn.raagalahari.com/july2015/hd/kriti-kharbanda-siima-hd/kriti-kharbanda-siima-hd44.jpg', 'http://szcdn.raagalahari.com/july2011/starzone/kriti-kharbanda-high-resolution-mirrors/kriti-kharbanda-high-resolution-mirrors12t.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta81.jpg', 'http://szcdn1.raagalahari.com/nov2013/hd/kriti-kharbanda-hd-ongole-gitta/kriti-kharbanda-hd-ongole-gitta219.jpg', 'https://i.pinimg.com/736x/b2/be/b8/b2beb82479d631317d63b8ad2fce456e--south-actress-kriti-kharbanda-hot-navel.jpg', 'http://media.glamsham.com/download/wallpaper/celebrities/images/k/kriti-kharbanda-wallpaper-01-12x9.jpg', 'http://szcdn.raagalahari.com/jan2011/starzone/kriti-kharbanda-high-resolution-shilparamam/kriti-kharbanda-high-resolution-shilparamam47t.jpg', 'http://szcdn.raagalahari.com/mar2012/starzone/kriti-kharbanda-high-res-photo-shoot/kriti-kharbanda-high-res-photo-shoot5t.jpg'] 8 | 9 | 10 | -------------------------------------------------------------------------------- /WebScrapping/mapIt.py: -------------------------------------------------------------------------------- 1 | import webbrowser, sys, pyperclip 2 | 3 | if len(sys.argv) > 1: 4 | # Get address from command line 5 | address = ' '.join(sys.argv[1:]) 6 | 7 | #TODO: Get address from clipboard 8 | else: 9 | address = pyperclip.paste() 10 | 11 | webbrowser.open('http://www.google.com/maps/place/' + address) 12 | 13 | -------------------------------------------------------------------------------- /WebScrapping/openURLs.py: -------------------------------------------------------------------------------- 1 | import webbrowser, pyperclip 2 | 3 | list = ['http://www.facebook.com/', 'http://www.google.com', 'http://www.youtube.com'] 4 | 5 | for i in list: 6 | webbrowser.open(i) -------------------------------------------------------------------------------- /password_extractor.py: -------------------------------------------------------------------------------- 1 | import pyperclip, re 2 | 3 | # Create a regex for phone numbers 4 | 5 | phoneRegex = re.compile(r'''( 6 | (\d{3}|\(\d{3}\))? # area code 7 | (\s|-|\.)? # separator 8 | (\d{3}) # first 3 digits 9 | (\s|-|\.) # separator 10 | (\d{4}) # last 4 digits 11 | (\s*(ext|x|ext.)\s*(\d{2,5}))? # extension 12 | )''', re.VERBOSE)#Create a regex for email address 13 | 14 | emailRegex = re.compile(r'''( 15 | [a-zA-Z0-9._%+-]+ # username 16 | @ # @ symbol 17 | [a-zA-Z0-9.-]+ # domain name 18 | (\.[a-zA-Z]{2,4}) # dot-something 19 | )''', re.VERBOSE) 20 | 21 | # Find matches in clipboard text 22 | text = str(pyperclip.paste()) 23 | matches = [] 24 | for groups in phoneRegex.findall(text): 25 | phoneNum = "-".join([groups[1], groups[2], groups[3] ]) 26 | if groups[8] != '': 27 | phoneNum += 'x' + groups[8] 28 | matches.append(phoneNum) 29 | for groups in emailRegex.findall(text): 30 | matches.append(groups[0]) 31 | 32 | #Copy result to clipboard 33 | if len(matches) > 0: 34 | pyperclip.copy('\n'.join(matches)) 35 | print ('Copied to clipboard:') 36 | print('\n'.join(matches)) 37 | else: 38 | print('No phone numbers or email address was found.') --------------------------------------------------------------------------------