Monday 30 April 2018

Google AdWords Tutorial 2018 - Step By Step Google AdWords Tutorial By RankYa

Harry


Google AdWords Tutorial 2018 - Step By Step Google AdWords Tutorial By RankYa.

Google Adwords Campaign Setup Step by Step Tutorial New AdWords 2018 Options https://youtu.be/HpqHc07vWpE  Detailed By RankYa

Google AdWords PPC Online  Advertising Is Quite Powerful To Say The Least, You Can Sign Up With Google AdWords Here :- https://adwords.google.com/intl/en_us... 

If You Are Beginner To AdWords, In Google AdWords a Campaign Is A Set Of Related Ad Groups That Is Often Used To Organize Categories Of Products Or Services That You Offer.

You'll Need To Make At Least One Campaign Before You Can Create Ads In Your Account :- https://support.google.com/adwords/an... 

Learn More About Campaign Settings Here :- https://support.google.com/adwords/an... 

And AdWords Campaign Types Here :- https://support.google.com/adwords/an...


SHARE BY GK

Top 10 Reasons To Learn Java Programming By Edureka

Harry


Top 10 Reasons To Learn Java Programming By Edureka.

This Edureka Video Tutorial On “Top 10 Reasons To Learn Java” Will Give You Enough Reasons To Learn Java And Tell You Why Is It A Go To Language For Everyone. This Video Will Also Brief You On The Latest Updates, Various Job Opportunities And The Market Trends That Java Has To Offer To You.

Java Training :- https://www.edureka.co/java-j2ee-soa-...


SHARE BY GK

Sunday 29 April 2018

dual in SQL

Harry

DUAL in SQL


DUAL:-DUAL is dummy table in Oracle .Owner of dual table is SYS user. 
                This table is used for calculation purpose.

SQL>SELECT * FROM DUAL;
SQL>DESC DUAL;
SQL>SELECT TABLE_NAME,OWNER FROM ALL_TABLES WHERE       TABLE_NAME='DUAL';





Examples:-

SQL>SELECT 2+5 FROM DUAL;
SQL>SELECT SYSDATE FROM DUAL;
SQL>SELECT USER FROM DUAL;
SQL>SELECT 1,2,3,4 FROM DUAL;
SQL>SELECT (SELECT COUNT(*) FROM EMP)+(SELECT COUNT(*) FROM DEPT) TOTAL FROM DUAL;
SQL>SELECT SQRT(144) FROM DUAL;
SQL>SELECT POWER(3,4) FROM DUAL;
SQL>SELECT EXP(3) FROM DUAL;--exponential e*e*e (e=2.718)
SQL>SELECT MOD(17,3) FROM DUAL;
SQL>SELECT ROUND(12.345678,2) FROM DUAL;
SQL>SELECT TRUNC(12.34567,2) FROM DUAL;
SQL>SELECT FLOOR(12.345678) FROM DUAL;
SQL>SELECT CEIL(12.345678) FROM DUAL;
SQL>SELECT 2*6 FROM DUAL;
SQL>SELECT 2*(13-9) FROM DUAL;
SQL>SELECT TRUNC(13.2365,2) FROM DUAL;
SQL>SELECT ROUND(13.2365,2) FROM DUAL;
SQL>SELECT CEIL(13.5674) FROM DUAL;
SQL>SELECT FLOOR(13.5674) FROM DUAL;
SQL>SELECT POWER(3,4) FROM DUAL;
SQL>SELECT SQRT(81) FROM DUAL;





Saturday 28 April 2018

Profiling C code with clang using "fprofile-instr-generate"

Harry
Target platform is x86-64 (works well with MIPS64 as well) with Clang.
Clang version is clang-3.8.

Using profiler to detect hot-spots in code.

Test code:

File: profile-coverage.c

#include <stdio.h>
#include <stdlib.h>
#define CTR 10

int
main()
{
    int i, j, k;
    for(i=0; i < CTR; ++i) {
        printf("3: %d", i);
    }
    for(i=0; i < CTR*10; ++i) {
        printf("3: %d", i);
    }
    for(i=0; i < CTR*100; ++i) {
        printf("3: %d", i);
    }
    //  exit(0);
    return 0;
}

Build Flags

Compiler

-g -fprofile-instr-generate -fcoverage-mapping

Linker

-fprofile-instr-generate

On MIPS following extra flags might be needed to make the process dump valid data:
-O0 -mstackrealign -fno-omit-frame-pointer -mno-omit-leaf-frame-pointer


Note: I ran into trouble when instrumenting multiple libraries within a process. Instrumenting just one library, or instrumenting just the main process, always worked for me.

Collect Data

1. Environment variables

To control the location and name of dumped profile file:

// dump to current directory with name - llvm.prof
export LLVM_PROFILE_FILE=./llvm.prof 

// dump to current directory with name - llvm_<pid>.prof
export LLVM_PROFILE_FILE=./llvm_%p.prof 

For more supported flags: llvm documentation


2. Data dump


To dump the data from process, the process has to exit. If the process doesn't exits, then attach GDB to force it it dump data:

gdb## call exit(0)

