RapidTech1898 RapidTech1898
  • Home
  • Solutions
    • Portfolios
      • Webscraping
      • Excel Automation
      • AI Solutions
      • Auto Searching
      • Application
      • Automate PDF
      • Finance Worksheets
      • Word Automation
    • Ready To Use
    • Gigs
    • Datasets
  • FAQ
  • Feedback
  • Technic Help
  • WebDev
About me
More than 20 years experience in IT and Finance. I will automate your business with python tools, make excel templates and collect all the data you need from the internet!
Book me on Fiverr
Table of Contents
  1. Installation MYSQL
  2. SELECT, FROM
  3. DISTINCT, WHERE, BETWEEN, IN
  4. AND, OR, ORDER BY, ASC, DESC
  5. INSERT, INTO, VALUES, UPDATE, SET, DELETE
  6. NULL, LIKE, TOP, LIMIT, ROWNUM, PERCENT
  7. IN
  8. Tables and Data-Types
  9. Primary und Foreign Keys, not null
  10. Change Tables, Autoincrement
  11. Joins
  12. SQL Built In Funktionen
  • Send me a mail
  • Facebook
  • YouTube
  • GitHub
  • Gumroad
  • Eloquens
  • Book me on Fiverr
  • Send me an email
  • Buy me a coffee
  • Subscribe to updates
RapidTech1898 RapidTech1898
  • Mail
  • Facebook
  • YouTube
  • GitHub
  • Gumroad
  • Eloquens
  • Fiverr
RapidTech1898 RapidTech1898
  • Home
  • Solutions
    • Portfolios
      • Webscraping
      • Excel Automation
      • AI Solutions
      • Auto Searching
      • Application
      • Automate PDF
      • Finance Worksheets
      • Word Automation
    • Ready To Use
    • Gigs
    • Datasets
  • FAQ
  • Feedback
  • Technic Help
  • WebDev
  • Technic Help

SQL Cheatsheet

photo of 5-story library building
Photo by Tobias Fischer on Unsplash

Installation MYSQL

Installation

https://www.youtube.com/watch?v=GIRcpjg-3Eg

SELECT, FROM

Outputs all columns from the table customer (automatically sorted by id)

select * from customer

Outputs only the column firstname (no sorting)

select firstname from customer

Outputs 2 columns firstname and lastname

select firstname, lastname from customer

DISTINCT, WHERE, BETWEEN, IN

With distinct the output occurs only one time if the firstname is the same

select distinct firstname from customer

Everything will be outputed cause the id is unique

select distinct id,firstname from customer

Only when firstname and lastname are equal there will be no outputs

select distinct firstname,lastname

Outputs the row with the id = 0

select * from customer
where id = 0

Outputs all rows where the firstname is Janet

select * from customer
where firstname = 'Janet'

Outputs all streets which are in the city of Oslo

select street from customer
where city = 'Oslo'

all IDs >= 40

...where id >= 40

all IDs except 40 (in some DBs you have to use instead !=)

...where id <> 40

everything between 40 and 50

...where id between 40 and 50

some values are checked for id

...where id in (43,44,45)

AND, OR, ORDER BY, ASC, DESC

Outputs all rows where id >= 40 and firstname is Robert

select * from customer
where id >= 40
and firstname = "Robert"

One of the both conditions have to be fullfilled

...where id >= 40 or firstname = "Robert"

combinaton of logical or and and (better to use parantheses)

...where id >= 40 or firstname = "Robert" and lastname = "Fuller"

Outputs rows >=40 sorted ascending for firstname and lastname

select * from customer
where id >= 40
order by firstname, lastname asc

Output in descending order

...order by firstname, lastname desc

INSERT, INTO, VALUES, UPDATE, SET, DELETE

Inserts row in the table with specific values for the columns

insert into customer
values (50, 'James', 'Karsen', '107 Upland Pl.', 'Dallas')

Inserts row with streetname = NULL (this is not working for key-columns like id)

insert into customer (id, firstname, lastname, city)
values (51, 'James', 'Karsen', 'Dallas')

Update the row with the id = 51 regarding street

