1591335143
In today’s video will be going over a general technique of structuring and validating your JSON when sending it over a WebSockets connection.
This uses the “yup” npm module:
https://www.npmjs.com/package/yup
#json #javascript #websockets
1625637060
In this video, we work with JSONs, which are a common data format for most web services (i.e. APIs). Thank you for watching and happy coding!
Need some new tech gadgets or a new charger? Buy from my Amazon Storefront https://www.amazon.com/shop/blondiebytes
What is an API?
https://youtu.be/T74OdSCBJfw
JSON Google Extension
https://chrome.google.com/webstore/detail/json-formatter/bcjindcccaagfpapjjmafapmmgkkhgoa?hl=en
Endpoint Example
http://maps.googleapis.com/maps/api/geocode/json?address=13+East+60th+Street+New+York,+NY
Check out my courses on LinkedIn Learning!
REFERRAL CODE: https://linkedin-learning.pxf.io/blondiebytes
https://www.linkedin.com/learning/instructors/kathryn-hodge
Support me on Patreon!
https://www.patreon.com/blondiebytes
Check out my Python Basics course on Highbrow!
https://gohighbrow.com/portfolio/python-basics/
Check out behind-the-scenes and more tech tips on my Instagram!
https://instagram.com/blondiebytes/
Free HACKATHON MODE playlist:
https://open.spotify.com/user/12124758083/playlist/6cuse5033woPHT2wf9NdDa?si=VFe9mYuGSP6SUoj8JBYuwg
MY FAVORITE THINGS:
Stitch Fix Invite Code: https://www.stitchfix.com/referral/10013108?sod=w&som=c
FabFitFun Invite Code: http://xo.fff.me/h9-GH
Uber Invite Code: kathrynh1277ue
Postmates Invite Code: 7373F
SoulCycle Invite Code: https://www.soul-cycle.com/r/WY3DlxF0/
Rent The Runway: https://rtr.app.link/e/rfHlXRUZuO
Want to BINGE?? Check out these playlists…
Quick Code Tutorials: https://www.youtube.com/watch?v=4K4QhIAfGKY&index=1&list=PLcLMSci1ZoPu9ryGJvDDuunVMjwKhDpkB
Command Line: https://www.youtube.com/watch?v=Jm8-UFf8IMg&index=1&list=PLcLMSci1ZoPvbvAIn_tuSzMgF1c7VVJ6e
30 Days of Code: https://www.youtube.com/watch?v=K5WxmFfIWbo&index=2&list=PLcLMSci1ZoPs6jV0O3LBJwChjRon3lE1F
Intermediate Web Dev Tutorials: https://www.youtube.com/watch?v=LFa9fnQGb3g&index=1&list=PLcLMSci1ZoPubx8doMzttR2ROIl4uzQbK
GitHub | https://github.com/blondiebytes
Twitter | https://twitter.com/blondiebytes
LinkedIn | https://www.linkedin.com/in/blondiebytes
#jsons #json arrays #json objects #what is json #jsons tutorial #blondiebytes
1591335143
In today’s video will be going over a general technique of structuring and validating your JSON when sending it over a WebSockets connection.
This uses the “yup” npm module:
https://www.npmjs.com/package/yup
#json #javascript #websockets
1594769515
Data validation and sanitization is a very important thing from security point of view for a web application. We can not rely on user’s input. In this article i will let you know how to validate mobile phone number in laravel with some examples.
if we take some user’s information in our application, so usually we take phone number too. And if validation on the mobile number field is not done, a user can put anything in the mobile number field and without genuine phone number, this data would be useless.
Since we know that mobile number can not be an alpha numeric or any alphabates aand also it should be 10 digit number. So here in this examples we will add 10 digit number validation in laravel application.
We will aalso see the uses of regex in the validation of mobile number. So let’s do it with two different way in two examples.
In this first example we will write phone number validation in HomeController where we will processs user’s data.
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use App\User;
class HomeController extends Controller
{
/**
* Show the application dashboard.
*
* @return \Illuminate\Http\Response
*/
public function create()
{
return view('createUser');
}
/**
* Show the application dashboard.
*
* @return \Illuminate\Http\Response
*/
public function store(Request $request)
{
$request->validate([
'name' => 'required',
'phone' => 'required|digits:10',
'email' => 'required|email|unique:users'
]);
$input = $request->all();
$user = User::create($input);
return back()->with('success', 'User created successfully.');
}
}
In this second example, we will use regex for user’s mobile phone number validation before storing user data in our database. Here, we will write the validation in Homecontroller like below.
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use App\User;
use Validator;
class HomeController extends Controller
{
/**
* Show the application dashboard.
*
* @return \Illuminate\Http\Response
*/
public function create()
{
return view('createUser');
}
/**
* Show the application dashboard.
*
* @return \Illuminate\Http\Response
*/
public function store(Request $request)
{
$request->validate([
'name' => 'required',
'phone' => 'required|regex:/^([0-9\s\-\+\(\)]*)$/|min:10',
'email' => 'required|email|unique:users'
]);
$input = $request->all();
$user = User::create($input);
return back()->with('success', 'User created successfully.');
}
}
#laravel #laravel phone number validation #laravel phone validation #laravel validation example #mobile phone validation in laravel #phone validation with regex #validate mobile in laravel
1666770774
In this Python tutorial for beginners, we learn about Variables in Python. Variables are containers for storing data values. A Python variable is a symbolic name that is a reference or pointer to an object.
Code in GitHub: https://github.com/AlexTheAnalyst/PythonYouTubeSeries/blob/main/Python%20Basics%20101%20-%20Variables.ipynb
Python has no command for declaring a variable.
A variable is created the moment you first assign a value to it.
x = 5
y = "John"
print(x)
print(y)
Variables do not need to be declared with any particular type, and can even change type after they have been set.
x = 4 # x is of type int
x = "Sally" # x is now of type str
print(x)
If you want to specify the data type of a variable, this can be done with casting.
x = str(3) # x will be '3'
y = int(3) # y will be 3
z = float(3) # z will be 3.0
You can get the data type of a variable with the type()
function.
x = 5
y = "John"
print(type(x))
print(type(y))
String variables can be declared either by using single or double quotes:
x = "John"
# is the same as
x = 'John'
Variable names are case-sensitive.
This will create two variables:
a = 4
A = "Sally"
#A will not overwrite a
A Python variable is a reserved memory location to store values. In other words, a variable in a python program gives data to the computer for processing.
Every value in Python has a datatype. Different data types in Python are Numbers, List, Tuple, Strings, Dictionary, etc. Variables in Python can be declared by any name or even alphabets like a, aa, abc, etc.
In this tutorial, we will learn,
Let see an example. We will define variable in Python and declare it as “a” and print it.
a=100
print (a)
You can re-declare Python variables even after you have declared once.
Here we have Python declare variable initialized to f=0.
Later, we re-assign the variable f to value “guru99”
Python 2 Example
# Declare a variable and initialize it
f = 0
print f
# re-declaring the variable works
f = 'guru99'
print f
Python 3 Example
# Declare a variable and initialize it
f = 0
print(f)
# re-declaring the variable works
f = 'guru99'
print(f)
Let’s see whether you can concatenate different data types like string and number together. For example, we will concatenate “Guru” with the number “99”.
Unlike Java, which concatenates number with string without declaring number as string, while declaring variables in Python requires declaring the number as string otherwise it will show a TypeError
For the following code, you will get undefined output –
a="Guru"
b = 99
print a+b
Once the integer is declared as string, it can concatenate both “Guru” + str(“99”)= “Guru99” in the output.
a="Guru"
b = 99
print(a+str(b))
There are two types of variables in Python, Global variable and Local variable. When you want to use the same variable for rest of your program or module you declare it as a global variable, while if you want to use the variable in a specific function or method, you use a local variable while Python variable declaration.
Let’s understand this Python variable types with the difference between local and global variables in the below program.
Python 2 Example
# Declare a variable and initialize it
f = 101
print f
# Global vs. local variables in functions
def someFunction():
# global f
f = 'I am learning Python'
print f
someFunction()
print f
Python 3 Example
# Declare a variable and initialize it
f = 101
print(f)
# Global vs. local variables in functions
def someFunction():
# global f
f = 'I am learning Python'
print(f)
someFunction()
print(f)
While Python variable declaration using the keyword global, you can reference the global variable inside a function.
We changed the value of “f” inside the function. Once the function call is over, the changed value of the variable “f” persists. At line 12, when we again, print the value of “f” is it displays the value “changing global variable”
Python 2 Example
f = 101;
print f
# Global vs.local variables in functions
def someFunction():
global f
print f
f = "changing global variable"
someFunction()
print f
Python 3 Example
f = 101;
print(f)
# Global vs.local variables in functions
def someFunction():
global f
print(f)
f = "changing global variable"
someFunction()
print(f)
You can also delete Python variables using the command del “variable name”.
In the below example of Python delete variable, we deleted variable f, and when we proceed to print it, we get error “variable name is not defined” which means you have deleted the variable.
Example of Python delete variable or Python clear variable :
f = 11;
print(f)
del f
print(f)
To delete a variable, it uses keyword “del”.
A variable is a fundamental concept in any programming language. It is a reserved memory location that stores and manipulates data. This tutorial on Python variables will help you learn more about what they are, the different data types of variables, the rules for naming variables in Python. You will also perform some basic operations on numbers and strings. We’ll use Jupyter Notebook to implement the Python codes.
Variables are entities of a program that holds a value. Here is an example of a variable:
x=100
In the below diagram, the box holds a value of 100 and is named as x. Therefore, the variable is x, and the data it holds is the value.
The data type for a variable is the type of data it holds.
In the above example, x is holding 100, which is a number, and the data type of x is a number.
In Python, there are three types of numbers: Integer, Float, and Complex.
Integers are numbers without decimal points. Floats are numbers with decimal points. Complex numbers have real parts and imaginary parts.
Another data type that is very different from a number is called a string, which is a collection of characters.
Let’s see a variable with an integer data type:
x=100
To check the data type of x, use the type() function:
type(x)
Python allows you to assign variables while performing arithmetic operations.
x=654*6734
type(x)
To display the output of the variable, use the print() function.
print(x) #It gives the product of the two numbers
Now, let’s see an example of a floating-point number:
x=3.14
print(x)
type(x) #Here the type the variable is float
Strings are declared within a single or double quote.
x=’Simplilearn’
print(x)
x=” Simplilearn.”
print(x)
type(x)
In all of the examples above, we only assigned a single value to the variables. Python has specific data types or objects that hold a collection of values, too. A Python List is one such example.
Here is an example of a list:
x=[14,67,9]
print(x)
type(x)
You can extract the values from the list using the index position method. In lists, the first element index position starts at zero, the second element at one, the third element at two, and so on.
To extract the first element from the list x:
print(x[0])
To extract the third element from the list x:
print(x[2])
Lists are mutable objects, which means you can change the values in a list once they are declared.
x[2]=70 #Reassigning the third element in the list to 70
print(x)
Earlier, the elements in the list had [14, 67, 9]. Now, they have [14, 67, 70].
Tuples are a type of Python object that holds a collection of value, which is ordered and immutable. Unlike a list that uses a square bracket, tuples use parentheses.
x=(4,8,6)
print(x)
type(x)
Similar to lists, tuples can also be extracted with the index position method.
print(x[1]) #Give the element present at index 1, i.e. 8
If you want to change any value in a tuple, it will throw an error. Once you have stored the values in a variable for a tuple, it remains the same.
When we deal with files, we need a variable that points to it, called file pointers. The advantage of having file pointers is that when you need to perform various operations on a file, instead of providing the file’s entire path location or name every time, you can assign it to a particular variable and use that instead.
Here is how you can assign a variable to a file:
x=open(‘C:/Users/Simplilearn/Downloads/JupyterNotebook.ipynb’,’r’)
type(x)
Suppose you want to assign values to multiple variables. Instead of having multiple lines of code for each variable, you can assign it in a single line of code.
(x, y, z)=5, 10, 5
The following line code results in an error because the number of values assigned doesn’t match with the number of variables declared.
If you want to assign the same value to multiple variables, use the following syntax:
x=y=z=1
Now, let's look at the various rules for naming a variable.
1. A variable name must begin with a letter of the alphabet or an underscore(_)
Example:
abc=100 #valid syntax
_abc=100 #valid syntax
3a=10 #invalid syntax
@abc=10 #invalid syntax
. The first character can be followed by letters, numbers or underscores.
Example:
a100=100 #valid
_a984_=100 #valid
a9967$=100 #invalid
xyz-2=100 #invalid
Python variable names are case sensitive.
Example:
a100 is different from A100.
a100=100
A100=200
Reserved words cannot be used as variable names.
Example:
break, class, try, continue, while, if
break=10
class=5
try=100
Python is more effective and more comfortable to perform when you use arithmetic operations.
The following is an example of adding the values of two variables and storing them in a third variable:
x=20
y=10
result=x+y
print(result)
Similarly, we can perform subtraction as well.
result=x-y
print(result)
Additionally, to perform multiplication and division, try the following lines of code:
result=x*y
print(result)
result=x/y
print(result)
As you can see, in the case of division, the result is not an integer, but a float value. To get the result of the division in integers, use “//” — the integer division.
The division of two numbers gives you the quotient. To get the remainder, use the modulo (%) operator.
Now that we know how to perform arithmetic operations on numbers let us look at some operations that can be performed on string variables.
var = ‘Simplilearn’
You can extract each character from the variable using the index position. Similar to lists and tuples, the first element position starts at index zero, the second element index at one, and so on.
print(var[0]) #Gives the character at index 0, i.e. S
print(var[4]) #Gives the character at index 4, i.e. l
If you want to extract a range of characters from the string variable, you can use a colon (:) and provide the range between the ones you want to receive values from. The last index is always excluded. Therefore, you should always provide one plus the number of characters you want to fetch.
print(var[0:3]) #This will extract the first three characters from zero, first, and second index.
The same operation can be performed by excluding the starting index.
print(var[:3])
The following example prints the values from the fifth location until the end of the string.
Let’s see what happens when you try to print the following:
print(var[0:20]) #Prints the entire string, although the string does not have 20 characters.
To print the length of a string, use the len() function.
len(var)
Let’s see how you can extract characters from two strings and generate a new string.
var1 = “It’s Sunday”
var2 = “Have a great day”
The new string should say, “It’s a great Sunday” and be stored in var3.
var3 = var1[:5] + var2[5:13] + var1[5:]
print(var3)
Get prepared for your next career as a professional Python programmer with the Python Certification Training Course. Click to enroll now!
I hope this blog helped you learn the concepts of Python variables. After reading this blog, you may have learned more about what a variable is, rules for declaring a variable, how to perform arithmetic operations on variables, and how to extract elements from numeric and string variables using the index position.
#python #programming
1622622360
In this tutorial, let’s discuss what data validation is and how it can be implemented in MS-Excel. Let’s start!!!
Data Validation is one of the features in MS-Excel which helps in maintaining the consistency of the data in the spreadsheet. It controls the type of data that can enter in the data validated cells.
Now, let’s have a look at how data validation works and how to implement it in the worksheet:
To apply data validation for the cells, then follow the steps.
1: Choose to which all cells the validation of data should work.
2: Click on the DATA tab.
3: Go to the Data Validation option.
4: Choose the drop down option in it and click on the Data Validation.
Once you click on the data validation menu from the ribbon, a box appears with the list of data validation criteria, Input message and error message.
Let’s first understand, what is an input message and error message?
Once, the user clicks the cell, the input message appears in a small box near the cell.
If the user violates the condition of that particular cell, then the error message pops up in a box in the spreadsheet.
The advantage of both the messages is that the input and as well as the error message guide the user about how to fill the cells. Both the messages are customizable also.
Let us have a look at how to set it up and how it works with a sample
#ms excel tutorials #circle invalid data in excel #clear validation circles in excel #custom data validation in excel #data validation in excel #limitation in data validation in excel #setting up error message in excel #setting up input message in excel #troubleshooting formulas in excel #validate data in excel