Or else, register a signal handler to exit(0) the process.
Assume above steps dumps the raw profile data file: test_1212.prof


Extract data

llvm-profdata merge

Pass in the raw dumped profile file for further processing:

llvm-profdata merge -output=test_1212.merge -instr test_1212.prof

llvm-profdata show

To view raw block counters, run following command

llvm-profdata show -all-functions -counts -ic-targets  test_1212.merge > test_1212.log

Output will look like:

  1 Counters:
  2   main:
  3     Hash: 0x0000000000004104
  4     Counters: 4
  5     Function count: 1
  6     Indirect Call Site Count: 0
  7     Block counts: [10, 100, 1000]
  8     Indirect Target Results:
  9 Functions shown: 1
 10 Total functions: 1
 11 Maximum function count: 1
 12 Maximum internal block count: 1000

Above output doesn't make much sense, to make the output more human friendly use the llvm-cov tool.


llvm-cov show


Get counters instrumented in source code (more meaningful data). This requires passing in the built binary or shared library:

llvm-cov show test.bin -instr-profile=merge.out


output:

       |    1|#include <stdio.h>
       |    2|#include <stdlib.h>
  1.11k|    3|#define CTR 10
       |    4|
       |    5|int
       |    6|main()
      1|    7|{
      1|    8|    int i, j, k;
     11|    9|    for(i=0; i < CTR; ++i) {
     10|   10|        printf("3: %d", i);
     10|   11|    }
    101|   12|    for(i=0; i < CTR*10; ++i) {
    100|   13|        printf("3: %d", i);
    100|   14|    }
  1.00k|   15|    for(i=0; i < CTR*100; ++i) {
  1.00k|   16|        printf("3: %d", i);
  1.00k|   17|    }
      1|   18|    //  exit(0);
      1|   19|    return 0;

      1|   20|}


Reference:
https://clang.llvm.org/docs/SourceBasedCodeCoverage.html
https://johanengelen.github.io/ldc/2016/04/13/PGO-in-LDC-virtual-calls.html


How To Apply For CSC Center Online In India Step By Step By How To Hindi

Harry


How To Apply For CSC Center Online In India Step By Step By How To Hindi.

Common Services Centers (CSC) Scheme Is One Of The Mission Mode Projects Under The Digital India Programme. Common Service Centres(CSC) (Hindi: सर्व सेवा केंद्र) Are Physical Facilities For Delivering Government Of India E-Services To Rural And Remote Locations Where Availability Of Computers And Internet Was Negligible Or Mostly Absent. They Are Multiple-Services-Single-Point Model For Providing Facilities For Multiple Transactions At A Single Geographical Location.

CSCs Are The Access Points For Delivery Of Essential Public Utility Services, Social Welfare Schemes, Healthcare, Financial, Education And Agriculture Services, Apart From Host Of B2C Services To Citizens In Rural And Remote Areas Of The Country. It Is A Pan-India Network Catering To Regional, Geographic, Linguistic And Cultural Diversity Of The Country, Thus Enabling The Government’S Mandate Of A Socially, Financially And Digitally Inclusive Society.

Common Services Centre Scheme Website :- http://csc.gov.in/

What Is CSC Centre (Common Service Center) & How You Can Earn Money In Hindi Link :- http://www.howtohindi.in/2018/03/csc-...

How To Apply For CSC (Common Service Center) Online Step By Step in Hindi Link :- http://www.howtohindi.in/2018/03/how-...


SHARE BY GK

EternalBlue Exploit Tutorial - Doublepulsar With Metasploit (MS17-010) By HackerSploit

Harry


EternalBlue Exploit Tutorial - Doublepulsar With Metasploit (MS17-010) By HackerSploit.

In This Video We Will Be Looking At How To Use The Eternalblue Exploit That Was Used As Part Of The Worldwide Wannacry Ransomware Attack.

Module Name : exploit/windows/smb/ms17_010_eternalblue

Importance Links: 

Rapid7 :- https://www.rapid7.com/db/modules/exp...

Scanner :- https://github.com/rapid7/metasploit-...

Doublepulsar Exploit :- https://github.com/ElevenPaths/Eterna...


SHARE BY GK

Friday 27 April 2018

Why Rent Or Lease Agreements Are Only For 11 Months in India? Explain In Hindi By SidTalk

Harry


Why Rent Or Lease Agreements Are Only For 11 Months in India? Explain In Hindi By SidTalk.

In This Video SidTalk Explain You Why Our Rent Agreements Expired In Only 11 Months. Why They'Re Not More Than 11 Months Like 12 Months Or 10 Months, You'Ll Get To Know The Valid Reason Behind Rent Agreement/Lease Agreement That Why Just For 11 Months In India, Why Not For More Than Eleven Months. What Are Rent Or Lease Agreements In India In Hindi.

Most Residential Rental Agreements Usually Expire After 11-Month Duration, An 11-Month Lease Agreement Gives Both Landlord And Tenant Flexibility. How To Register Rent Agreements Online For 1 Year, 3 Year, 5 Year.