update customer
set street = '547 Seventh Av.'
where id = 51

Update the strett where firstname James and lastname Karsen

...where firstname = 'James' and lastname = 'Karsen'

Delete row with the id = 51

delete from customer
where id = 51

NULL, LIKE, TOP, LIMIT, ROWNUM, PERCENT

Outputs the first 5 results (depending on the sorting)

select top 5 * from customer

in some DBs also in the following form – oututs the first 10 results

select * from customer
limit 10

and also in this form in some DBs

select * from customer
where rownum <= 10

Outputs 10 top percent of the results

select top 10 percent * from customer

"_" will be replaced with one char - so the output will be done for eg. Oslo or Oxlo

select * from computer
where city like 'O_lo'

Outputs all entries which end with "lo" for the column city

... where city like '%lo'

Outputs all entries which start with 2 chars and then the char "l"

... where city like '__l%'

When there sould be a serach for the percent sign "%" - this has to be masked with \%

... where city like '__l\%'

Outputs all rows where lastname is NULL

select * from computer
where lastname is NULL

Outputs all rows where there is some entry in the column lastname

where lastname is NOT NULL

IN

IDs will be selected from the rechnungen-table and will be used for the aboth where-clausel for select *

select * from customer
where id IN
(select id from rechnungen
where date <=3)

Tables and Data-Types

CREATE, TABLE, INT, VARCHAR, BINARY, BOOLEAN, VARBINARY, SMALLINT, BIGINT, DECIMAL, NUMERIC, DATE, TIME
Create a new table with name Rechnung

create table Rechnung
(
RechnungsID int,
CustomerID, int,
Betrag int
)

Insert a row in the new table Rechnung with specific values

insert into Rechnung values (1,0,50)

Integer

value INT

variable Character

name VARCHAR(255)

Bits

bin BINARY (255)

Bool (TRUE / FALSE)

bool BOOLEAN

variable Bits

VARBINARY(255)

SmallInt

SMALLINT

BigInt

BIGINT

Decimal Number (total,decimal places) - 3 beforce decimal places, 2 decimal places

DECIMAL (5,2)

Numeric Number

NUMERIC (5,2)

Floating Number

FLOAT (10)

Double Precision

DOUBLE PRECISION

Date value

DATE

Time value

TIME

Timestamp value

TIMESTAMP

Primary und Foreign Keys, not null

Drop whole table

drop table Rechnung IF EXISTS

DROP, UNIQUE, NOT NULL, PRIMARY KEY, FOREIGN KEY, REFERENCES
RechnungID is a mandatory field - must be allways available and not empty with NULL - with UNIQUE the ID has to be unique
Define the Primary Key with PRIMARY KEY
Define the Foreign Key with FOREIN KEY (Primary Key in anderer Tabelle) - is referencing to the id in the customer table

create table Rechnung
(
RechnungsID int NOT NULL UNIQUE
CustomerID int NOT NULL
Betrag int NOT NULL
PRIMARY KEY(RechnungsID)
FOREIGN KEY(CustomerID) REFERENCES Customer(ID)
)

Change Tables, Autoincrement

AUTO_INCREMENT, DEFAULT, IDENTITY, ALTER TABLE, ADD, DROP COLUMN, ALTER COLUMN
With AUTO_INCREMENT the id will be given automatically - starts with 1 and then ascending (e.g. MYSQL)
In some DBs with: RechnungsID int IDENTITY(0,1) (e.g. MSSQL)
In some DBs with: RechnungsID int IDENTITY (e.g. HSQL)
Using DEFAULT - when something is inserted without specific value - 50 will be used as default value

create table Rechnung
(
RechnungsID int NOT NULL AUTO_INCREMENT
CustomerID int NOT NULL,
Betrag int DEFAULT 50,
PRIMARY KEY(RechnungsID),
FOREIGN KEY(CustomerID) REFERENCES Customer(ID)
)

change table Rechnung

alter table Rechnung

add datum-column with datatype date

add Datum Date

drop column betrag from the table

drop column betrag

change column to VARCHAR(255)

alter column VARCHAR(255)

Joins

