🌐
Zyte
zyte.com › blog › json-parsing-with-python
JSON Parsing with Python [Practical Guide]
December 3, 2024 - ... Another approach to removing an element from a dictionary with JSON data is to use the pop method, which allows you to retrieve the value and use it at the same time it is removed.
🌐
Like Geeks
likegeeks.com › home › python › remove elements from json arrays in python
Remove Elements from JSON arrays in Python
The pop() method not only removes the last element from the array but also returns it. This method is useful when you need to work with the removed element afterwards. ... Also, you can use pop() with a specific index to remove an element from ...
🌐
W3Schools
w3schools.com › python › ref_list_pop.asp
Python List pop() Method
Python Examples Python Compiler ... Bootcamp Python Certificate Python Training ... The pop() method removes the element at the specified position....
🌐
freeCodeCamp
freecodecamp.org › news › python-pop-how-to-pop-from-a-list-or-an-array-in-python
Python .pop() – How to Pop from a List or an Array in Python
March 1, 2022 - This means that when the pop() method doesn't have any arguments, it will remove the last list item. So, the syntax for that would look something like this: ... #list of programming languages programming_languages = ["Python", "Java", "JavaScript"] #print initial list print(programming_languages) #remove last item, which is "JavaScript" programming_languages.pop() #print list again print(programming_languages) #output #['Python', 'Java', 'JavaScript'] #['Python', 'Java']
🌐
Raspberry Pi Forums
forums.raspberrypi.com › board index › programming › python
Trying to remove some elements from JSON data - Raspberry Pi Forums
with requests.request('get', 'api.openweathermap.org/data/2.5/weather', timeout=30, headers=headers) as response: #this line is from my script with open('response.json', 'r') as data_file: #this line is from StackOverflow data = json.load(data_file) for element in data: element.pop('hours', None) with open('response.json', 'w') as data_file: data = json.dump(data, data_file) newData = response.json() #this line is from my script and modified it into this:
🌐
Stack Overflow
stackoverflow.com › questions › 72951553 › why-does-in-my-code-json-pop-dont-work-in-python
Why does in my code json pop dont work? (In python) - Stack Overflow
I code a Python Discord Bot and it saves the channel id and the owner id! And if the ticket got closed it need to pop ticket! ... { "channel id 1": { "author": 256820568024, "claimed": null }, "channel id 2": { "author": 43251524366254, "claimed": null } but if i try to close the ticket! Its delete the complete tickets.json file!
🌐
W3Schools
w3schools.com › python › ref_dictionary_pop.asp
Python Dictionary pop() Method
Python Examples Python Compiler Python Exercises Python Quiz Python Challenges Python Server Python Syllabus Python Study Plan Python Interview Q&A Python Bootcamp Python Certificate Python Training ... car = { "brand": "Ford", "model": "Mustang", "year": 1964 } car.pop("model") print(car) Try it Yourself »
🌐
Bobby Hadz
bobbyhadz.com › blog › python-delete-json-object-from-list
How to Delete a JSON object from a List in Python | bobbyhadz
Copied!import json file_name = 'example.json' with open(file_name, 'r', encoding='utf-8') as f: my_list = json.load(f) # [{'id': 1, 'name': 'Alice'}, # {'id': 2, 'name': 'Bob'}, # {'id': 3, 'name': 'Carl'}] print(my_list) for idx, obj in enumerate(my_list): if obj['id'] == 2: my_list.pop(idx) new_file_name = 'new-file.json' with open(new_file_name, 'w', encoding='utf-8') as f: f.write(json.dumps(my_list, indent=2)) The code sample shows how to delete a JSON object from an array of objects in a file.
Find elsewhere
Top answer
1 of 5
29

Here's a complete example that loads the JSON file, removes the target object, and then outputs the updated JSON object to file.

#!/usr/bin/python                                                               

# Load the JSON module and use it to load your JSON file.                       
# I'm assuming that the JSON file contains a list of objects.                   
import json
obj  = json.load(open("file.json"))

# Iterate through the objects in the JSON and pop (remove)                      
# the obj once we find it.                                                      
for i in xrange(len(obj)):
    if obj[i]["ename"] == "mark":
        obj.pop(i)
        break

# Output the updated file with pretty JSON                                      
open("updated-file.json", "w").write(
    json.dumps(obj, sort_keys=True, indent=4, separators=(',', ': '))
)

The main point is that we find the object by iterating through the objects in the loaded list, and then pop the object off the list once we find it. If you need to remove more than one object in the list, then you should store the indices of the objects you want to remove, and then remove them all at once after you've reached the end of the for loop (you don't want to modify the list while you iterate through it).

2 of 5
12

The proper way to json is to deserialize it, modify the created objects, and then, if needed, serialize them back to json. To do so, use the json module. In short, use <deserialized object> = json.loads(<some json string>) for reading json and <json output> = json.dumps(<your object>) to create json strings. In your example this would be:

import json
o = json.loads("""[
    {
        "ename": "mark",
        "url": "Lennon.com"
    },
    {
        "ename": "egg",
        "url": "Lennon.com"
    }
]""")
# kick out the unwanted item from the list
o = filter(lambda x: x['ename']!="mark", o)
output_string = json.dumps(o)
Top answer
1 of 5
2
data = {'IP': {'key1': 'val1', 'key2': 'val2'}}
lst = ['IP', 'key1']

current_level = data
for key in lst[:-1]:
    current_level = current_level[key]
current_level.pop(lst[-1])

Explanation

I'll use the more complex example you provided to explain how this works. The first part of the task is to get to the dictionary from which the key should actually be removed.

{
  'IP': {
    'key1': {
      'key3': {
        'key4': 'val4',
        'key5': 'val5'
        }
      },
    'key2': 'val2'
    }
}

path = ['IP', 'key1', 'key3', 'key4']

In this example, in order to remove the key 'key4', we first need to get to the dictionary that contains this key, which is the dictionary under 'key3'. If we had this specific dictionary in a variable, say d, we could just call d.pop('key4').

'key3': {
  'key4': 'val4',
   'key5': 'val5'
  }

The path to this dictionary is data['IP']['key1']['key3']. The algorithm, instead of going directly like this, starts at the root dictionary and goes one level deeper with every iteration of the for loop. So, after the first iteration current_level is data['IP']. After the next one, it becomes data['IP']['key1']. (Because since current_level is already data['IP'], current_level = current_level['key1'] is indeed the same as data['IP']['key1'].)

This process is repeated until the needed dictionary is found. That means doing this for every element in the list that specifies the path, instead of the last one, because the last one is no more a dictionary, but a key in the dictionary that we search for. (lst[:1] is Python's way of saying all elements from lst except the last one.)

Then finally, we simply pop the necessary key (the last element in the list, in other words lst[-1]) from the dictionary to which it actually belongs, the one the algorithm found in the first step.

2 of 5
0

Maybe something like this:

def get(d, lst):
    for i in range(len(lst) - 1):
        d = d[lst[i]]
    d.pop(lst[-1])
    return data


print(get(data, lst))

Output:

{'IP': {'key2': 'val2'}}
🌐
Reddit
reddit.com › r/learnpython › how can i remove the [] from a json array of json objects?
r/learnpython on Reddit: How can I remove the [] from a json array of json objects?
June 15, 2022 -

I have to dump a bunch of json objects to a file like this

list_content = [] 
with open("mylist.json", "w") as f:
        json.dump(list_content, f, indent=4)

The json looks like this

[
{ "ABC" : [$content]},
{ "DEF" : [$content]}
]

But i need it too look like this

{

"ABC" : [$content] , "DEF" : [$content]

}

How can I achieve it where it can dump to a file without the square brackets?

🌐
Bomberbot
bomberbot.com › python › python-pop-how-to-pop-from-a-list-or-an-array-in-python
Python .pop() – How to Pop from a List or an Array in Python - Bomberbot
The pop() method is called on a list (or array) object using dot notation, like so: ... The index argument is optional. When omitted, pop() removes and returns the last item in the list. If index is provided, pop() removes and returns the item at that specific index.
🌐
Educative
educative.io › answers › what-is-the-array-pop-method-in-python
What is the array pop() method in Python?
If we do not provide any parameter, the last value from the array will be removed by default. The pop() method returns an array after removing the specified element or item from the original array.
🌐
Python Guides
pythonguides.com › json-data-in-python
How To Get Values From A JSON Array In Python?
November 29, 2024 - State: California Capital: Sacramento Population: 39512223 --- State: Texas Capital: Austin Population: 28995881 --- State: Florida Capital: Tallahassee Population: 21477737 --- ... Let me show you another way to extract values from a JSON array is: by using list comprehension. List comprehension allows you to create a new list based on an existing list or iterable. Here’s an example: import json # Load JSON data from file with open('C:/Users/fewli/Downloads/Python/states.json') as file: data = json.load(file) state_names = [state['name'] for state in data] print("State Names:", state_names)
🌐
Python.org
discuss.python.org › ideas
Add `array_hook` to Json-decoder options - Ideas - Discussions on Python.org
3 days ago - For something that could be very ... for (almost) every element encountered: `object_hook` for dicts, and `parse_float`, `parse_int` and `parse_constant` for converting ......
🌐
LabEx
labex.io › tutorials › python-how-to-efficiently-traverse-and-manipulate-nested-python-json-objects-395061
How to efficiently traverse and manipulate nested Python JSON objects | LabEx
Discover how to effectively navigate and manipulate complex nested JSON data structures in Python. Learn techniques to efficiently extract, update, and transform JSON objects for your Python applications.