KEMBAR78
Python String | PDF | String (Computer Science) | Data Type
0% found this document useful (0 votes)
42 views28 pages

Python String

A string is defined as a sequence of characters, where each character has a unique Unicode code. In Python, strings can be manipulated through various operations such as concatenation, repetition, and slicing, and they can be accessed using both positive and negative indexing. Additionally, Python provides built-in string functions for tasks like finding substrings, converting cases, and splitting strings.

Uploaded by

enhyphen240700
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
42 views28 pages

Python String

A string is defined as a sequence of characters, where each character has a unique Unicode code. In Python, strings can be manipulated through various operations such as concatenation, repetition, and slicing, and they can be accessed using both positive and negative indexing. Additionally, Python provides built-in string functions for tasks like finding substrings, converting cases, and splitting strings.

Uploaded by

enhyphen240700
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 28

What is a String?

String can be defined as a sequence of characters, and that's the most basic
explanation of string that you can provide. In this definition, we can see two
important terms, first being sequence and other is characters. If you are here
after finishing the last tutorial, then there, we already explained - What
is Sequence data type and how Strings are a type of sequence. Just for revision,
in python, Sequence is a data type which is made up of several elements of
same type, i.e., integers, float, characters, strings etc.

Note: There is a unique code provided to all existing characters. The coding
convention had been labelled as Unicode format. It consists of characters of
almost every possible languages and in fact emoticons too (yes, emoticons had
been declared as characters too).
Hence, strings can be considered as a special type of sequence, where all its
elements are characters. For example, string "Hello, World" is basically a
sequence ['H', 'e', 'l', 'l', 'o', ',', ' ', 'W', 'o', 'r', 'l', 'd'] and its length can be
calculated by counting number of characters inside the sequence, which is 12.

Note: Yes, space, comma everything inside those quotes will be a character if
the length is 1.
Generally in programming languages there is a different data type dedicated to
characters only, while in Python, there is no character data type. Instead
characters are just treated as a string of length 1.

Declaration of Strings

>>> mystring = "This is not my first String"

>>> print (mystring);

This is not my first String

Live Example →

You can access each individual character of a string too. Just like accessing
each element of a Sequence, we can use index numbers for this purpose. To
access first character of mystring, we can do following:

>>> print (mystring[0]);


T

Since T is the first character of our string This is not my first String, hence it
will have index number as 0 (zero). Similarly, for further characters we can use
index 1, 2, 3 and so on, i.e., in order to access ith element we will have to
use (i-1)th index.

There is another trick to access elements of the sequence from its end. For
example, if you want to access the last element of the sequence just do the
following:

>>> print (mystring[-1])

Writing -1 in the index will imply that you are asking for the 1st element from
the last. Similarly, in order to access 2nd last element use -2 as index, for 3rd
last use -3 and so on, i.e., for ith element from the last use -ith as the index. So
that settles the generalization for accessing each character from both forward
and backward side in a string. Note that positive index number implies you are
accessing character from the forward side, while negative index number means
you're accessing it from the rear end.

We can conclude the what we have covered till now in a simple table. Consider
a string PYTHON. For this each character can be accessed in two ways - from
the front, or from the rear end.

Characters P Y T H O N
Forward Index 0 1 2 3 4 5
Backward Index -6 -5 -4 -3 -2 -1

Escape Sequence

Suppose you want a string to store a quote by Mahatma Gandhi.

"You must be the change you wish to see in the world" - Gandhi
This is the exact line you want to display in the console. And you also wish to
have the quotes surrounding this sentence. As you go ahead and print the
statement, you will see that it isn't that simple.
Python will instantly return a syntax error. This is because of those extra double
quotes that we added. In above image you can notice that Gandhi's quoted text
is in black colour, while "- Gandhi" is in green. Also, if you have used IDLE
enough you might know that all the characters inside the string are highlighted
in green in the IDLE (it can be other colours too depending upon text editor,
python version, OS etc). This clearly means that Python isn't treating You must
be the change you wish to see in the world part of the sentence as a string.
Therefore, this concludes that whenever we open a quote and close it, to declare
a string, whatever we write after the closing quote, is just considered as some
python keyword.

Like for the above quotation text, we started the string with two double quotes
and wrote You must be the change you wish to see in the world just next to it,
since double quote was already closed before this phrase, hence Python
considered the entire sentence as some non-understandable python keywords.
After the phrase, another double quote started, then came - Gandhi after that
and finally the closing double quote, since - Gandhi part is within a pair of
double quotes hence its totally legitimate.

Now you understand the problem that we can face if we use uneven number of
double quotes. Now let's see how we can actually have a quote in a string. Well,
there are two ways to do so:

1. First one is a bit compromising. You can use single quotes inside of
double quotes, like:
2. >>> print ("'You must be the change you wish to see in the world' -
Gandhi");

3.

‘You must be the change you wish to see in the world' - Gandhi

Hence, it's legitimate to use single quote inside double quotes, however,
reverse is not true, i.e.,

>>> '"You must be the change you wish to see in the world" - Gandhi'

Will give an error.

4. Second one is for those who hate to compromise, or just want to use the
double quotes. For you people, there is something called escape
sequence or literally speaking, a back-slash\. You can use it like:
>>> print ("\"You must be the change you wish to see in the world\" –
Gandhi");

Can you guess what happened? We used backslash or escape sequence at


two places, just before the quotes which we directly want to print. If you
want to inform the compiler to simply print whatever you type and not try
to compile it, just add an escape sequence before it. Also remember, you
must use one escape sequence for one character. For example, in order to
print 5 double quotes, we will have to use 5 backslashes, one before each
quote, like this:

>>> print ("\"\"\"\"\"");

Input and Output for String

Input and Output methods have already been discussed in Input and Output
tutorial in details. It is recommended to go through that tutorial, if you haven't
already.

Operations on String

String handling in python probably requires least efforts. Since in python, string
operations have very low complexity compared to other languages. Let's see
how we can play around with strings.

1. Concatenation: No, wait! what? This word may sound a bit complex for
absolute beginners but all it means is - to join two strings. Like to
join "Hello" with "World", to make it "HelloWorld". Yes, that's it.
2. >>> print ("Hello" + "World");

3.

4. HelloWorld

Yes. A plus sign + is enought to do the trick. When used with strings,
the + sign joins the two strings. Let's have one more example:
>>> s1 = "Name Python "

>>> s2 = "had been adapted "

>>> s3 = "from Monty Python"

>>> print (s1 + s2 + s3)

Name Python had been adapted from Monty Python

Live Example →

5. Repetition: Suppose we want to write same text multiple times on


console. Like repeat "Hi!" a 100 times. Now one option is to write it all
manually, like "Hi!Hi!Hi!..." hundred times or just do the following:

>>> print ("Hi!"*100)

Suppose, you want the user to input some number n and based on that
you want a text to be printed on console n times, how can you do it? It's
simple. Just create a variable n and use input() function to get a number
from the user and then just multiply the text with n.

>>> n = input("Number of times you want the text to repeat: ")

Number of times you want the text to repeat: 5

>>> print ("Text"*n);

TextTextTextTextText
6. Check existence of a character or a sub-string in a string: The
keyword in is used for this. For example: If there is a text India won the
match and you want to check if won exist in it or not. Go to IDLE and
try the following:
7. >>> "won" in "India won the match"

8.

True

Amongst other datatypes in python, there is Boolean datatype which can


have one of the possible two values, i.e., either true or false. Since we are
checking if something exists in a string or not, hence, the possible
outcomes to this will either be Yes, it exists or No, it doesn't, therefore
either True or False is returned. This should also give you an idea about
where to use Boolean datatype while writing programs.

9. not in keyword: This is just the opposite of the in keyword. You're pretty
smart if you guessed that right. Its implementation is also pretty similar to
the in keyword.

>>> "won" not in "India won the match"

False

You can see all the above String operations live in action, by clicking on the
below Live example button. Also, we suggest you to practice using the live
compiler and try changing the code and run it.

Live Example →

Converting String to Int or Float datatype and vice versa

This is a very common doubt amongst beginners as a number when enclosed in


quotes becomes a string in python and then if you will try to perform
mathematical operations on it, you will get error.
numStr = '123'

In the statement above 123 is not a number, but a string.

Hence, in such situation, to convert a numeric string into float or int datatype,
we can use float() and int() functions.

numStr = '123'

numFloat = float(numStr)

numInt = int(numFloat)

Live Example →

And then you can easily perform mathematical functions on the numeric value.

Similarly, to convert an int or float variable to string, we can use


the str() function.

num = 123

# so simple

numStr = str(num)

Slicing

Slicing is yet another string operation. Slicing lets you extract a part of any
string based on a start index and an end index. For example, if we have a
string This is Python tutorial and we want to extract a part of this string or just
a character, then we can use slicing. First lets get familiar with its usage syntax:

string_name[starting_index : finishing_index : character_iterate]

 String_name is the name of the variable holding the string.


 starting_index is the index of the beginning character which you want in
your sub-string.
 finishing_index is one more than the index of the last character that you
want in your substring.
 character_iterate: To understand this, let us consider that we have a
string Hello Brother!, and we want to use the slicing operation on this
string to extract a sub-string. This is our code:
 >>> str = "Hello Brother!"

>>> print(str[0:10:2]);

Live Example →

Now str[0:10:2] means, we want to extract a substring starting from the


index 0 (beginning of the string), to the index value 10, and the last
parameter means, that we want every second character, starting from the
starting index. Hence in the output we will get, HloBo.

H is at index 0, then leaving e, the second character from H will be


printed, which is l, then skipping the second l, the second character from
the first l is printed, which is o and so on.

It will be more clear with a few more examples:

Let's take a string with 10 characters, ABCDEFGHIJ. The index number will
begin from 0 and end at 9.

A B C D E F G H I J
0 1 2 3 4 5 6 7 8 9

Now try the following command:

>>> print s[0:5:1]

Here slicing will be done from 0th character to the 4th character (5-1) by
iterating 1 character in each jump.

Now, remove the last number and the colon and just write this.

>>> print (s[0:5]);

You'll see that output are both same.


You can practice by changing the values. Also try changing the value of the
character iterate variable to some value n, then it will print every nth character
from starting index to the final index.

Built-in String Functions in Python


For the final portion, we will see some really useful string functions to work
with strings in python. Below we have mentioned a few useful string functions.

len(string)
len or length function is used to find the character length of any
string. len returns a number and it takes a string as an argument. For Example,

>>> s = "Hello"

>>> print (len(s))

5
Live Example →

find(subString)
In case you want to find the position of any character or of a subString within
any given string, you can use the find function. It's implementation is a little
different than a normal function but it's not tough to understand. Obviously to
find a subString in a string, we will have to provide both the main string and the
subString to be found, to the funtion. For Example,

>>> s = "Hello"

>>> ss = "He"

>>> print (s.find(ss))

0
Since, He is present at the beginning of the string Hello, hence index 0 is
returned as the result. It can be directly implemented/used as follows(in case
you hate useless typing; which every programmer do):

>>> print ("Hello".find("He"))

0
Live Example →

string_name.lower()
lower() function is used to convert all the uppercase characters present in a
string into lowercase. It takes a string as the function input, however the string
is not passed as argument. This function returns a string as well.

>>> print ("Hello, World".lower());

hello, world
Live Example →

string_name.upper()
upper() is used to turn all the characters in a string to uppercase.

>>> print ("Hello, World".upper());

HELLO, WORLD
Live Example →

string_name.islower()
islower() is used to check if string_name string is in lowercase or not. This
functions returns a boolean value as result, either True or False.
>>> print ("hello, world".islower())

True
Live Example →

>>> print ("Hello, World".islower());

False

string_name.isupper()
isupper() is used to check if the given string is in uppercase or not. This function
also returns a boolean value as result, either True or False.

>>> print ("HELLO, WORLD".isupper());

True

>>> print ("Hello, World".isupper());

False
Live Example →

string_name.replace(old_string, new_string)
replace() function will first of all take a string as input, and ask for some
subString within it as the first argument and ask for another string to replace
that subString as the second argument. For Example,

>>> print ("Hello, World".replace("World", "India"));

Hello, India
string_name.split(character, integer)
Suppose you're having a string say,

>>> mystring = "Hello World! Welcome to the Python tutorial"

Now we can use the split() function to split the above declared string.

If we choose to split the string into two substring from the exclamation mark !.
We can do that by putting an exclamation mark ! in the character argument. It
will basically split the string into different parts depending upon the number of
exclamation marks ! in the string. All the sub-pieces of the string will be stored
in a list. Like,

>>> print (mystring.split("!"))

['Hello World', ' Welcome to the Python tutorial']


You can store these values to another variable and access each element of it like
this:

>>> myNEWstring = mystring.split("!")

>>> print (myNEWstring[0]);

>>> print (myNEWstring[1]);

Hello World
Welcome to the Python tutorial

1. Reverse a String

python
CopyEdit
s = "Hello"
reversed_s = s[::-1]
print("Reversed string:", reversed_s)

2. Check if a String is Palindrome

python
CopyEdit
s = "madam"
if s == s[::-1]:
print("Palindrome")
else:
print("Not a palindrome")

3. Count Vowels and Consonants

python
CopyEdit
s = "Python Programming"
vowels = "aeiouAEIOU"
v_count = c_count = 0
for char in s:
if char.isalpha():
if char in vowels:
v_count += 1
else:
c_count += 1
print("Vowels:", v_count)
print("Consonants:", c_count)

4. Count the Occurrence of Each Character

python
CopyEdit
s = "banana"
freq = {}
for char in s:
freq[char] = freq.get(char, 0) + 1
print(freq)

5. Check if Two Strings are Anagrams


python
CopyEdit
s1 = "listen"
s2 = "silent"
if sorted(s1) == sorted(s2):
print("Anagrams")
else:
print("Not anagrams")

6. Remove All Punctuation

python
CopyEdit
import string
s = "Hello, world! Welcome to Python."
cleaned = ''.join(ch for ch in s if ch not in string.punctuation)
print(cleaned)

7. Capitalize the First Letter of Each Word

python
CopyEdit
s = "hello world from python"
capitalized = s.title()
print(capitalized)

8. Count Words in a String

python
CopyEdit
s = "Python is fun to learn"
words = s.split()
print("Word count:", len(words))

9. Remove Duplicate Characters

python
CopyEdit
s = "programming"
result = ""
for char in s:
if char not in result:
result += char
print(result)

10. Find the Longest Word in a Sentence

python
CopyEdit
s = "Python is a powerful programming language"
words = s.split()
longest = max(words, key=len)
print("Longest word:", longest)

Would you like these saved in a single file or explained in more detail?

4o

You said:
python 10 string programme

ChatGPT said:

Here are 10 Python string programs with clear examples. These are great for
learning string manipulation:

1. Reverse a String

python
CopyEdit
s = "Python"
print("Reversed string:", s[::-1])

2. Check Palindrome

python
CopyEdit
s = "madam"
if s == s[::-1]:
print("Palindrome")
else:
print("Not a palindrome")

3. Count Vowels and Consonants

python
CopyEdit
s = "Hello World"
vowels = "aeiouAEIOU"
v, c = 0, 0
for ch in s:
if ch.isalpha():
if ch in vowels:
v += 1
else:
c += 1
print("Vowels:", v)
print("Consonants:", c)

4. Remove All Spaces from String

python
CopyEdit
s = "Remove all spaces"
s_no_spaces = s.replace(" ", "")
print("Without spaces:", s_no_spaces)

5. Count Words in a Sentence

python
CopyEdit
s = "Python programming is fun"
words = s.split()
print("Number of words:", len(words))

6. Check Anagram

python
CopyEdit
s1 = "listen"
s2 = "silent"
if sorted(s1) == sorted(s2):
print("Anagram")
else:
print("Not anagram")

7. Remove Duplicate Characters

python
CopyEdit
s = "programming"
result = ""
for ch in s:
if ch not in result:
result += ch
print("After removing duplicates:", result)

8. Find Frequency of Each Character

python
CopyEdit
s = "banana"
freq = {}
for ch in s:
freq[ch] = freq.get(ch, 0) + 1
print("Character frequency:", freq)

9. Capitalize First Letter of Each Word

python
CopyEdit
s = "hello world"
print(s.title())

10. Find Longest Word in a Sentence

python
s = "Python is easy to learn"
words = s.split()
longest = max(words, key=len)
print("Longest word:", longest)

Python List Slicing

Python list slicing is fundamental concept that let us easily access specific
elements in a list. In this article, we’ll learn the syntax and how to use both
positive and negative indexing for slicing with examples.

Example: Get the items from a list starting at position 1 and ending at position 4
(exclusive).

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get elements from index 1 to 4 (excluded)

print(a[1:4])

Output

[2, 3, 4]

Python List Slicing Syntax

list_name[start : end : step]

Parameters:

start (optional): Index to begin the slice (inclusive). Defaults to 0 if omitted.

end (optional): Index to end the slice (exclusive). Defaults to the length of list if
omitted.

step (optional): Step size, specifying the interval between elements. Defaults to
1 if omitted

List Slicing Examples

Let’s see how to use list slicing in Python with the examples below.

Get all the items from a list


To retrieve all items from a list, we can use slicing without specifying any
parameters.

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

#Get all elements in the list

print(a[::])

print(a[:])

Output

[1, 2, 3, 4, 5, 6, 7, 8, 9]

[1, 2, 3, 4, 5, 6, 7, 8, 9]

Explanation: Using [:] & [::] without specifying any start, end, or step returns
all elements of the list.

Get all items before/after a specific position

To get all the items from a specific position to the end of the list, we can specify
the start index and leave the end blank.

And to get all the items before a specific index, we can specify the end index
while leaving start blank.

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get elements starting from index 2

# to the end of the list


b = a[2:]

print(b)

# Get elements starting from index 0

# to index 3 (excluding 3th index)

c = a[:3]

print(c)

Output

[3, 4, 5, 6, 7, 8, 9]

[1, 2, 3]

Get all items between two positions

To extract elements between two specific positions, specify both the start and
end indices

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get elements from index 1

# to index 4 (excluding index 4)

b = a[1:4]

print(b)

Output

[2, 3, 4]

Get items at specified intervals

To extract elements at specific intervals, use the step parameter.

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get every second element from the list

# starting from the beginning


b = a[::2]

print(b)

# Get every third element from the list

# starting from index 1 to 8(exclusive)

c = a[1:8:3]

print(c)

Output

[1, 3, 5, 7, 9]

[2, 5, 8]

Out-of-bound slicing

In Python, list slicing allows out-of-bound indexing without raising errors. If we


specify indices beyond the list length then it will simply return the available
items.

Example: The slice a[7:15] starts at index 7 and attempts to reach index 15, but
since the list ends at index 8, so it will return only the available elements (i.e.
[8,9]).

Negative Indexing

Negative indexing is useful for accessing elements from the end of the list. The
last element has an index of -1, the second last element -2, and so on.

Extract elements using negative indices

This example shows how to use negative numbers to access elements from the
list starting from the end. Negative indexing makes it easy to get items without
needing to know the exact length of the list.
a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get elements starting from index -2

# to end of list

b = a[-2:]

print(b)

# Get elements starting from index 0

# to index -3 (excluding 3th last index)

c = a[:-3]

print(c)

# Get elements from index -4

# to -1 (excluding index -1)

d = a[-4:-1]

print(d)

# Get every 2nd elements from index -8

# to -1 (excluding index -1)

e = a[-8:-1:2]

print(e)

Output
[8, 9]

[1, 2, 3, 4, 5, 6]

[6, 7, 8]

[2, 4, 6, 8]

Reverse a list using slicing

In this example, we'll reverse the entire list using a slicing trick. By using a
negative step value, we can move through the list in reverse order.

a = [1, 2, 3, 4, 5, 6, 7, 8, 9]

# Get the entire list using negative step

b = a[::-1]

print(b)

Output

[9, 8, 7, 6, 5, 4, 3, 2, 1]

Explanation: The negative step (-1) indicates that Python should traverse the list
in reverse order, starting from the end. The slice a[::-1] starts from the end of
the list and moves to the beginning which result in reversing list. It’s a quick
and easy way to get the list in reverse without changing the original list.

Python (Strings, Lists, Tuples, Iterations)

Strings in Python:

A string is a sequence of characters that can be a combination of letters,


numbers, and special characters. It can be declared in python by using single
quotes, double quotes, or even triple quotes. These quotes are not a part of a
string, they define only starting and ending of the string. Strings are immutable,
i.e., they cannot be changed. Each element of the string can be accessed using
indexing or slicing operations.

# Assigning string to a variable

a = 'This is a string'
print (a)

b = "This is a string"

print (b)

c= '''This is a string'''

print (c)

Output:

This is a string

This is a string

This is a string

Lists in Python:

Lists are one of the most powerful data structures in python. Lists are sequenced
data types. In Python, an empty list is created using list() function. They are
just like the arrays declared in other languages. But the most powerful thing is
that list need not be always homogeneous. A single list can contain strings,
integers, as well as other objects. Lists can also be used for implementing stacks
and queues. Lists are mutable, i.e., they can be altered once declared. The
elements of list can be accessed using indexing and slicing operations.

# Declaring a list

L = [1, "a" , "string" , 1+2]

print L

#Adding an element in the list

L.append(6)

print L

#Deleting last element from a list

L.pop()

print (L)
#Displaying Second element of the list

print (L[1])

The output is:

[1, 'a', 'string', 3]

[1, 'a', 'string', 3, 6]

[1, 'a', 'string', 3]

Tuples in Python: A tuple is a sequence of immutable Python objects. Tuples


are just like lists with the exception that tuples cannot be changed once
declared. Tuples are usually faster than lists.

tup = (1, "a", "string", 1+2)

print(tup)

print(tup[1])

The output is :

(1, 'a', 'string', 3)

Iterations in Python: Iterations or looping can be performed in python by 'for'


and 'while' loops. Apart from iterating upon a particular condition, we can also
iterate on strings, lists, and tuples.

Example 1: Iteration by while loop for a condition

i=1

while (i < 10):

print(i)
i += 1

The output is:

Example 2: Iteration by for loop on the string

s = "Hello World"

for i in s:

print(i)

The output is:

W
o

Example 3: Iteration by for loop on list

L = [1, 4, 5, 7, 8, 9]

for i in L:

print(i)

The output is:

Example 4: Iteration by for loop for range

for i in range(0, 10):

print(i)

The output is:


0

You might also like