INNER JOIN, ON, LEFT JOIN, RIGTH JOIN, FULL JOIN
Outputs firstname + lastname from all customers which exists in the rechnung table

select firstname, lastname from customer
where id in (select customerID from rechnung)

Outputs all attributes from the customers, which have a rechnung (same as aboth - but for all attributes)

select *
from customer
inner join Rechnung
on customer.ID = rechnung.customerID

Outputs all elements from the left table (customer) - where in the table Rechnung something is inside it will be outputed

...left join Rechnung

Outputs alle elements from the right table (Rechnung) - with informations from both tables

...right join Rechnung

Outputs everything from both sides

...full join Rechnung

SQL Built In Funktionen

Outputs the average

select avg(betrag) from rechnung

Returns the count of the rows

select count(rechnungID) from rechnung

AVG, COUNT, TOP, FIRST, LIMIT, LAST, UCASE, UPPER, LCASE, LOWER
Outputs the count of the rechnungIDs where the betrag is >= the average in the rechnungs table

select count(rechnungID) from rechnung
where betrag >= (select AVB(betrag) from rechnung)

Outputs maximum betrag from the table

select max(betrag) from rechnung

Outputs the minimum betrag from the table

select min(betrag) from rechnung

Outputs the sum betrag from the table

select sum(betrag) from rechnung

Outputs the firstname as uppercase - sometimes also upper(firstname)

select ucase(firstname) from customer

Outputs the firstname as lowercase - sometimes also lower(firstname)

select lcase(firstname) from customer

Outputs the length of the string

select len(firstname) from customer

Outputs the actual date + time