Queries Solved :
  • Why Rent Agreements Are Usually Of 11 Months ?
  • Truth Behind Rent Or Lease Agreements In India
  • Why Rent Agreements Are Not More Than 11 Months In Hindi
  • Why Are Residential Rental Agreements Made For A Period Of 11 Months?
  • How To Register Rent Agreements More Than 11 Months Like 1,3,5 Years
  • What Is Registration Act 1908 In Hindi In India
  • What Are Stamp Duty & Registration Fee In Delhi, Mumbai, Bangalore, Bhopal, Indore, Goa
  • How Much Money Madhya Pradesh Government Earns From Stamp Duty Per Month

SHARE BY GK

Top 10 Reasons To Learn Google Cloud Platform Training By Edureka

Harry


Top 10 Reasons To Learn Google Cloud Platform Training By Edureka.

This Edureka Video On "Top 10 Reasons To Learn Google Cloud Platform" Will Give You Enough Reasons To Learn Google Cloud Platform. You Will Also Learn About The Unique Features Of Google Cloud Platform And What Gives It An Edge Over Other Cloud Providers.

Google Cloud Certification Training :- https://www.edureka.co/google-cloud-a...


SHARE BY GK

Why Prices of Products Set One Rupee Less (99) In India Explain In Hindi By SidTalk

Harry


Why Prices of Products Set One Rupee Less (99) In India Explain In Hindi By SidTalk.

SidTalk Explain You Why Prices of Products in India Set One Rupee Less like Rupee 9, 99, 999. What’s The Reason behind Price Ending with 99 or Simply the Number Nine (9) In Hindi? What’s The Valid Reasons Behind 1999, 999, 199, 99 Rupee MRP of the Products in India in Local Shops.

Queries Solved:

1) Why Price Ends With 99 Rupee?

2) Why Products Prices Are Set 1 Rupee Less In Hindi

3) Reason Behind Setting MRP Rupee 99, 599, 699, 799, 999, 1999, 9999

4) Why Do Retailers Add ‘99’ To the End of Their Pricing?

5) What Is Left-Digit Effect for MRP

6) Psychological Pricing Strategies

7) Why Do Most Prices End In 99 (Nine, Ninety Nine, Triple Nine)

8) Biz Bazaar, Flipkart, Amazon Prices


SHARE BY GK
Computer Knowledge

Top 10 Reasons To Learn Microservices Training By Edureka

Harry


Top 10 Reasons To Learn Microservices Training By Edureka.

This Edureka's Microservices Video On "Top 10 Reasons To Learn Microservices" Will Give You Enough Reasons To Learn And Master Microservices Architecture.

Microservices Architecture Training :- https://www.edureka.co/microservices-architecture-training


SHARE BY GK
Computer Knowledge

Tuesday 24 April 2018

Google Summer Of Code Program : Student's Apply !

Harry


Google Summer Of Code Program : Student's Apply !

University Students Can Apply To Participate In Google Summer Of Code! Spend Your Summer Programming And Learning About Open Source !

More Information About Google Summer Of Code :- https://g.co/gsoc


SHARE BY GK

Monday 23 April 2018

Top 10 Reasons To Learn PMP Certification Training By Edureka

Harry


Top 10 Reasons To Learn PMP Certification Training By Edureka.

This Edureka Video On "Top 10 Reasons To Get PMP Certified" Will Give You Enough Reasons To Go For PMP Certification And Tell You Why It Is Mostly Preferred By The Professionals. This Video Will Also Brief You On The Latest Updates, Various Job Opportunities And The Market Trends That PMP Certification Offers You.

PMP Training :- https://www.edureka.co/pmp


SHARE BY GK

TYBCOM - Semester 5th & 6th - Computer System and Application By Learn More

Harry

In This Videos Series Expand MySQL, Excel and VB Question Solution Practical’s Videos and Explain Properly in Hindi That How to Write the Answers of University Paper.

1. TYBCOM - Semester 5th - Computer System and Application By Learn More.




2. TYBCOM - Semester 6th - Computer System and Application By Learn More.




SHARE BY GK
Computer Knowledge

Saturday 21 April 2018

How To Setup A Virtual Penetration Testing Lab By HackerSploit

Harry


How To Setup A Virtual Penetration Testing Lab By HackerSploit.

In This Video HackerSploit Show You How To Setup A Virtual Penetration Testing Lab For Practice And Custom Testing.

Download VMware :- https://www.vmware.com/

Download Virtual Box :- https://www.virtualbox.org/wiki/Downl... 

Download Kali Linux :- https://www.kali.org/ 

Download Parrot OS :- https://www.parrotsec.org/ 

Download Metasploitable2 :- https://sourceforge.net/projects/meta...


SHARE BY GK
Computer Knowledge

How To Make A Hotel Booking, Real Estate Website With WordPress 2018 By Nayyar Shaikh

Harry


How To Make A Hotel Booking, Real Estate Website With WordPress 2018 By Nayyar Shaikh.

How To Make a Hotel Booking, Real Estate Website With Word Press 2018 Using Hotel Master Theme Like Airing, Booking.com, Hotels.com, Expedia / Travelocity etc.

Hotel Master Theme :- http://bloggdude.com/hotel

Tmd Hosting :- http://bloggdude.com/tmd (Use NAYYAR7 for 7% Discount)

Hostgator :- http://bloggdude.com/hostgator (Use NAYYAR60 for 60% off)

Video Step By Step :
  • Introduction
  • Getting Fastest & Most Secure Hosting
  • Installing Word Press
  • Increase Word Press Upload Memory
  • Design Website
  • Create Master Slider
  • Create Home Page
  • Reservation Bar Section
  • Create Rooms
  • Room Carousel Section
  • Features Section
  • Testimonials
  • Gallery & Posts
  • Statistics Section
  • Footer Settings
  • Setting Up Header
  • Booking Form Colour
  • PayPal & Stripe Setup
  • Contact Us & About Us Pages
  • Menu

SHARE BY GK
Computer Knowledge

Friday 20 April 2018

Make An Android App Like Snapchat, Instagram, Facebook & Twitter By Coding Cafe

Harry



Make An Android App Like Snapchat, Instagram, Facebook & Twitter By Coding Cafe.

In This Series You Will Learn To Build An App Like Snapchat, Twitter, Instagram And Facebook. In This Video Tutorial Series You Will Completely Make An Android Social Network App Using Firebase. (Firebase Database, Firebase Authentition, Firebase Storage etc.)


SHARE BY GK

Basic Refrigeration & Air Conditioning Training In Hindi By SkillTrain

Harry



Basic Refrigeration & Air Conditioning Training In Hindi By SkillTrain.

Fundamentals of Basic Science, Tools and Measuring Instruments, Air Conditioning & Refrigerator System Parts, Study of Compressor, Control Devices, Condenser, Cooling Tower, Lubrication, Window AC and Split AC Wiring, Vacuuming and Gas Charging, Gasket Fitting, Insulation , Refrigerants.


SHARE BY GK
Computer Knowledge

Basic Electrical Training (Hindi) By SkillTrain.

Harry




Basic Electrical Training (Hindi) By SkillTrain.

In This Course You Will Learn The Basics In Electrical Training That Include- Stating What Is An Accident, The Probable Causes And Safe Attitude During It, Rescuing A Person Who Is In Contact With A Live Wire, Understanding The General Safety Of Tools And Equipment, Describing Electricity, Conductor, Insulator, Voltage, Current, Resistance, P.D., And Inter-Relation Between Voltage, Current, And Resistance Etc., Explaining The Difference Between AC & DC, Describing The Purpose Of Earthling And Types Of Earthling. The Successful Candidate Will Be Now Able To Take Precautions In Any Electrical Hazards.

Basic Electrical Training With Certification :- https://goo.gl/c1Wu8n


SHARE BY GK
Computer Knowledge

Thursday 19 April 2018

How To Check If MS17 010 Is Installed Wannacry Ransomware Patch By Britec09

Harry


How To Check If MS17 010 Is Installed Wannacry Ransomware Patch By Britec09.

A While Ago Microsoft Has Released Various KB Patches To Fix Wannacry Ransomware This Was For The MS17-010 Bulletin. You Can Check To See If These Are Install Using The Useful Powershell Script.

https://support.microsoft.com/en-us/h...


SHARE BY GK

Wednesday 18 April 2018

Top 10 Best Android Apps 2018 By Explore Gadgets

Harry


Top 10 Best Android Apps 2018 By Explore Gadgets.

Apps In This Video : 

Microsoft exFat/Ntfs USB By Paragon :- https://goo.gl/2QDZ3t 

Don’t Touch My Phone (Anti-theft) :- https://goo.gl/a9oJhA 


Trap Nation :- https://goo.gl/eP98wQ 


Tubi TV :- https://goo.gl/uezyAu 



Minimo Icon Pack :- https://goo.gl/QNugCq 

APK Extractor :- https://goo.gl/YQ1nOv


SHARE BY GK

HashCat : Advanced Password Recovery Tool Beginners Guide In Hindi By Techchip

Harry


HashCat : Advanced Password Recovery Tool Beginners Guide In Hindi By TechChip.

In This Video You Will See That What Is Hashcat Tool? How To Install Hashcat Tool In Mac Os? How To Use Hashcat Tool For Password Recovery And Cracking 200+ Password Hashes? How To Create Custom Rules In Hashcat? Hashcat Demonstration Of Brute-Force, Combinator, Straight Attach And More...

Note : This Video Made For Informational And Education Purpose Only.

Hashcat Website Link :- https://hashcat.net/hashcat/

Hashcat Github Link :- https://github.com/hashcat


SHARE BY GK

Tuesday 17 April 2018

Free IT And Non IT Online Courses With Certification

Harry

LearnVern Offers 100% Free Video Tutorials In IT And Non IT Courses In Hindi. Courses Are Divided Into Beginner And Advanced Version For Fresher's And Experienced Student. Complete Any Course And Get Free Certificate Of Completion.

LearnVern All Courses List :

1. Programming Courses In Hindi :- C, C++, Android, Java, Php, Javascript, Angularjs, Ruby, WordPress, Asp.Net, C#, Software Testing, Selenium, Codeigniter, Data Science, R Programming & More.

2. Mechanical/ Civil Courses In Hindi :- Creo, Autocad & More.