select now() from  customer

    Quick contact

    Updates about new solutions?
    Need a customized automation?
    Lets reach out!




    Customer Feedback

    Very good to work with Max! I wasn’t an easy client to be honest but he manage to provide what I needed! Great communication skills & understand what is needed. His coding technic are also very efficient!

    “Knows what he’s doing. Thanks so much.”

    brettjackson

    Max was very professional from day one. Once I receive the final product, you can tell that he checked all the formulas to ensure accuracy. I look forward to the next project.

    “rapid turn around and high quality work. will be using again”

    ohiorhenuan

    Max really helped me with the scrape of lots of products, easy and clear communication and really knows what he is talking about.

    “Max is clearly very competent and professional. Although the project was challenging and we had to go through several back and forth rounds of testing and correcting the output, he was always promptly available and helpful to debug the code and improve the delivered program. I am very satisfied with the end product.”

    mehdi tavalaei

    “Very dedicated and talented developer! We have additional projects lined up with him. We can highly recommend him.”

    molitious

    “I am very impressed with the level of communication and desire to provide the program that I was looking for. I would not hesitate to recommend or use rapidtech1898 again for future projects.”
    “Second time working with Max and highly recommend.”

    cfrevert

    “Second time working with Max. Great reponse times, great communication and flexibility. He goes the extra mile to make sure everything works out great.”

    cam_polytropic

    I’m very satisfied with his work. Great communication too

    clock0317

    “rapidtech1898 was a joy to work with. He was able to provide exactly what we requested and was able to do so extremely quickly. He was even patient to work with me to figure out what I was doing wrong on my end. I would be happy to do business with again and would totally recommend him to someone else.”

    ginzzy

    Maxx, was a pleasure to work with – very professional, systematic and prompt. I will definitely be using his services again!

    jasonmerrill

    The seller not only meets but surpasses expectations by consistently delivering high-quality work that stands the test of time. The solutions they provide are durable and reliable, instilling confidence that they will continue to serve effectively for years to come.

    userza_123

    I had an excellent experience working with Max! he delivered the project on time, exceeding my expectations. Communication was smooth, and he was always willing to make adjustments as needed. I highly recommend him and will definitely be returning for future projects!

    “Excellent implementation, professional and thorough developer.”

    robalf

    Max is an excellent programmer. He developed program as per the requirements and did numerous iterations until it was perfect. He even agreed to help fix any minor bugs in the future without any further payments or issues. I recommend and will consider buying from him again.

    “Great customer support. very knowledgeable. will buy again.”

    bigamericandrea

    “quick and efficient, would use his service again”

    realschwab

    Maxx O was phenomenal in both his communication speed and delivery time. The professionalism and attention to detail led to work that exceeded expectations. Efficient, prompt, and highly cooperative, I would ABSOLUTELY use his software development services again. 👏

    Fast communication and competent advice. Would place an order there again at any time.

    Working with Maxx O was a fantastic experience! He delivered an automated Python program that is not only FAST and bug-free but also tailored perfectly to my needs, thanks to his attention to detail and professionalism. His quick responsiveness and cooperative spirit made the process smooth and efficient. 🙌

    “Max was able to buld a scrapping script for me. He showed good understanding and great patience. He always responded fast.” 

    guilac

    “Great service and got exactly what I needed. Communication was smooth and seller responded multiple times a day, giving updates etc. After delivery, changes were made as agreed upon and overall it was a good and fair experience. Would definately recommmend!”

    kuyuch

    “Vendor helped out with a complex excel scenario and wrote an application that fit our needs.” “Seller is an expert in his field. Great finished product”

    kaufmannrl

    “Perfect delivery within 48 hours, proper processing. Gladly again!”

    julianmanier

    “Great service. professional work. quick response. happy customer!”

    daniel_j_k

    “Great experience working with Max. Highly professional and responsive. Our collaboration went very smoothly. Would love to work with him again.”

    omarelmaria

    Great communication, fast delivery! Couldn’t be better.

    tijsengel

    Working with this seller was an absolute delight. They were highly professional, excellent communicators, and delivered outstanding work that exceeded my expectations. I wholeheartedly recommend their services and look forward to future collaborations. Thank you!

    mrgreen28

    Max always deliver quality data and on time. And if there are any adjustments, he is quick to make the changes. Great job Max!

    low_soren

    “really nice person, excellent communication, and excellent work!”

    mehdigati511

    “Working with Markus was great. He has great attention to detail and his background in financial technology helped to create a tailored made worksheet.”

    asset_services

    “Max is great, he’s been helping us with various projects for over two years now!”
    “Great work, we are repeat customers!”

    metatalentdavid

    Maxx O is a top-tier professional in the Data Processing field! He not only EXCEEDED our expectations with his attention to detail and exceptional professionalism, but also impressed us with his quick responsiveness and language fluency. Maxx automated a manual process for us efficiently, delivering a flawless end product in record time—HIGHLY RECOMMENDED for anyone needing automation assistance! 🙌

    “Found rapidtech very good in all aspects of what I was looking for. The project was tasking, to say the least, but we managed to get what I wanted very quickly and very professionally. I am so impressed I am placing 2nd order with him straight away. highly recommended”

    ottersocks

    The delivery was within minutes. Amazing and exceptional service. This is my second project with Maxx and would love to give more projects.

    “Perfect execution as well as the communication! Recommend 100% Perfect service”

    sebeff

    Great! Delivered in time by margin. Thanks for the quick help man.

    gofourwardwout

    When i reach RapidTech1898 I have an idea to do my task. After first message where I ask for a service, seller ask me lot of questions and together we discuss about solutions and delivered what I really needed. Absolutely reccomend.

    tivesto84

    Working with Max O was an absolute delight! From the outset, his professionalism and communication were top-notch. The service he provided not only met but surpassed my expectations.If you’re looking for a talented and reliable freelancer, Max O is the one to choose.Will definitely be returning for more projects in the future Thank you,

    Amadahma

    From the start Max was very helpful, was always there to answer my questions and went above and beyond to help me no matter what time of day it was. The whole setup of my order was a breeze and Max could not of been more helpful. I’m not very clued up with computers and coding etc and Max made this whole process very easy. I could not recommend him enough.

    vpcar31

    Delivers exactly what is needed, have worked with this seller several times

    cranbrookelec

    “Fast delivery and high quality as always. Max did a great job and the communication is everytime super clear and super fast.”

    benj123

    “Very professional service, he definitely knows his stuff RapidTech was unbelievably professional and has very productive attitude. even at the initial proposal stage, he gave me a prototype demo of exactly what I wanted. He has a very fast response rate and even responding out of work hours.”

     

    a_jsingh

    “This was an extremely great experience – everything that I needed was completed properly and ahead of the timeline given to me. I am now in the process of placing several more orders with the seller. High recommendation.”

    ammocontent

    “Helped me with a ad-hoc problem within one day with a perfect solution!”

    jdesign01

    “Seller did an awesome job ! and delivered within the specified timeframe. Will surely hire again.”

    Intellbusinc

    Great seller who understands exactly what is needed … Great communication with prompt response … Professional seller with a very high quality of work … This is third time I worked with him and will continue working in future.

    abdulhameedalah

    “Fast and professional communication and excellent work. Highly recommended and am looking forward to work with you again in the future.”

    schlkagga

    Professional and cooperative collaboration. Efficient and high-quality work. All in all, a harmonious overall package.

    Communication is excellent, his work is excellent, prices bit high but overall I am very satisfied with his work and would like to work again with him in future. my work was done promptly and delivered on time. I highly recommmend him for automation projects.

    fawadnaseer

    ” Fast and easy communication. The seller knew right away what was going on. Thank you very much for the quick transaction.”

    meinnutriug

    “I was very satisfied with the work. Everything was completed on time and satisfactorily as discussed. I will give more jobs to rapidtech1898. Thank you very much!”

    esscobar

    “He dealt with all my issues swiftly and helped with solutions. He had finished the project sooner than the deadline, even with all revisions. Fantastic working with him. He has surprised me beyond expectations. Always Great work. I have used many times, very fast response and very professional.”

    a_jsingh

    “Best seller ever! Good Communications and perfect outcomes”

    hatemem

    “Thank you for such a quick turn around and an easy-to-use tool!”

    haeshka

    “A repeatedly fast and professional process that resulted in exactly the outcome that I specified. He understood these specifications without further explanation and was able to deliver a perfect result. Big recommendations.”

    fireworker

    “So easy to work with. He understood exactly what I needed and built an elegant solution. Great communication. He worked very hard to make sure everything worked well.”

    fennec14

    “highly recommended!!! very helpful and fast in the delivery of their projects”

    user_zappa

    “Very helpful and fast deliver with a fair price.”

    felipegusmao

    The seller was ready to help with all my inquiries and questions and went above and beyond to create all the functionalities I requested. Very quick response to all my messages. I highly recommend the service to anyone seeking Python scraping and custom Python scripts.

    ivokaza

    Working with Maxx O in AI Development was a TOP-NOTCH experience! His attention to detail and professionalism are unmatched, ensuring a flawless delivery while maintaining exceptional cooperation and quick responsiveness throughout the project. I couldn’t have asked for a better collaboration! 👏

    Their services are highly commendable, and I strongly endorse them to anyone in search of excellent results. Rest assured, as future needs emerge, I will return.

    userza_123

    “Again a very professional and fast process, resulting in an ideal result. A very positive experience and surely to be highly recommended for anyone looking for a reliable partner.”

    fireworker

    “Great guy to work with, very professional work and good communication. The work was very detailed, at times obfuscated by my unclear requirements, but he saw through what I wanted to have done and delivered an elegant solution. Will work with him in the future.” 

    george_mhl

    “Max is the ultimate professional. He has been able to come through with any projects I have for him and gets them done quickly. I appreciate his flexibility as we worked out some of the design. I will definitely be coming back for more projects with him.”

    ericromelczyk

    Results were fast and the scope of work was in line with the initial request. I thought the process was smooth. Overall I would recommend to others.

    sawbroker

    “first experience with this service provider for data extraction. Everything went very well and delivered very quickly. The file is clear and it is now up to me to take over for sorting out according to my requirements. I would use his work again for the rest of my project. I recommend”

    valorisconcept

    “Max delivered excellent work! I am really happy with the result and can recommend Max to anyone that needs help with data and excel.”

    benj123

    “It was a great experience, and I will work with him agagin.”

    hatemem

    “Excellent job, exactly what I was looking for. Will continue to work with seller to build on program as well, thank you!!”

    mrselfdirect

    “Great too work with, will be using again”

    cranbrookelec

    “Very easy and end result is what I wanted”

    mattbeck1809

    “rapidtech1898 is very professional and very quick in communication! I enjoyed working with him.”

    oli720

    Max is an exceptional and standout talent on Fiverr. His unique and amazing service, combined with professionalism and dedication, makes collaborating with him an absolute pleasure. Highly recommended for anyone seeking an outstanding experience.

    Amadahma

    Awesome as always, quick to deliver what I required and happy to problem solve with you

    instarpaint

    Fantastic and easy to work with. I highly recommend him

    “Rapidtech1898 created everything according to my wishes in a very short time. I recommend the seller 100%.”

    klaus1860

    “Very competent contact, understood the task quickly and implemented on time.”

    manta001

    “Outstanding work once again. Exactly what I asked for in ultra quick time. Will use again in the very near future!”

    esport21

    “Max was very communicative and great to work with. He put together a custom quote after understanding what I needed and delivered it very quickly. He was patient with my requests along the way. I will definitely hire him again and would wholeheartedly recommend him to you for your next project.”

    josephharris386

    “Second time working with Max. Great reponse times, great communication and flexibility. He goes the extra mile to make sure everything works out great.”

    cam_polytropic

    “The second part of my project was conceptualized and then enacted within a few days. He delivered a precise reflection of my needs in short time, so I am very happy to work with him again.”

    fireworker

    “Great stuff again. The fourth time I have worked with Max. Always impressed with the communication, speed, and quality of work!”

    esport21

    “Seller is top professional! Within a very short while, he understood my needs and met them perfectly! Would buy again! Well done..”

    ellranazoulay

    “He is very keen, reliable and willing to fully understand the job that he is give before committing to it. He is responsible and efficient. If he continues to work in this field I feel he has the making of a good programmer. I have no hesitation in recommending him to any interesting party.”

    shaylnm

    “The work was great, he even met via Zoom to make sure we understood what was needed and what we could get. The work turned out the way we had hoped, and we will use him again if we need anything in the near future.”

    premiergarages

    Maxx is exceptional, he EXCEEDED expectations with his stellar work. His deep understanding of tasks and willingness to go above and beyond made working with him a joy. Plus, his politeness was a breath of fresh air. 👏

    Working with Max was great. My project was implemented perfectly and in record time. I will definitely rely on Max and his professional work for my next project. 5 well-deserved stars! A big thank you at this point Max! Best regards, Werner

    werner1974

    “Loved working with Rapid Tech, we are continuing our collaboration look forward to our work together.”

    nkrishna21

    “Max was absolutely fantastic! I am new to scraping and was unsure what I wanted and how to go about it. Max was great at clarifying the requirement and making suggestions etc. I will definitely be using Max again!! Highly recommended!”

    voodootime

    “As always, first class work! Thank you for everything, clear recommendation!”

    papillion121

    Great to work with! He helped me with a python script that reformat data in an excel spreadsheet. He took the time to understand the scope, and asked a lot of clarifying questions. He was also nice enough to revise his script with newer requirements that I didn’t think of initially. Highly recommended!

    shibeika

    “Very professional and kept me updated every step of the way. Once it was clear what it was that I wanted from the project brief, it was a very quick turnaround.”

    instarpaing

    “The process was smooth and easy. Got the delivery before the expected time. Excellent work”

    surajbhadania

    “The Best job and very professional”

    horeatimis

    “A very great scraper. Would hire again in a second.”

    ray2003

    “again 2nd order I’ve place and was delivered on time and worked”

    ottersocks

    “Very responsive and willing to make sure you get the right final product. Will definitely work with him again on future projects.”

    ericromelczyk

    Max delivered exactly what we expected, his professionalism is beyond expectations, he immediately delivered a sample trial program and also offered all support to run the program without any cost .I look forward to do many projects with Max Thanks Antony

    “Communication was spot on from day one and Max was willing to adjust without hesitation. Very clear and correct, would recommend 100%”

    seitzmax

    If you are looking for an excellent seller, professional person and very dedicated to deliver what you exactly want with prompt support then rapidtech1898 is the one. I really enjoyed working with him and he is HIGHLY RECOMMENDED!!!”

    abdulhameedalah

    “Great job and very fast delivery. I would love to use this service again and again!”

    alalix2021

    “A great experience. Great communication. Understood exactly what the project required and turned it around quickly. Highly recommend”

    fennec14

    Great communication, great quality of output and a truly kind service, every change I asked for, was implemented, he set up a quick, flexible and fully functional api of yfinance to an excel document! I couldn’t be more satisfied with the end result.

    vny0210

    “This is my second time working with Max. Great experience from the onset and throughout. He delivers on his promises and is super responsive and accommodating to the client’s needs. He is also very knowledgeable about his field. I would highly recommend working with him.”

    omarelmaria

    Max was very easy to work with. They provided a quick result which we are extremely satisfied with. We can highly recommend Max for your Excel automation and data scraping needs. We will more than likely be reaching out to Max again for their expertise.

    lukenorth714

    “Extremely easy, understood exactly what I asked for and delivered on time. Would definitely recommend and will reach out in the future”

    lucksimi

    “great service, professional experience, I can recommend”

    adamfodor536

    “Thank you very much for supporting our project. I had many requests regarding the initial project, but the answer was always prompt and professional.”

    vasilescudaniel

    I am extremely satisfied with the services offered. A true, exceptional professional in every aspect and also approachable and honest. I will definitely hire them again, without question. Very happy with the expedited, all encompassing service. Highly recommended. Thank you!!

    johnwick_78

    This is the 10th time i request RapidTech1898. Very satisfied with the service. Also, when I asked for small changes to the code, the developer made the changes and had me tested several times until it met my expectations. You also have a 7 days test( no additional charges ) and Payment will be confirmed ONLY when you satisfied with what you have asked for. HIGHLY RECOMMENDED.

    emilymc723

    “This was a Wonderful experience! Rapid tech provides highest professional level and LOTS of patience to understand the needs of the project.”

    senanika

    Perfect, professional and very hard worker who knows what you need and do it in a perfect way. Excellent communicator with prompt response. I will definitely come again and again with no hesitation.

    abdulhameedalah

    “Highly recommended! rapidtech1898 was carefull about my need and did a fantastic work in short time. I recommend this gig.”

    lonesomezorro

    “I was 100% satisfied with Rapidtech’s offer. He helped beyond his tasks and was only satisfied when everything worked perfectly. I can only recommend him, everything really more than perfect. Thank you so much for this great work!”

    papillion121

    “A great scraper. Excellent skills.”

    ray2003

    “Fast work. Helped me find a solution to quite a lot of obstacles in the process of project definition. Result was exactly what I was looking for. I definitely recommend Max as freelancer.”

    annihnida

    I was in need of an app that would solve a problem for me, and rapidtech developed exactly what I was in need of. Would definitely use his services again!

    robinstacks

    Did exactly what we wanted and more, very easy to work with and extremely reliable. Completed our order quickly, and kept us updated along the way. Has also been on hand to help us after the sale, and is always happy to make slight tweaks if needed to ensure the perfect product. 10/10.

    iainlaver

    “the seller was quick, efficient, and easy to work with. we will be using this seller again in the future”
    “Extremely fast delivery. Highly recommend this seller.”

    jonpetrich

    Max is polite, thorough and his attention to detail is spot on. I have had no issues with his work at all and would happily use him again. I couldn’t recommend him enough.

    “Excellent experience. Accessed the job quickly delivered exactly what I wanted!.”

    esport21

    “It was great. Seller went above and beyond to ensure I was getting the information I wanted.”

    stoney32

    “Very happy with the project, he is easy to deal with, fast and reliable. Will be using his services again shortly.”
    “Thanks again Max, brilliant job. You’ll be my first choice for any other data mining projects.”

    paul1840

    “The code Max wrote for me does precisely what I wanted to do – it’s clean, incorporates error handling and performs well! In addition, his communication style is friendly and fast.”

    decypher_sander

    “A fantastic experience! Even though I had a small project, Rapidtech1898 went above and beyond, he is very patient, flexible, has good communication skills. Will work again with him”

    vanaromhuot

    Having collaborated with this freelancer on multiple occasions, I can attest to the exceptional experience it has been each time. Their profound expertise is evident and provides a strong sense of assurance that every task will be accomplished to perfection.

    userza_123

    Great and fast work. He was really responsive and helpful. I will work with the seller again. Thank you!

    janxx2

    “Max is a highly professional seller. We collaborate together on serving clients looking for web crawling solutions, and I could not ask for a better business partner. On top of being extremely responsive and attentive to details, he is also an expert in his field and can deliver on his promises.”

    omarelmaria

    “Very satisfied, top communication, fast and good suggestions, incredible possibilities with Excel, extremely patient – many thanks Max.”

    stephandennig
    Brilliant work, after a short call the solution was optimized in the call, after 24 hours I already had the solution in my inbox. Good Job Max!
    mf_wackler

    Perfect and professional, implemented very quickly and efficiently. We are already looking forward to further projects.

    artbusinessffm

    “Rapidtech1898 was excellent to work with. They were very responsive and worked to make sure what I asked for was delivered. I would absolutely work with them again in the future.”

    sb_legal

    “This seller was very professional and eager to provide an order exactly how I wanted it. I will use this service again, for sure.”

    elwalker

    “This is my second project with Rapidtech1898 and I continue to be impressed both with his ability to understand my needs, but also to suggest solutions that will make the project better. Further, the accuracy and usability of the data provided is of extremely high quality. Thank you!”

    lorangutt

    Max worked very hard to achieve what I was looking for. The request was reasonably complex and we had to work together back and forth to get it right. I was very happy with the result in the end. Thanks!

    zackirkham

    Great job…happy with the results. Seller was responsive with any questions or issues that came up and addressed them quick. Would try again.

    taxguy3470

    “Really happy with this order, the developer came up with a solution to solve a big problem I had in terms of speed of the program.”

    robalf

    “Amazing. This was so easy and the result is perfect. rapidtech1898 simply delivers!! I have total trust in their technical ability, way of communication, and understanding of the task given. Not cheap, yes. But a professional does deserve to be paid for their work.”

    andxfive

    Maxx O is an exceptional AI developer! Very professional, with great knowledge on how to best solve problems. Maxx’s work is bug-free and well-documented, plus he is proactive in communication and very cooperative. Delivery was ahead of schedule, and he always took the time to address concerns and answer questions. Highly recommend!

    I’ve worked with Max on multiple projects and have always been impressed.

    This was the 13th order and as always I was very satisfied. Once again implemented very quickly and communication was also great. quick delivery, very responsive and went out of his way to help me debug an addition issue. Will definitely come back again

    emilymc723

    “Great, speedy delivery!”

    byronshannon

    “Max did an incredibly great job! His communication was always clear, he is very helpful and delivered great work in a short time. I will hire him again for my projects.”

    benj123

    “Was exactly what we wanted. Even when hitting a technical obstacle in my requirements, Max found us a way around it. Very satisfied and can definitely recommend his services!”

    jananernhard

    Great communication and very friendly, would use again.

    palladiumabq
    See more feedback
    About me

    @rapidtech1898

    More than 20 years experience in IT and Finance. I will automate your business with python tools, make excel templates and collect all the data you need from the internet!
    Book me on Fiverr
    Table of Contents
    1. Installation MYSQL
    2. SELECT, FROM
    3. DISTINCT, WHERE, BETWEEN, IN
    4. AND, OR, ORDER BY, ASC, DESC
    5. INSERT, INTO, VALUES, UPDATE, SET, DELETE
    6. NULL, LIKE, TOP, LIMIT, ROWNUM, PERCENT
    7. IN
    8. Tables and Data-Types
    9. Primary und Foreign Keys, not null
    10. Change Tables, Autoincrement
    11. Joins
    12. SQL Built In Funktionen
    RapidTech1898 RapidTech1898
    • Fiverr
    • Send email
    • Buy me a coffee
    • Imprint

    Input your search keywords and press Enter.