3. Designing Courses In Hindi :- Photoshop, illustrator, CSS3, HTML5 & More.

4. Business Courses In Hindi :- Digital Marketing, MS Excel, MS Word & More.


Enroll Here :- http://www.learnvern.com/r/6a1ef7


SHARE BY GK

Saturday 14 April 2018

How we can execute the sql file from command prompt

Harry

How we can execute the sql file

Q :-How we can execute the sql file ?
Ans :- Below are the different ways to execute the sql file

1) @
Example :-
SQL>@C:\Users\emp.sql

2) @@
Example :-
SQL>@@C:\Users\emp.sql

3) run
Example :-
SQL>run C:\Users\emp.sql

4) start
Example :-
SQL>start C:\Users\emp.sql




Thursday 12 April 2018

PMP Certification Exam Training By Edureka

Harry


PMP Certification Exam Training By Edureka.

This Edureka Video On PMP Training Will Give You A Complete Insight Of PMP Certification Along With Various Integral Topics Of PMP And Its Exam Preparation Process.

Project Management Professional (PMP) Training :- https://www.edureka.co/pmp

This Video Helps You To Learn Following Topics :
  • Project & Importance Of Project Management
  • Relationship Of Project, Program, Portfolio & Operations Management
  • Key Components Of Project Management
  • Tailoring
  • Project Management Business Documents

SHARE BY GK

IPL T20 2018 W/F LIVE BISS KEY CODE ASIASAT 5 @ 100.5°E 12.04.2018

Harry

IPL T20 2018 W/F LIVE BISS KEY CODE ASIASAT 5 @ 100.5°E 12.04.2018

12.04.2018
🎥 FEED LIVE HD
🏏IPL T20 2018
📡AsiaSat-5 @100 .5°E
📺FREQ: 3795 H 9600
💡SID: 0001
🔐KEY: 7645 37F2 4534 35AE

#NETSATHD

📱Plz visit
https://bit.ly/2qli6Qd
https://bit.ly/2tyK93J

Recover Your Deleted Data On Mac By Explore Gadgets

Harry


Recover Your Deleted Data On Mac By Explore Gadgets.

Free Download Stellar Phoenix Mac Data Recovery :- https://bit.ly/2GTKv7W

Windows Version :- https://bit.ly/2JzCC8L

Stellar Phoenix Mac Data Recovery is 2018’s Best Data Recovery Software with Super Handy Features and Best of The GUI’s Among its Segment.

Compatible With macOS High Sierra.

How To Use And Recover With Stellar Phoe
nix Mac Data Recovery?
  • Launch The Software 
  • Customize Data Recovery 
  • Choose The Hard Drive Or Storage Drive
  • Run Quick Or Deep Scan 
  • Preview Recoverable Files Save The Files To Another Media 

SHARE BY GK

Wednesday 11 April 2018

IPL T20 2018 W/F LIVE BISS KEY CODE ASIASAT 5 @ 100.5°E 11.04.2018)

Harry

IPL-2018 W/F: Rajasthan Royals vs Delhi Daredevils [LIVE]

⏰ 11.04.2018
🎥 FEED LIVE HD
🏏IPL T20 2018
💿Rajasthan Royals vs Delhi Daredevils
📡AsiaSat-5 @100 .5E
📺FREQ: 3795 H 9600
💡SID: 0001
🔐KEY: 75 34 37 E0 2F DD EA F6

📱Plz visit
https://bit.ly/2qli6Qd
https://bit.ly/2tyK93J

ER BS.

How To Send Emails Via Mail Merge Using Gmail & Yesware By Digital Deepak

Harry


How To Send Emails Via Mail Merge Using Gmail & Yesware By Digital Deepak.

In This Video, Digital Deepak Show You Will Learn How You Can Send Emails Via Mail Merge Using Yesware. You Can Use Any Google Apps Account For This And You Will Be Able To Send Up To 200 Emails At A Time. The Open Rates Are Great And Your Mails Almost Always Land In The Primary Inbox Because It Is Being Sent From Inside Your Account, Not An Email Server.

SHARE BY GK

Tuesday 10 April 2018

IPL FEED T20 2018 LIVE BISS KEY CODE ASIASAT 5 @ 100.5°E (10.04.2018)

Harry

IPL T20 2018 LIVE BISS KEY CODE ASIASAT 5 @ 100.5°E (10.04.2018)

⏰10.04.2018
🎥 FEED LIVE HD
🏏IPL T20 2018
📡AsiaSat-5 @100 .5E
📺FREQ: 3792 H 9600
💡SID: 0001
🔐KEY: DA33-FF0C-AABB-EE53

📱Plz visit
https://bit.ly/2qli6Qd
https://bit.ly/2tyK93J

ER BS

INDIAN PREMIER LEAGUE 2018 IPL ALL MATCH SCHEDULE TIMING VENUE

Harry

🇮🇳  INDIAN PREMIER LEAGUE  2018🇮🇳

Date                 Team               Time

07.04.18       MI VS CSK        8.00 PM
08.04.18     DD VS KXIP        4.00 PM
08.04.18     KKR VS RCB       8.00 PM
09.04.18      SRH VS RR        8.00 PM
10.04.18     CSK VS KKR       8.00 PM
11.04.18        RR VS DD         8.00 PM
12.04.18       SRH VS MI        8.00 PM
13.04.18    RCB VS KXIP       8.00 PM
14.04.18        MI VS DD          4.00 PM
14.04.18     KKR VS SRH       8.00 PM
15.04.18      RCB VS RR         4.00 PM
15.04.18    KXIP VS CSK       8.00 PM
16.04.18      KKR VS DD         8.00 PM
17.04.18      MI VS RCB         8.00 PM
18.04.18      RR VS KKR         8.00 PM
19.04.18    KXIP VS SRH      8.00 PM
20.04.18     CSK VS RR         8.00 PM
21.04.18    KKR VS KXIP      4.00 PM
21.04.18      DD VS RCB        8.00 PM
22.04.18     SRH VS CSK      4.00 PM
22.04.18        RR VS MI         8.00 PM
23.04.18     KXIP VS DD        8.00 PM
24.04.18      MI VS SRH        8.00 PM
25.04.18     RCB VS CSK       8.00 PM
26.04.18    SRH VS KXIP      8.00 PM
27.04.18      DD VS KKR        8.00 PM
28.04.18       CSK VS MI        8.00 PM
29.04.18       RR VS SRH       4.00 PM
29.04.18     RCB VS KKR      8.00 PM
30.04.18       CSK VS DD       8.00 PM
01.05.18       RCB VS MI       8.00 PM
02.05.18        DD VS RR        8.00 PM
03.05.18     KKR VS CSK      8.00 PM
04.05.18      KXIP VS MI       8.00 PM
05.05.18     CSK VS RCB      4.00 PM
05.05.18      SRH VS DD       8.00 PM
06.05.18       MI VS KKR       4.00 PM
06.05.18     KXIP VS RR       8.00 PM
07.05.18     SRH VS RCB     8.00 PM
08.05.18      RR VS KXIP      8.00 PM
09.05.18       KKR VS MI       8.00 PM
10.05.18       DD VS SRH      8.00 PM
11.05.18      RR VS CSK       8.00 PM
12.05.18    KXIP VS KKR     4.00 PM
12.05.18      RCB VS DD       8.00 PM
13.05.18     CSK VS SRH      4.00 PM
13.05.18        MI VS RR         8.00 PM
14.05.18    KXIP VS RCB      8.00 PM
15.05.18      KKR VS RR        8.00 PM
16.05.18      MI VS KXIP       8.00 PM
17.05.18     RCB VS SRH      8.00 PM
18.05.18       DD VS CSK       8.00 PM
19.05.18       RR VS RCB       4.00 PM
19.05.18     SRH VS KKR      8.00 PM
20.05.18        DD VS MI         4.00 PM
20.05.18    CSK VS KXIP      8.00 PM
22.05.18       Qualifier 1        8.00 PM
23.05.18       Eliminator        8.00 PM
25.05.18        Qualifier 2       8.00 PM
27.05.18           FINAL           8.00 PM

IPL T20 2018 LIVE TV CHANNELS LIST

Harry

IPL T20 2018 LIVE TV CHANNELS LIST

#IPL T20 2018 Live on

IPL T20 2018 LIVE TV CHANNELS LIST INDIA

- INDIA -
STAR SPORTS 1,
STAR SPORTS 1 HD
STAR SPORTS 1 HINDI
STAR SPORTS 1 HINDI HD,
STAR SPORTS 1 TAMIL,
STAR SPORTS SELECT 1,
STAR SPORTS SELECT 1,
JALSHA MOVIES,
MAA MOVIES,
SUVARNA PLUS
DD Sports *

IPL T20 2018 LIVE TV CHANNELS LIST
-BANGLADESH-
CHANNEL 9 BD
Maasranga

IPL T20 2018 LIVE TV CHANNELS LIST
-Afghanistan-
WATAN HD LEMAR HD

IPL T20 2018 LIVE TV CHANNELS LIST
-Global-
FEED HD 100.5°E

IPL T20 2018 LIVE TV CHANNELS LIST
-Pakistan-
Geo Super

IPL T20 2018 LIVE TV CHANNELS LIST
- Sri Lanka -
Carlton Sports Network

IPL T20 2018 LIVE TV CHANNELS LIST
Singapore -
Star Hubn Singtel

IPL T20 2018 LIVE TV CHANNELS LIST
New Zealand -
Sky Nz

IPL T20 2018 LIVE TV CHANNELS LIST
Bhutan -
Star Sports

IPL T20 2018 LIVE TV CHANNELS LIST
Africa -
Super Sport

IPL T20 2018 LIVE TV CHANNELS LIST
Brunei
Astro

IPL T20 2018 LIVE TV CHANNELS LIST
Canada
Sportsnet

IPL T20 2018 LIVE TV CHANNELS LIST
Caribbean
Sportsand Max

IPL T20 2018 LIVE TV CHANNELS LIST
Malaysia
Astro

IPL T20 2018 LIVE TV CHANNELS LIST
Middle East
Arab
OSN Sports

IPL T20 2018 LIVE TV CHANNELS LIST In
Hong Kong
PCCW

IPL T20 2018 LIVE TV CHANNELS LIST In
Nepal
Star Sports Network

IPL T20 2018 LIVE TV CHANNELS LIST In
United Kingdom
Sky Sports

IPL T20 2018 LIVE TV CHANNELS LIST In
United States
Willow Tv

Monday 9 April 2018

Why RBI Prints Limited Currency ? Explained In Hindi By SidTalk

Harry


Why RBI Prints Limited Currency ? Explained In Hindi By SidTalk.

SidTalk Explain You What Happens When Indian Government Or RBI (Reserve Bank Of India) Print Unlimited Indian Currency Rupee Notes And Distribute To Everyone For Free Ad They Have Permission To Print Unlimited Currency Notes Within A Country.

Why RBI Prints Limited Amount Of Indian Currency Notes Like 2000, 500, 100 Rupee (Inr) ?
What Is Indian Currency Actual Value & Why We Use Indian Rupee For Our Transction.
Why Our Indian Government Cannot Print More Money To Pay Off Debt And Make Everyone Rich ??

Queries Solved:
  • Why We've Limited Amount Of Currency In India
  • What Is The Real Value Of Rupee In Hindi
  • Story Of Zimbabwean Dollar Extinction
  • Why Can't A Country Print Unlimited Amount Of Money?
  • Reserve Bank Of Zimbabwe $10 Trillion Dollar Case Study
  • Zimbabwe Currency Story & The Conclusion

SHARE BY GK

How To Make A DropShipping Website With WordPress 2018 By Nayyar Shaikh

Harry


How To Make A DropShipping Website With WordPress 2018 By Nayyar Shaikh.

How To Make A DropShipping Website With WordPress, AliDropship, WooCommerce & AliExpress - Tutorial for Beginners 2018.

AliDropship Plugin :- http://bloggdude.com/ads 

Tmd Hosting :- http://bloggdude.com/tmd (Use NAYYAR7 for 7% Discount) 

Hostgator :- http://bloggdude.com/hostgator (Use NAYYAR60 for 60% Off) 

TechMarket Theme :- http://bloggdude.com/techmarket

Video Step By Step :
  • Introduction
  • What is Dropshipping, How It works & how to make Money with it?
  • Demo Website Tour
  • Getting Fastest Hosting
  • Installing WordPress
  • Increasing WordPress Upload Memory Limit
  • Installing TechMarket Theme
  • Setting Up AliDropship Plugin
  • WooCommerce Pages Shortcodes
  • How To Import Products from AliExpress
  • How To Import Reviews from AliExpress
  • DropShipping Plus Affiliate Marketing Setup
  • AliDropship Currency Settings
  • AliDropship Pricing Setts - Setting Formulas & Automating Pricing
  • AliDropship Update Settings
  • WooCommerce Setup
  • WooCommerce General Settings
  • WooCommerce Shipping Setup
  • WooCommerce Checkout Setup - PayPal & Stripe
  • WooCommerce Coupons Setup
  • Demo Payment
  • Creating Sliders using Revolution Slider
  • Designing Home Page
  • Making Website Mobile Responsive
  • Website Header Settings
  • Website Footer Settings
  • Setting Up Compare Page
  • Techmarket Design Settings

SHARE BY GK

Sunday 8 April 2018

Data Types

Harry

Data Types

Data Type:-Data types define the ways to identify the type of data and their associated operations. 

Types of Data Types :-There are 4 types of predefined data types explained as below
1) Scalar Data Types:- A scalar data type is an atomic data type that does not have any  
                                             internal components.
 Example:-
CHAR (fixed length character value between 1 and 32,767 characters)
VARCHAR2 (variable length character value between 1 and 32,767 characters)
NUMBER ( fixed-decimal, floating-decimal or integer values)
BOOLEAN ( logical data type for TRUE FALSE or NULL values)
DATE (stores date and time information)
LONG (character data of variable length)
 
2) Composite Data Types:- A composite data type is made up of other data types and  
                                                       internal components that can be easily used and manipulated.
Example:- Record, Associate Array, Nested Table and Varray.
 
3) Reference Data Types: A reference data types holds values, called pointers that designate to other program items or data items.  
Example:- %type, %rowtype
 
4) Large Object Data Types: A Large Object datatype holds values, called locators, that defines the location of large objects( such as video clips, graphic image) stored out of line.
Example:-
BFILE (Binary file)
BLOB (Binary large object)
CLOB ( Character large object)
NCLOB( NCHAR type large object)

Saturday 7 April 2018

How To Create UIDAI Aadhaar Virtual ID OR VID By How To Hindi & BankBazaar

Harry


How To Create UIDAI Aadhaar Virtual ID OR VID By How To Hindi & BankBazaar.

The Aadhaar Virtual ID Consists Of 16 - Digit Random Numbers That Is Mapped To An Individual’S Aadhaar Card At The Back End. An Aadhaar Card Holder Using The Virtual Id Need Not Submit His Aadhaar Number Every Time For Verification Purpose, Instead He Can Generate A Virtual ID And Use It For Various Verification Purposes Like Mobile Number, Bank And Other Financial Documents.

All The Aadhaar Card Holder's Can Avail The Aadhaar Virtual Id By Visiting The Uidai’S Website. The 16 - Digit Number Will Be Valid For A Certain Period Of Time. Users Can Give The Virtual Ids Along With The Fingerprint At The Time Of Authentication.

Read Text Tutorials in Hindi :- http://www.howtohindi.in/2018/...

Below Mentioned Are The 9 Simple Steps That Will Guide You On How To Generate An Aadhaar Virtual Id Easily.

How to Generate Aadhaar Virtual ID? Using mAadhaar App.
  • Visit the Google Play store.
  • Download mAadhaar App.
  • Once you complete downloading, enter your 12-digit Aadhaar number to create mAadhaar account.
  • An OTP will be sent to your Aadhaar registered mobile number.
  • You have to enter the OTP to complete the verification.
  • You should then create a password for your Aadhaar card and exit from the app.
  • Login to your virtual Aadhaar card by entering the password.
  • Go to the virtual ID section and type 16 digits randomly.
  • On doing this, virtual IDs are generated that you can share with agencies for KYC verification.

Benefits of Aadhaar Virtual ID :
  • Access To The Specific Information That Are Required. This Prevents Misuse Of The Vital Details.
  • It Will Reduce Agencies Burden Of Collecting Aadhaar Number Of Each Individual And Save It For Kyc Purpose.
  • Virtual Id Is Revocable So Chances Of Duplication Is Negligible.
  • Read More.

SHARE BY GK

Thursday 5 April 2018

Download & How To Use AhMyth Android Rat

Harry


Download & How To Use AhMyth Android Rat.

AhMyth is Android Remote Administration Trojan That Has Two Part :

1. Server (Desktop Application) Which is The User Panel

2. Trojan (apk file) Which Installed on The Victim Device

Download From Github on :- https://github.com/AhMyth/AhMyth-Andr...

Read Installation Method :- https://github.com/AhMyth/AhMyth/...


SHARE BY GK

Deep Web & Dark Web Explained With Live Demo In Hindi By SidTalk

Harry


Deep Web & Dark Web Explained With Live Demo In Hindi By SidTalk.

In This Video SidTalk Explain You What Is Deep Web And Dark Web And How To Use Dark/Deep Websites In Hindi Which Is Also Known As Hidden Web Or Internet.

How To Access Dark Web Or Deep Web Using Special Kind Of Web Browser Named Tor (The Onion Router).

Why Websites Or Other Youtubers Says Its Illegal To Access Dark Web On Internet.

You'Ll Find The Truth Behind Deep Web And Dark Web In This Video By Step By Step Detailed Basic Guide Using Live Examples In Hindi Language & Is It Illegal To Access Dark Web In India ?

Download Tor :- http://bit.ly/2q4NLoV

Queries Solved :-

1) What Is Deep Web On Internet ?

2) Meaning Of Dark Web In Hindi

3) How To Access Deep & Dark Websites ?

4) What Is Tor And How To Use The Onion Routing

5) Truth Behind Dark Web

6) Live Demo Of Deep & Dark Web

7) What Are Dot (.) Onion Websites

8) How To Create Your Own Onion Websites In Hindi

9) Access Dark Web Using Reliance Jio, Airtel, Idea, Bsnl, Etc In Solved


SHARE BY GK

Monday 2 April 2018

How To Make A Mini Drone At Home By HackTools

Harry


How To Make A Mini Drone At Home By HackTools.

Here Are The Part You Need To Make Mini Drone.

1. Receiver Board :- https://goo.gl/1yP0Ke

2. Transmitter :- https://goo.gl/z4M4QT 

3. Rotors :- https://goo.gl/LrOKyY 

4. Blades :- https://goo.gl/AStF5a 

5. Battery :- https://goo.gl/H5nk31 

6. USB Cable :- https://goo.gl/eoKfL9


SHARE BY GK

How To Make A WordPress Website With Free Theme 2018 - Elementor 2.0 Pro By Nayyar Shaikh

Harry


How To Make A WordPress Website With Free Theme 2018 - Elementor 2.0 Pro By Nayyar Shaikh.

How To Make A Wordpress Website 2018 - Elementor 2.0 Tutorial For Beginners Using Free & Best Theme OceanWP.

Tmd Hosting :- http://bloggdude.com/tmd (Use NAYYAR7 for 7% Discount)

Hostgator :- http://bloggdude.com/hostgator (Use NAYYAR60 for 60% Off)

Elementor 2.0 Pro :- http://bloggdude.com/elementor

Video Step By Step :
  • Introduction & Demo Website Tour
  • Getting Fastest Hosting
  • Install Free Oceanwp Theme
  • How To Get & Install Elementor 2.0
  • Designing Home Page
  • How To Use Blocks In Elementor 2.0
  • Designing Home Page
  • How To Create Icons For Free
  • Animations
  • Optimise Website For Mobile
  • About Us Page
  • Services Page
  • Contact Us Page
  • Setting Up Menu
  • Footer Settings

SHARE BY GK