updated code

This commit is contained in:
Nawaaz 2024-03-11 17:59:54 +05:30
parent 3362fdbfc8
commit b8a5323689
206 changed files with 7114 additions and 12082 deletions

View File

@ -98,42 +98,131 @@ const getList = async (req, res) => {
};
const update = async (req, res) => {
try {
let adminId = req.userId;
let obj = {
userName: req.body.userName ? req.body.userName : undefined,
email: req.body.email ? req.body.email : undefined,
password: req.body.password ? bcrypt.hashSync(req.body.password) : undefined,
const adminId = req.userId;
const { firstName, lastName, address, mobileNo } = req.body;
console.log(req.body, "================================>")
const admin = await User.findOne({ _id: adminId });
if (!admin) {
return res.status(404).json({
error_code: 404,
message: 'Admin not found'
});
}
if (req.file) {
const { filename, path } = req.file
obj.image = {
fileName: filename,
fileAddress: path,
}
const obj = {
firstName: firstName,
lastName: lastName,
address: address,
mobileNo: mobileNo
}
// console.log("🚀 ~ update ~ obj:", obj)
await User.findOneAndUpdate({ _id: adminId }, obj);
const updatedAdmin = await User.findOne({ _id: adminId });
// console.log("🚀 ~ update ~ updatedAdmin:", updatedAdmin)
await User.findOneAndUpdate({ _id: adminId }, { $set: obj });
return res.status(201).send({
return res.status(200).json({
error_code: 200,
message: 'Admin got updated'
})
} catch (err) {
console.log('Error inside update admin', err);
res.status(500).send({
message: 'Admin profile updated successfully',
admin: updatedAdmin
});
} catch (error) {
console.error('Error inside update admin:', error);
return res.status(500).json({
error_code: 500,
message: "Internal Server Error"
})
});
}
};
const updateProfile = async (req, res) => {
try {
const adminId = req.userId;
console.log("🚀 ~ updateProfile ~ adminId:", adminId)
if (!adminId) {
return res.status(404).json({
error_code: 404,
message: 'Admin not found'
});
}
const baseUrl = `${req.protocol}://${req.get('host')}`;
const imagePath = `uploads/${req.file.filename}`;
const imageUrl = `${baseUrl}/${imagePath}`;
// Construct the updateFields object with the image details
const updateFields = {
image: {
fileName: req.file.filename,
fileAddress: imagePath
},
imageUrl:imageUrl
};
// Update the admin profile with the new image details
const updatedAdmin = await User.findOneAndUpdate({ _id: adminId }, updateFields, { new: true });
return res.status(200).json({
error_code: 200,
message: 'Admin profile updated successfully',
admin: {
...updatedAdmin.toObject(),
imageUrl: imageUrl
}
});
} catch (error) {
console.error('Error inside updateProfile:', error);
return res.status(500).json({
error_code: 500,
message: "Internal Server Error"
});
}
};
const adminProfile =async (req,res)=>{
try {
//view admin profile by req userid
const adminId = req.userId;
console.log("<22><><EFBFBD> ~ adminProfile ~ adminId:", adminId)
if (!adminId) {
return res.status(404).json({
error_code: 404,
message: 'Admin not found'
});
}
const userData = await User.findOne({ _id: adminId });
if (!userData) {
return res.status(400).send({
error_code: 400,
message: 'User not found'
});
}
console.log("<22><><EFBFBD> ~ adminProfile ~ userData:", userData)
return res.status(200).send({
error_code: 200,
message: 'Admin profile retrieved successfully',
admin: userData
});
} catch (error) {
console.error('Error inside adminProfile:', error);
return res.status(500).json({
error_code: 500,
message: "Internal Server Error"
});
}
}
const userStatus = async (req, res) => {
try {
const { id } = req.params;
@ -145,7 +234,7 @@ const userStatus = async (req, res) => {
message: 'User not found'
});
}
userData.status = userData.status === 'activate' ? 'deactivate' : 'activate';
userData.status = userData.status === 'Active' ? 'Deactive' : 'Active';
await userData.save();
@ -163,12 +252,62 @@ const userStatus = async (req, res) => {
};
const changePassword = async (req, res) => {
try {
const userId = req.userId;
console.log("🚀 ~ changePassword ~ userId:", userId)
const userData = await User.findOne({ _id: userId });
console.log("🚀 ~ changePassword ~ userData:", userData)
if (!userData) {
return res.status(404).json({
error_code: 404,
message: 'User not found'
});
}
const { oldPassword, newPassword, confirmPassword } = req.body;
if (newPassword !== confirmPassword) {
return res.status(400).json({
error_code: 400,
message: 'New password and confirm password do not match'
});
}
const isMatch = await bcrypt.compare(oldPassword, userData.password);
if (!isMatch) {
return res.status(400).json({
error_code: 400,
message: 'Old password is incorrect'
});
}
const hashedPassword = await bcrypt.hash(newPassword, 10);
userData.password = hashedPassword;
await userData.save();
return res.status(200).json({
message: 'Password changed successfully',
user: userData
});
} catch (error) {
console.error('Error inside changePassword controller', error);
return res.status(500).json({
error_code: 500,
message: 'Internal Server Error'
});
}
};
module.exports = {
createAdmin,
updateProfile,
getList,
update, userStatus
adminProfile,
update, userStatus,
changePassword
}

View File

@ -34,20 +34,89 @@ const create = async (req, res) => {
}
}
const getad = async(req,res) => {
try{
let obj = {}
const ads = await Ads.find(obj);
return res.status(200).send(constant.adsGenerator(ads, req));
const getad = async (req, res) => {
try {
const { search = '', dateRange, startDate, endDate } = req.query;
const filter = {};
}catch(err){
console.log('Error inside getad Controller',err);
res.status(500).send({
error_code : 500,
message : 'Internal Server Error'
})
// Apply search query if provided
if (search) {
filter.$or = [
{ title: { $regex: search, $options: 'i' } },
{ description: { $regex: search, $options: 'i' } }
];
}
// Apply date range filter if provided
if (dateRange) {
switch (dateRange) {
case 'today':
filter.createdAt = { $gte: new Date().setHours(0, 0, 0), $lte: new Date() };
break;
case 'yesterday':
const yesterday = new Date();
yesterday.setDate(yesterday.getDate() - 1);
filter.createdAt = {
$gte: new Date(yesterday).setHours(0, 0, 0),
$lte: new Date(yesterday).setHours(23, 59, 59)
};
break;
case 'last7days':
filter.createdAt = { $gte: new Date().setDate(new Date().getDate() - 7), $lte: new Date() };
break;
case 'last30days':
filter.createdAt = { $gte: new Date().setDate(new Date().getDate() - 30), $lte: new Date() };
break;
case 'thisMonth':
filter.createdAt = {
$gte: new Date(new Date().getFullYear(), new Date().getMonth(), 1),
$lte: new Date(new Date().getFullYear(), new Date().getMonth() + 1, 0)
};
break;
case 'lastMonth':
const lastMonthStart = new Date(new Date().getFullYear(), new Date().getMonth() - 1, 1);
const lastMonthEnd = new Date(new Date().getFullYear(), new Date().getMonth(), 0);
filter.createdAt = { $gte: lastMonthStart, $lte: lastMonthEnd };
break;
case 'customRange':
if (startDate && endDate) {
filter.createdAt = { $gte: new Date(startDate), $lte: new Date(endDate) };
}
break;
default:
break;
}
}
// Fetch total count of ads matching the filter criteria
const totalCount = await Ads.countDocuments(filter);
// Perform pagination
const page = parseInt(req.query.page) || 1;
const limit = parseInt(req.query.limit) || 10;
const skip = (page - 1) * limit;
// Fetch paginated ads
const ads = await Ads.find(filter).skip(skip).limit(limit);
return res.status(200).json({
error_code: 200,
message: 'Ads retrieved successfully',
ads: ads,
page: page,
limit: limit,
total_count: totalCount
});
} catch (err) {
console.log('Error inside getad Controller', err);
return res.status(500).json({
error_code: 500,
message: 'Internal Server Error'
});
}
}
};
const updateAds = async(req,res) => {
try{
@ -172,7 +241,7 @@ const updateAdsStatus = async (req, res) => {
adsData: adsData
});
} catch (err) {
console.error('Error inside update admin', err);
console.error('Error inside update ', err);
res.status(500).send({
error_code: 500,
message: 'Internal Server Error'

View File

@ -153,7 +153,7 @@ const changeArtistStatus = async (req, res) => {
artistData: artistData
});
} catch (err) {
console.error('Error inside update admin', err);
console.error('Error inside update ', err);
res.status(500).send({
error_code: 500,
message: 'Internal Server Error'

View File

@ -12,13 +12,7 @@ const createAlbum = async (req, res) => {
message: "Category ID and Subcategory ID are required"
});
}
const category = await Categories.findById(categoryId);
if (!category) {
return res.status(404).json({
error_code: 404,
message: "Category not found"
});
}
const subcategory = await SubCategories.findById(subcategoryId);
if (!subcategory) {
return res.status(404).json({
@ -26,18 +20,25 @@ const createAlbum = async (req, res) => {
message: "Subcategory not found"
});
}
const albumObj = {
const baseUrl = `${req.protocol}://${req.get('host')}`;
const imagePath = `uploads/${req.file.filename}`;
const imageUrl = `${baseUrl}/${imagePath}`;
const obj = {
categoryId: categoryId,
subcategoryId: subcategoryId,
albumName,
shortDescription,
image: req.file ? {
imageUrl:imageUrl,
image: {
fileName: req.file.filename,
fileAddress: req.file.path
} : undefined
};
fileAddress: req.file.path,
}
const album = await Album.create(albumObj);
};
const album = await Album.create(obj);
console.log("🚀 ~ createAlbum ~ album:", album);
return res.status(201).json({ error_code: 200, message: "Album created successfully", album: album });
} catch (err) {
@ -45,12 +46,165 @@ const createAlbum = async (req, res) => {
return res.status(500).json({ error_code: 500, message: "Internal Server Error" });
}
};
const deletMany = async (req, res) => {
try {
const albums = await Album.deleteMany({ });
console.log("<22><><EFBFBD> ~ deletMany ~ albums:", albums);
return res.status(200).json({ error_code: 200, message: "Albums deleted successfully", albums: albums });
} catch (error) {
console.error("Error inside DeleteMany Controller", error);
return res.status(500).json({ error_code: 500, message: "Internal Server Error" });
}
}
// ----------------------------------------------------
// const createAlbum = async (req, res) => {
// try {
// const { categoryId, subcategoryId, albumName, shortDescription } = req.body;
// // Check if categoryId and subcategoryId are provided
// if (!categoryId || !subcategoryId) {
// return res.status(400).json({
// error_code: 400,
// message: "Both Category ID and Subcategory ID are required"
// });
// }
// // Check if the provided category and subcategory exist
// const category = await Categories.findById(categoryId);
// const subcategory = await SubCategories.findById(subcategoryId);
// if (!category || !subcategory) {
// return res.status(404).json({
// error_code: 404,
// message: "Category or Subcategory not found"
// });
// }
// // Handle image upload
// let image = undefined;
// if (req.file) {
// const baseUrl = `${req.protocol}://${req.get('host')}`;
// const imagePath = `uploads/${req.file.filename}`;
// const imageUrl = `${baseUrl}/${imagePath}`;
// image = {
// fileName: req.file.filename,
// fileAddress: req.file.path,
// imageUrl: imageUrl
// };
// }
// // Create album object
// const albumObj = {
// categoryId: categoryId,
// subcategoryId: subcategoryId,
// albumName,
// shortDescription,
// image
// };
// // Create album in the database
// const album = await Album.create(albumObj);
// console.log("🚀 ~ createAlbum ~ album:", album)
// return res.status(201).json({ error_code: 200, message: "Album created successfully", album: album });
// } catch (err) {
// console.error("Error inside CreateAlbum Controller", err);
// return res.status(500).json({
// error_code: 500,
// message: "Internal Server Error"
// });
// }
// };
// ------------------------------------------------
// const updateAlbum = async (req, res) => {
// try {
// const { id } = req.params;
// const { categoryId, subcategoryId, albumName, shortDescription } = req.body;
// // Check if the album ID is provided
// if (!id) {
// return res.status(400).json({
// error_code: 400,
// message: "Album ID is required"
// });
// }
// // Check if the required fields are present in the request body
// if (!categoryId || !subcategoryId) {
// return res.status(400).json({
// error_code: 400,
// message: "Category ID and Subcategory ID are required"
// });
// }
// // Find the album by ID
// const album = await Album.findById(id);
// if (!album) {
// return res.status(404).json({
// error_code: 404,
// message: "Album not found"
// });
// }
// // Find the category and subcategory by their IDs
// const category = await Categories.findById(categoryId);
// const subcategory = await SubCategories.findById(subcategoryId);
// // Check if the category and subcategory exist
// if (!category || !subcategory) {
// return res.status(404).json({
// error_code: 404,
// message: "Category or Subcategory not found"
// });
// }
// // Update album fields
// album.set({
// categoryId,
// subcategoryId,
// albumName,
// shortDescription,
// image: req.file ? {
// fileName: req.file.filename,
// fileAddress: req.file.path
// } : album.image // Retain existing image if no new file provided
// });
// // Save the updated album
// await album.save();
// return res.status(200).json({
// error_code: 200,
// message: "Album updated successfully",
// album: album
// });
// } catch (err) {
// console.error("Error inside UpdateAlbum Controller", err);
// return res.status(500).json({
// error_code: 500,
// message: "Internal Server Error"
// });
// }
// };
// -------------------------------------------
const updateAlbum = async (req, res) => {
try {
const { id } = req.params;
const { categoryId, subcategoryId, albumName, shortDescription } = req.body;
// Check if the album ID is provided
if (!id) {
return res.status(400).json({
error_code: 400,
@ -58,15 +212,13 @@ const updateAlbum = async (req, res) => {
});
}
// Check if the required fields are present in the request body
if (!categoryId || !subcategoryId) {
if (!categoryId || !subcategoryId || !albumName || !shortDescription) {
return res.status(400).json({
error_code: 400,
message: "Category ID and Subcategory ID are required"
message: "Category ID, Subcategory ID, Album Name, and Short Description are required"
});
}
// Find the album by ID
const album = await Album.findById(id);
if (!album) {
return res.status(404).json({
@ -75,11 +227,9 @@ const updateAlbum = async (req, res) => {
});
}
// Find the category and subcategory by their IDs
const category = await Categories.findById(categoryId);
const subcategory = await SubCategories.findById(subcategoryId);
// Check if the category and subcategory exist
if (!category || !subcategory) {
return res.status(404).json({
error_code: 404,
@ -87,17 +237,24 @@ const updateAlbum = async (req, res) => {
});
}
// Handle image upload and update imageUrl
let imageUrl = album.image ? album.image.imageUrl : undefined;
if (req.file) {
const baseUrl = `${req.protocol}://${req.get('host')}`;
const imagePath = `uploads/${req.file.filename}`;
imageUrl = `${baseUrl}/${imagePath}`;
}
// Update album fields
album.set({
categoryId,
subcategoryId,
albumName,
shortDescription,
image: req.file ? {
fileName: req.file.filename,
fileAddress: req.file.path
} : album.image // Retain existing image if no new file provided
});
album.categoryId = categoryId;
album.subcategoryId = subcategoryId;
album.albumName = albumName;
album.shortDescription = shortDescription;
album.imageUrl = imageUrl;
album.image = req.file ? {
fileName: req.file.filename,
fileAddress: req.file.path,
} : album.image;
// Save the updated album
await album.save();
@ -105,7 +262,7 @@ const updateAlbum = async (req, res) => {
return res.status(200).json({
error_code: 200,
message: "Album updated successfully",
album:album
album: album
});
} catch (err) {
console.error("Error inside UpdateAlbum Controller", err);
@ -116,6 +273,7 @@ const updateAlbum = async (req, res) => {
}
};
// ------------------------------------------------------------------
const deleteAlbum = async (req, res) => {
try {
@ -148,81 +306,82 @@ const changeAlbumStatus = async (req, res) => {
const { id } = req.params;
const albumData = await Album.findById(id);
if (!albumData) {
return res.status(400).send({
error_code: 400,
message: 'album not found'
});
return res.status(400).send({
error_code: 400,
message: 'album not found'
});
}
albumData.status = albumData.status === 'activate' ? 'deactivate' : 'activate';
await albumData.save();
res.status(200).send({
message: `ads status toggled successfully to ${albumData.status}`,
albumData: albumData
message: `ads status toggled successfully to ${albumData.status}`,
albumData: albumData
});
} catch (err) {
} catch (err) {
console.error('Error inside update admin', err);
res.status(500).send({
error_code: 500,
message: 'Internal Server Error'
error_code: 500,
message: 'Internal Server Error'
});
}
};
}
};
const getAlbums = async (req, res) => {
try {
// Pagination parameters
const { page = 1, limit = 10, search: searchQuery = '' } = req.query;
const skip = (page - 1) * limit;
// Find albums with pagination and search
const albums = await Album.find({
$or: [
{ albumName: { $regex: searchQuery, $options: 'i' } },
{ shortDescription: { $regex: searchQuery, $options: 'i' } }
]
})
const getAlbums = async (req, res) => {
try {
// Pagination parameters
const { page = 1, limit = 10, search: searchQuery = '' } = req.query;
const skip = (page - 1) * limit;
// Find albums with pagination and search
const albums = await Album.find({
$or: [
{ albumName: { $regex: searchQuery, $options: 'i' } },
{ shortDescription: { $regex: searchQuery, $options: 'i' } }
]
})
.populate('categoryId') // Populate categoryId field
.populate('subcategoryId') // Populate subcategoryId field
.skip(skip)
.limit(limit);
const totalCount = await Album.countDocuments({
$or: [
{ albumName: { $regex: searchQuery, $options: 'i' } },
{ shortDescription: { $regex: searchQuery, $options: 'i' } }
]
});
const totalPages = Math.ceil(totalCount / limit);
return res.status(200).json({
error_code: 200,
message: "Albums retrieved successfully",
data: albums.map(album => ({
_id: album._id,
status: album.status,
image: album.image,
albumName: album.albumName,
shortDescription: album.shortDescription,
category: album.categoryId ? album.categoryId.name : null,
subcategory: album.subcategoryId ? album.subcategoryId.SubCategoriesName : null
})),
totalPages: totalPages,
currentPage: page
});
} catch (err) {
console.log("Error inside GetAlbums Controller", err);
return res.status(500).json({
error_code: 500,
message: "Internal Server Error"
});
}
};
const totalCount = await Album.countDocuments({
$or: [
{ albumName: { $regex: searchQuery, $options: 'i' } },
{ shortDescription: { $regex: searchQuery, $options: 'i' } }
]
});
const totalPages = Math.ceil(totalCount / limit);
return res.status(200).json({
error_code: 200,
message: "Albums retrieved successfully",
data: albums.map(album => ({
_id: album._id,
status: album.status,
image: album.image,
imageUrl:album.imageUrl,
albumName: album.albumName,
shortDescription: album.shortDescription,
category: album.categoryId ? album.categoryId.name : null,
subcategory: album.subcategoryId ? album.subcategoryId.SubCategoriesName : null
})),
totalPages: totalPages,
currentPage: page
});
} catch (err) {
console.log("Error inside GetAlbums Controller", err);
return res.status(500).json({
error_code: 500,
message: "Internal Server Error"
});
}
};
@ -232,7 +391,8 @@ module.exports = {
updateAlbum,
deleteAlbum,
changeAlbumStatus,
getAlbums
getAlbums,
deletMany
}

View File

@ -18,7 +18,7 @@ const createCategories = async (req, res) => {
if (req.file) {
obj["image"] = {
fileName: req.file.filename,
fileAddress: req.file.filename
fileAddress: req.file.filename
};
const baseUrl = `${req.protocol}://${req.get('host')}`;
@ -46,19 +46,64 @@ const createCategories = async (req, res) => {
// const updateCategories = async (req, res) => {
// try {
// const categoryId = req.params.id;
// let category = await Category.findById(categoryId);
// if (!category) {
// return res.json({
// error_code: 404,
// message: "Category not found"
// });
// }
// if (req.file) {
// const baseUrl = `${req.protocol}://${req.get('host')}`;
// const imagePath = `uploads/${req.file.filename}`;
// const imageUrl = `${baseUrl}/${imagePath}`;
// category.imageUrl = imageUrl;
// category.image = {
// fileName: req.file.filename,
// fileAddress: req.file.path,
// };
// }
// const updatedCategory = await category.save();
// console.log("🚀 ~ updateCategories ~ updatedCategory:", updatedCategory)
// return res.status(200).send({
// error_code: 200,
// message: "Category updated",
// category: updatedCategory
// });
// } catch (err) {
// console.log("Error inside update Categories Controller", err);
// return res.status(500).send({
// error_code: 500,
// message: "Internal Server Error"
// });
// }
// };
// ----------------------------------------------
const updateCategories = async (req, res) => {
try {
const categoryId = req.params.id;
const categoryId = req.params.id;
let category = await Category.findById(categoryId);
if (!category) {
return res.status(404).send({
return res.json({
error_code: 404,
message: "Category not found"
});
}
if (req.body.categoriesName) {
category.name = req.body.categoriesName;
}
if (req.file) {
const baseUrl = `${req.protocol}://${req.get('host')}`;
const imagePath = `uploads/${req.file.filename}`;
@ -66,11 +111,12 @@ const updateCategories = async (req, res) => {
category.imageUrl = imageUrl;
category.image = {
fileName: req.file.filename,
fileAddress: req.file.path,
fileAddress: req.file.path,
};
}
const updatedCategory = await category.save();
console.log("🚀 ~ updateCategories ~ updatedCategory:", updatedCategory)
console.log("updateCategories ~ updatedCategory:", updatedCategory);
return res.status(200).send({
error_code: 200,
@ -85,7 +131,7 @@ const updateCategories = async (req, res) => {
});
}
};
// -------------------------------------------
const deleteCategories = async (req, res) => {
@ -123,29 +169,29 @@ const changeCategoryStatus = async (req, res) => {
const { id } = req.params;
const CategoryData = await Category.findById(id);
if (!CategoryData) {
return res.status(400).send({
error_code: 400,
message: 'Ads not found'
});
return res.status(400).send({
error_code: 400,
message: 'Ads not found'
});
}
CategoryData.status = CategoryData.status === 'activate' ? 'deactivate' : 'activate';
await CategoryData.save();
res.status(200).send({
message: `ads status toggled successfully to ${CategoryData.status}`,
CategoryData: CategoryData
message: `ads status toggled successfully to ${CategoryData.status}`,
CategoryData: CategoryData
});
} catch (err) {
} catch (err) {
console.error('Error inside update admin', err);
res.status(500).send({
error_code: 500,
message: 'Internal Server Error'
error_code: 500,
message: 'Internal Server Error'
});
}
}
};
const getCategories = async (req, res) => {
const getcategoriesPage = async (req, res) => {
try {
const page = parseInt(req.query.page) || 1;
@ -155,14 +201,14 @@ const getCategories = async (req, res) => {
const searchQuery = req.query.search || '';
const categories = await Category.find({
name: { $regex: searchQuery, $options: 'i' }
name: { $regex: searchQuery, $options: 'i' }
})
.skip(skip)
.limit(limit);
console.log("🚀 ~ getCategories ~ categories:", categories)
const totalCount = await Category.countDocuments({
name: { $regex: searchQuery, $options: 'i' }
name: { $regex: searchQuery, $options: 'i' }
});
res.status(200).json({
@ -182,6 +228,25 @@ const getCategories = async (req, res) => {
}
};
const getCategories = async (req, res) => {
try {
const categories = await Category.find({});
res.status(200).json({
error_code: 200,
message: 'Categories fetched successfully',
categories: categories
});
} catch (err) {
console.error('Error inside getCategories Controller', err);
res.status(500).json({
error_code: 500,
message: 'Internal Server Error'
});
}
};
// const deleteMany = async (req, res) => {
// try {
// const deleted = await Category.deleteMany({}); // Passing an empty filter object deletes all documents
@ -205,4 +270,5 @@ module.exports = {
deleteCategories,
changeCategoryStatus,
getCategories,
getcategoriesPage
};

View File

@ -59,8 +59,8 @@ const createsubCategories = async (req, res) => {
SubCategoriesName: req.body.SubCategoriesName,
image: {
fileName: req.file.filename,
fileAddress: req.file.filename,
imageUrl: imageUrl
fileAddress: req.file.filename,
imageUrl: imageUrl
}
});
@ -81,35 +81,94 @@ const createsubCategories = async (req, res) => {
};
// ------------------------------------------
// const updateSubCategories = async (req, res) => {
// try {
// const { subCatid } = req.body;
// const { CategoriesId, SubCategoriesName } = req.body;
// // Check if CategoriesId is provided
// if (!CategoriesId) {
// return res.status(400).json({
// error_code: 400,
// message: "CategoriesId is required"
// });
// }
// // Check if the category exists
// const category = await Categories.findById(CategoriesId);
// if (!category) {
// return res.status(404).json({
// error_code: 404,
// message: "Category not found"
// });
// }
// // Prepare update object
// const updateObject = { CategoriesId, SubCategoriesName };
// if (req.file) {
// // Construct image URL
// const baseUrl = `${req.protocol}://${req.get('host')}`;
// const imagePath = `uploads/${req.file.filename}`;
// const imageUrl = `${baseUrl}/${imagePath}`;
// updateObject.image = {
// fileName: req.file.filename,
// fileAddress: req.file.path,
// imageUrl: imageUrl
// };
// }
// // Find and update the subcategory
// const updatedSubCategories = await SubCategories.findByIdAndUpdate(subCatid, updateObject, { new: true });
// // Check if the subcategory exists
// if (!updatedSubCategories) {
// return res.status(404).json({
// error_code: 404,
// message: "SubCategories not found"
// });
// }
// // Return a success response with the updated subcategory
// return res.status(200).json({
// error_code: 200,
// message: "SubCategories updated",
// category: updatedSubCategories
// });
// } catch (err) {
// console.error('Error inside update SubCategories Controller', err);
// return res.status(500).json({
// error_code: 500,
// message: 'Internal Server Error'
// });
// }
// };
// --------------------------------------------------------
const updateSubCategories = async (req, res) => {
try {
const { id } = req.params;
const { CategoriesId, SubCategoriesName } = req.body;
const { subCatid, SubCategoriesName } = req.body;
// Check if CategoriesId is provided
if (!CategoriesId) {
if (!subCatid) {
return res.status(400).json({
error_code: 400,
message: "CategoriesId is required"
message: "subCatid is required"
});
}
// Check if the category exists
const category = await Categories.findById(CategoriesId);
if (!category) {
return res.status(404).json({
error_code: 404,
message: "Category not found"
if (!SubCategoriesName) {
return res.status(400).json({
error_code: 400,
message: "SubCategoriesName is required"
});
}
// Prepare update object
const updateObject = { CategoriesId, SubCategoriesName };
const updateObject = { SubCategoriesName };
if (req.file) {
// Construct image URL
const baseUrl = `${req.protocol}://${req.get('host')}`;
const imagePath = `uploads/${req.file.filename}`;
const imageUrl = `${baseUrl}/${imagePath}`;
@ -121,10 +180,8 @@ const updateSubCategories = async (req, res) => {
};
}
// Find and update the subcategory
const updatedSubCategories = await SubCategories.findByIdAndUpdate(id, updateObject, { new: true });
const updatedSubCategories = await SubCategories.findByIdAndUpdate(subCatid, updateObject, { new: true });
// Check if the subcategory exists
if (!updatedSubCategories) {
return res.status(404).json({
error_code: 404,
@ -132,11 +189,10 @@ const updateSubCategories = async (req, res) => {
});
}
// Return a success response with the updated subcategory
return res.status(200).json({
error_code: 200,
message: "SubCategories updated",
category: updatedSubCategories
category: updatedSubCategories,
});
} catch (err) {
console.error('Error inside update SubCategories Controller', err);
@ -147,6 +203,8 @@ const updateSubCategories = async (req, res) => {
}
};
// ---------------------------------------
const deleteMany = async (req, res) => {
try {
const deleted = await SubCategories.deleteMany({}); // Passing an empty filter object deletes all documents
@ -195,7 +253,53 @@ const deleteSubCategories = async (req, res) => {
}
};
// ---------------------------------------------
// const getSubCategories = async (req, res) => {
// try {
// const page = parseInt(req.query.page) || 1;
// const limit = parseInt(req.query.limit) || 5;
// const skip = (page - 1) * limit;
// const searchQuery = req.query.search || '';
// const subcategories = await SubCategories.find({
// SubCategoriesName: { $regex: searchQuery, $options: 'i' }
// })
// .populate('CategoriesId') // Populate the 'CategoriesId' field
// .skip(skip)
// .limit(limit);
// const populatedSubcategories = subcategories.map(subcategory => ({
// _id: subcategory._id,
// SubCategoriesName: subcategory.SubCategoriesName,
// image: subcategory.image,
// status: subcategory.status,
// CategoriesId: subcategory.CategoriesId ? subcategory.CategoriesId._id : null, // Reference the category ID if it exists
// categoryName: subcategory.CategoriesId ? subcategory.CategoriesId.name : null // Display category name if it exists
// }));
// console.log("🚀 ~ populatedSubcategories ~ populatedSubcategories:", populatedSubcategories)
// const totalCount = await SubCategories.countDocuments({
// SubCategoriesName: { $regex: searchQuery, $options: 'i' }
// });
// res.status(200).json({
// error_code: 200,
// message: 'Subcategories retrieved successfully',
// subcategories: populatedSubcategories,
// total_count: totalCount,
// page,
// limit
// });
// } catch (err) {
// console.error('Error inside get SubCategories Controller', err);
// res.status(500).json({
// error_code: 500,
// message: 'Internal Server Error'
// });
// }
// };
// ---------------------------------
const getSubCategories = async (req, res) => {
try {
@ -204,30 +308,53 @@ const getSubCategories = async (req, res) => {
const skip = (page - 1) * limit;
const searchQuery = req.query.search || '';
const subcategories = await SubCategories.find({
SubCategoriesName: { $regex: searchQuery, $options: 'i' }
})
.populate('CategoriesId') // Populate the 'CategoriesId' field
.skip(skip)
.limit(limit);
const populatedSubcategories = subcategories.map(subcategory => ({
_id: subcategory._id,
SubCategoriesName: subcategory.SubCategoriesName,
image: subcategory.image,
status: subcategory.status,
CategoriesId: subcategory.CategoriesId ? subcategory.CategoriesId._id : null, // Reference the category ID if it exists
categoryName: subcategory.CategoriesId ? subcategory.CategoriesId.name : null // Display category name if it exists
}));
console.log("🚀 ~ populatedSubcategories ~ populatedSubcategories:", populatedSubcategories)
const matchQuery = {
SubCategoriesName: { $regex: searchQuery, $options: 'i' },
'CategoriesId.deleted': { $ne: true },
'deleted': { $ne: true }
};
const totalCount = await SubCategories.countDocuments({
SubCategoriesName: { $regex: searchQuery, $options: 'i' }
});
console.log('Match Query:', matchQuery);
const subcategories = await SubCategories.aggregate([
{ $match: matchQuery },
{
$lookup: {
from: 'categories',
localField: 'CategoriesId',
foreignField: '_id',
as: 'category'
}
},
{ $unwind: '$category' },
{
$project: {
_id: 1,
SubCategoriesName: 1,
status: 1,
categoryName: '$category.name',
imageUrl: { $ifNull: ['$image.imageUrl', null] }
}
},
{ $skip: skip },
{ $limit: limit },
{ $group: { _id: null, subcategories: { $push: '$$ROOT' } } }, // Group all documents into a single array
{ $project: { subcategories: 1, totalCount: { $size: '$subcategories' } } } // Calculate total count
]);
if (!subcategories || subcategories.length === 0) {
return res.status(404).json({
error_code: 404,
message: 'No subcategories found'
});
}
const totalCount = subcategories[0].totalCount;
res.status(200).json({
error_code: 200,
message: 'Subcategories retrieved successfully',
subcategories: populatedSubcategories,
subcategories: subcategories[0].subcategories,
total_count: totalCount,
page,
limit
@ -244,6 +371,14 @@ const getSubCategories = async (req, res) => {
// --------------------------------------------
const changeSubCategoryStatus = async (req, res) => {
try {
const { id } = req.params;
@ -272,36 +407,76 @@ const changeSubCategoryStatus = async (req, res) => {
}
};
const getCategories = async (req, res) => {
// const getCategories = async (req, res) => {
// try {
// const { CategoriesId } = req.params;
// const categories = await SubCategories.find({ CategoriesId: CategoriesId });
// console.log("🚀 ~ getCategories ~ categories:", categories)
// if (!categories || categories.length === 0) {
// return res.status(400).send({
// error_code: 400,
// message: 'Categories not found for the given category ID'
// });
// }
// // Return the found categories
// res.status(200).json({
// error_code: 200,
// message: 'Categories retrieved successfully',
// categories: categories
// });
// } catch (err) {
// console.error('Error inside getCategories', err);
// res.status(500).send({
// error_code: 500,
// message: 'Internal Server Error'
// });
// }
// };
// ------------------------------------------------
const getSubCategoriesfromCategory = async (req, res) => {
try {
const { CategoriesId } = req.params;
const categories = await SubCategories.find({ CategoriesId: CategoriesId });
console.log("🚀 ~ getCategories ~ categories:", categories)
if (!categories || categories.length === 0) {
return res.status(400).send({
return res.status(400).json({
error_code: 400,
message: 'Categories not found for the given category ID'
});
}
// Return the found categories
const categoriesWithImageUrl = categories.map(category => ({
_id: category._id,
SubCategoriesName: category.SubCategoriesName,
imageUrl: category.image ? category.image.imageUrl : null,
status: category.status,
CategoriesId: category.CategoriesId,
categoryName: category.categoryName
}));
res.status(200).json({
error_code: 200,
message: 'Categories retrieved successfully',
categories: categories
categories: categoriesWithImageUrl
});
} catch (err) {
console.error('Error inside getCategories', err);
res.status(500).send({
res.status(500).json({
error_code: 500,
message: 'Internal Server Error'
});
}
};
// ------------------------------------------------
@ -311,6 +486,7 @@ module.exports = {
deleteSubCategories,
getSubCategories,
deleteMany,
changeSubCategoryStatus,getCategories
changeSubCategoryStatus,
getSubCategoriesfromCategory
};

View File

@ -6,6 +6,7 @@ const isAdmin = async(req,res,next) => {
console.log('admin midd')
let id = req.userId;
const user = await User.findById(id);
console.log("🚀 ~ isAdmin ~ user:", user)
if(user.userTypes!= constant.userTypes.admin)
return res.status(401).send({
error_code : 400,

View File

@ -3,20 +3,21 @@ const Schema = mongoose.Schema;
// Define the schema
const albumSchema = new mongoose.Schema({
categoryId: { type: Schema.Types.ObjectId, ref: 'Category' },
subcategoryId: { type: Schema.Types.ObjectId, ref: 'SubCategories' },
albumName: String,
shortDescription: String,
image: {
fileName: String,
fileAddress: String
},
status: {
type: String,
enum: ['activate', 'deactivate'],
default: 'activate'
}
categoryId: { type: mongoose.Schema.Types.ObjectId, ref: 'Category', required: true },
subcategoryId: { type: mongoose.Schema.Types.ObjectId, ref: 'SubCategories', required: true },
albumName: { type: String, required: true },
shortDescription: { type: String, required: true },
image: {
fileName: { type: String },
fileAddress: { type: String },
},
imageUrl: { type: String },
status: {
type: String,
enum: ['activate', 'deactivate'],
default: 'activate'
}
}, { timestamps: true }); // This will add createdAt and updatedAt fields
// Create the model

View File

@ -34,3 +34,8 @@ const subCategoriesSchema = new mongoose.Schema({
const SubCategories = mongoose.model('SubCategories', subCategoriesSchema);
module.exports = SubCategories;
// categorySchema.pre('remove', async function(next) {
// const category = this;
// await SubCategory.deleteMany({ CategoriesId: category._id });
// next();
// });

View File

@ -21,6 +21,29 @@ const userSchema = new mongoose.Schema({
},
imageUrl:{
type: String
},
firstName:{
type: String,
// required: true
},
lastName:{
type: String,
// required: true
},
address:{
type: String,
},
mobileNo:{
type: Number
},
email: {
type: String,
required: true,
@ -40,8 +63,8 @@ const userSchema = new mongoose.Schema({
},
status: {
type: String,
enum: ['activate', 'deactivate'],
default: 'activate'
enum: ['Active', 'Deactive'],
default: 'Active'
},
registerWith: {

17
node_modules/.bin/mime.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\mime\cli.js" %*

28
node_modules/.bin/mime.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../mime/cli.js" $args
} else {
& "$basedir/node$exe" "$basedir/../mime/cli.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../mime/cli.js" $args
} else {
& "node$exe" "$basedir/../mime/cli.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

17
node_modules/.bin/mkdirp.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\mkdirp\bin\cmd.js" %*

28
node_modules/.bin/mkdirp.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../mkdirp/bin/cmd.js" $args
} else {
& "$basedir/node$exe" "$basedir/../mkdirp/bin/cmd.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../mkdirp/bin/cmd.js" $args
} else {
& "node$exe" "$basedir/../mkdirp/bin/cmd.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

17
node_modules/.bin/nodemon.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\nodemon\bin\nodemon.js" %*

28
node_modules/.bin/nodemon.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../nodemon/bin/nodemon.js" $args
} else {
& "$basedir/node$exe" "$basedir/../nodemon/bin/nodemon.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../nodemon/bin/nodemon.js" $args
} else {
& "node$exe" "$basedir/../nodemon/bin/nodemon.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

17
node_modules/.bin/nodetouch.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\touch\bin\nodetouch.js" %*

28
node_modules/.bin/nodetouch.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../touch/bin/nodetouch.js" $args
} else {
& "$basedir/node$exe" "$basedir/../touch/bin/nodetouch.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../touch/bin/nodetouch.js" $args
} else {
& "node$exe" "$basedir/../touch/bin/nodetouch.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

17
node_modules/.bin/nopt.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\nopt\bin\nopt.js" %*

28
node_modules/.bin/nopt.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../nopt/bin/nopt.js" $args
} else {
& "$basedir/node$exe" "$basedir/../nopt/bin/nopt.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../nopt/bin/nopt.js" $args
} else {
& "node$exe" "$basedir/../nopt/bin/nopt.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

17
node_modules/.bin/semver.cmd generated vendored
View File

@ -1,17 +0,0 @@
@ECHO off
GOTO start
:find_dp0
SET dp0=%~dp0
EXIT /b
:start
SETLOCAL
CALL :find_dp0
IF EXIST "%dp0%\node.exe" (
SET "_prog=%dp0%\node.exe"
) ELSE (
SET "_prog=node"
SET PATHEXT=%PATHEXT:;.JS;=;%
)
endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\semver\bin\semver.js" %*

28
node_modules/.bin/semver.ps1 generated vendored
View File

@ -1,28 +0,0 @@
#!/usr/bin/env pwsh
$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
$exe=""
if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
# Fix case when both the Windows and Linux builds of Node
# are installed in the same directory
$exe=".exe"
}
$ret=0
if (Test-Path "$basedir/node$exe") {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "$basedir/node$exe" "$basedir/../semver/bin/semver.js" $args
} else {
& "$basedir/node$exe" "$basedir/../semver/bin/semver.js" $args
}
$ret=$LASTEXITCODE
} else {
# Support pipeline input
if ($MyInvocation.ExpectingInput) {
$input | & "node$exe" "$basedir/../semver/bin/semver.js" $args
} else {
& "node$exe" "$basedir/../semver/bin/semver.js" $args
}
$ret=$LASTEXITCODE
}
exit $ret

223
node_modules/.package-lock.json generated vendored
View File

@ -5,14 +5,17 @@
"requires": true,
"packages": {
"node_modules/@types/node": {
"version": "20.3.1",
"resolved": "https://registry.npmjs.org/@types/node/-/node-20.3.1.tgz",
"integrity": "sha512-EhcH/wvidPy1WeML3TtYFGR83UzjxeWRen9V402T8aUGYsCHOmfoisV3ZSg03gAFIbLq8TnWOJ0f4cALtnSEUg=="
"version": "20.11.24",
"resolved": "https://registry.npmjs.org/@types/node/-/node-20.11.24.tgz",
"integrity": "sha512-Kza43ewS3xoLgCEpQrsT+xRo/EJej1y0kVYGiLFE1NEODXGzTfwiC6tXTLMQskn1X4/Rjlh0MQUvx9W+L9long==",
"dependencies": {
"undici-types": "~5.26.4"
}
},
"node_modules/@types/webidl-conversions": {
"version": "7.0.0",
"resolved": "https://registry.npmjs.org/@types/webidl-conversions/-/webidl-conversions-7.0.0.tgz",
"integrity": "sha512-xTE1E+YF4aWPJJeUzaZI5DRntlkY3+BCVJi0axFptnjGmAoWxkyREIh/XMrfxVLejwQxMCfDXdICo0VLxThrog=="
"version": "7.0.3",
"resolved": "https://registry.npmjs.org/@types/webidl-conversions/-/webidl-conversions-7.0.3.tgz",
"integrity": "sha512-CiJJvcRtIgzadHCYXw7dqEnMNRjhGZlYK05Mj9OyktqV8uVT8fD2BFOB7S1uwBE3Kj2Z+4UyPmFw/Ixgw/LAlA=="
},
"node_modules/@types/whatwg-url": {
"version": "8.2.2",
@ -168,9 +171,9 @@
}
},
"node_modules/bson": {
"version": "5.3.0",
"resolved": "https://registry.npmjs.org/bson/-/bson-5.3.0.tgz",
"integrity": "sha512-ukmCZMneMlaC5ebPHXIkP8YJzNl5DC41N5MAIvKDqLggdao342t4McltoJBQfQya/nHBWAcSsYRqlXPoQkTJag==",
"version": "5.5.1",
"resolved": "https://registry.npmjs.org/bson/-/bson-5.5.1.tgz",
"integrity": "sha512-ix0EwukN2EpC0SRWIj/7B5+A6uQMQy6KMREI9qQqvgpkV2frH63T0UDVd1SYedL6dNCmDBYB3QtXi4ISk9YT+g==",
"engines": {
"node": ">=14.20.1"
}
@ -205,12 +208,18 @@
}
},
"node_modules/call-bind": {
"version": "1.0.2",
"resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz",
"integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==",
"version": "1.0.7",
"resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.7.tgz",
"integrity": "sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==",
"dependencies": {
"function-bind": "^1.1.1",
"get-intrinsic": "^1.0.2"
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"get-intrinsic": "^1.2.4",
"set-function-length": "^1.2.1"
},
"engines": {
"node": ">= 0.4"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
@ -326,6 +335,22 @@
"ms": "2.0.0"
}
},
"node_modules/define-data-property": {
"version": "1.1.4",
"resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.4.tgz",
"integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==",
"dependencies": {
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"gopd": "^1.0.1"
},
"engines": {
"node": ">= 0.4"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
}
},
"node_modules/delayed-stream": {
"version": "1.0.0",
"resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz",
@ -383,6 +408,25 @@
"node": ">= 0.8"
}
},
"node_modules/es-define-property": {
"version": "1.0.0",
"resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.0.tgz",
"integrity": "sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==",
"dependencies": {
"get-intrinsic": "^1.2.4"
},
"engines": {
"node": ">= 0.4"
}
},
"node_modules/es-errors": {
"version": "1.3.0",
"resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz",
"integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==",
"engines": {
"node": ">= 0.4"
}
},
"node_modules/escape-html": {
"version": "1.0.3",
"resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz",
@ -551,19 +595,26 @@
}
},
"node_modules/function-bind": {
"version": "1.1.1",
"resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz",
"integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A=="
"version": "1.1.2",
"resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz",
"integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==",
"funding": {
"url": "https://github.com/sponsors/ljharb"
}
},
"node_modules/get-intrinsic": {
"version": "1.2.1",
"resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz",
"integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==",
"version": "1.2.4",
"resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.4.tgz",
"integrity": "sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==",
"dependencies": {
"function-bind": "^1.1.1",
"has": "^1.0.3",
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"has-proto": "^1.0.1",
"has-symbols": "^1.0.3"
"has-symbols": "^1.0.3",
"hasown": "^2.0.0"
},
"engines": {
"node": ">= 0.4"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
@ -580,15 +631,15 @@
"node": ">= 6"
}
},
"node_modules/has": {
"version": "1.0.3",
"resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz",
"integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==",
"node_modules/gopd": {
"version": "1.0.1",
"resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz",
"integrity": "sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==",
"dependencies": {
"function-bind": "^1.1.1"
"get-intrinsic": "^1.1.3"
},
"engines": {
"node": ">= 0.4.0"
"funding": {
"url": "https://github.com/sponsors/ljharb"
}
},
"node_modules/has-flag": {
@ -599,10 +650,21 @@
"node": ">=4"
}
},
"node_modules/has-property-descriptors": {
"version": "1.0.2",
"resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz",
"integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==",
"dependencies": {
"es-define-property": "^1.0.0"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
}
},
"node_modules/has-proto": {
"version": "1.0.1",
"resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz",
"integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==",
"version": "1.0.3",
"resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.3.tgz",
"integrity": "sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==",
"engines": {
"node": ">= 0.4"
},
@ -621,6 +683,17 @@
"url": "https://github.com/sponsors/ljharb"
}
},
"node_modules/hasown": {
"version": "2.0.1",
"resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.1.tgz",
"integrity": "sha512-1/th4MHjnwncwXsIW6QMzlvYL9kG5e/CpVvLRZe4XPa8TOUNbCELqmvhDmnkNsAjwaG4+I8gJJL0JBvTTLO9qA==",
"dependencies": {
"function-bind": "^1.1.2"
},
"engines": {
"node": ">= 0.4"
}
},
"node_modules/http-errors": {
"version": "2.0.0",
"resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz",
@ -657,10 +730,17 @@
"resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
"integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ=="
},
"node_modules/ip": {
"version": "2.0.0",
"resolved": "https://registry.npmjs.org/ip/-/ip-2.0.0.tgz",
"integrity": "sha512-WKa+XuLG1A1R0UWhl2+1XQSi+fZWMsYKffMZTTYsiZaUD8k2yDAj5atimTUD2TZkyCkNEeYE5NhFZmupOGtjYQ=="
"node_modules/ip-address": {
"version": "9.0.5",
"resolved": "https://registry.npmjs.org/ip-address/-/ip-address-9.0.5.tgz",
"integrity": "sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==",
"dependencies": {
"jsbn": "1.1.0",
"sprintf-js": "^1.1.3"
},
"engines": {
"node": ">= 12"
}
},
"node_modules/ipaddr.js": {
"version": "1.9.1",
@ -713,6 +793,11 @@
"resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz",
"integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ=="
},
"node_modules/jsbn": {
"version": "1.1.0",
"resolved": "https://registry.npmjs.org/jsbn/-/jsbn-1.1.0.tgz",
"integrity": "sha512-4bYVV3aAMtDTTu4+xsDYa6sy9GyJ69/amsu9sYF2zqjiEoZA5xJi3BrfX3uY+/IekIu7MwdObdbDWpoZdBv3/A=="
},
"node_modules/jsonwebtoken": {
"version": "9.0.0",
"resolved": "https://registry.npmjs.org/jsonwebtoken/-/jsonwebtoken-9.0.0.tgz",
@ -1105,9 +1190,9 @@
}
},
"node_modules/object-inspect": {
"version": "1.12.3",
"resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz",
"integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==",
"version": "1.13.1",
"resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.1.tgz",
"integrity": "sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==",
"funding": {
"url": "https://github.com/sponsors/ljharb"
}
@ -1192,9 +1277,9 @@
"integrity": "sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w=="
},
"node_modules/punycode": {
"version": "2.3.0",
"resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.0.tgz",
"integrity": "sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==",
"version": "2.3.1",
"resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz",
"integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==",
"engines": {
"node": ">=6"
}
@ -1365,19 +1450,39 @@
"node": ">= 0.8.0"
}
},
"node_modules/set-function-length": {
"version": "1.2.1",
"resolved": "https://registry.npmjs.org/set-function-length/-/set-function-length-1.2.1.tgz",
"integrity": "sha512-j4t6ccc+VsKwYHso+kElc5neZpjtq9EnRICFZtWyBsLojhmeF/ZBd/elqm22WJh/BziDe/SBiOeAt0m2mfLD0g==",
"dependencies": {
"define-data-property": "^1.1.2",
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"get-intrinsic": "^1.2.3",
"gopd": "^1.0.1",
"has-property-descriptors": "^1.0.1"
},
"engines": {
"node": ">= 0.4"
}
},
"node_modules/setprototypeof": {
"version": "1.2.0",
"resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz",
"integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw=="
},
"node_modules/side-channel": {
"version": "1.0.4",
"resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz",
"integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==",
"version": "1.0.6",
"resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.6.tgz",
"integrity": "sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==",
"dependencies": {
"call-bind": "^1.0.0",
"get-intrinsic": "^1.0.2",
"object-inspect": "^1.9.0"
"call-bind": "^1.0.7",
"es-errors": "^1.3.0",
"get-intrinsic": "^1.2.4",
"object-inspect": "^1.13.1"
},
"engines": {
"node": ">= 0.4"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
@ -1409,15 +1514,15 @@
}
},
"node_modules/socks": {
"version": "2.7.1",
"resolved": "https://registry.npmjs.org/socks/-/socks-2.7.1.tgz",
"integrity": "sha512-7maUZy1N7uo6+WVEX6psASxtNlKaNVMlGQKkG/63nEDdLOWNbiUMoLK7X4uYoLhQstau72mLgfEWcXcwsaHbYQ==",
"version": "2.8.1",
"resolved": "https://registry.npmjs.org/socks/-/socks-2.8.1.tgz",
"integrity": "sha512-B6w7tkwNid7ToxjZ08rQMT8M9BJAf8DKx8Ft4NivzH0zBUfd6jldGcisJn/RLgxcX3FPNDdNQCUEMMT79b+oCQ==",
"dependencies": {
"ip": "^2.0.0",
"ip-address": "^9.0.5",
"smart-buffer": "^4.2.0"
},
"engines": {
"node": ">= 10.13.0",
"node": ">= 10.0.0",
"npm": ">= 3.0.0"
}
},
@ -1430,6 +1535,11 @@
"memory-pager": "^1.0.2"
}
},
"node_modules/sprintf-js": {
"version": "1.1.3",
"resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.1.3.tgz",
"integrity": "sha512-Oo+0REFV59/rz3gfJNKQiBlwfHaSESl1pcGyABQsnnIfWOFt6JNj5gCog2U6MLZ//IGYD+nA8nI+mTShREReaA=="
},
"node_modules/statuses": {
"version": "2.0.1",
"resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz",
@ -1554,6 +1664,11 @@
"resolved": "https://registry.npmjs.org/underscore/-/underscore-1.13.6.tgz",
"integrity": "sha512-+A5Sja4HP1M08MaXya7p5LvjuM7K6q/2EaC0+iovj/wOcMsTzMvDFbasi/oSapiwOlt252IqsKqPjCl7huKS0A=="
},
"node_modules/undici-types": {
"version": "5.26.5",
"resolved": "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz",
"integrity": "sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA=="
},
"node_modules/unpipe": {
"version": "1.0.0",
"resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz",

437
node_modules/@types/node/package.json generated vendored
View File

@ -1,218 +1,229 @@
{
"_from": "@types/node@*",
"_id": "@types/node@20.11.24",
"_inBundle": false,
"_integrity": "sha512-Kza43ewS3xoLgCEpQrsT+xRo/EJej1y0kVYGiLFE1NEODXGzTfwiC6tXTLMQskn1X4/Rjlh0MQUvx9W+L9long==",
"_location": "/@types/node",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "@types/node@*",
"name": "@types/node",
"escapedName": "@types%2fnode",
"scope": "@types",
"rawSpec": "*",
"saveSpec": null,
"fetchSpec": "*"
},
"_requiredBy": [
"/@types/whatwg-url"
],
"_resolved": "https://registry.npmjs.org/@types/node/-/node-20.11.24.tgz",
"_shasum": "cc207511104694e84e9fb17f9a0c4c42d4517792",
"_spec": "@types/node@*",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/@types/whatwg-url",
"bugs": {
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Microsoft TypeScript",
"url": "https://github.com/Microsoft"
"version": "20.11.24",
"description": "TypeScript definitions for node",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node",
"license": "MIT",
"contributors": [
{
"name": "Microsoft TypeScript",
"githubUsername": "Microsoft",
"url": "https://github.com/Microsoft"
},
{
"name": "Alberto Schiabel",
"githubUsername": "jkomyno",
"url": "https://github.com/jkomyno"
},
{
"name": "Alvis HT Tang",
"githubUsername": "alvis",
"url": "https://github.com/alvis"
},
{
"name": "Andrew Makarov",
"githubUsername": "r3nya",
"url": "https://github.com/r3nya"
},
{
"name": "Benjamin Toueg",
"githubUsername": "btoueg",
"url": "https://github.com/btoueg"
},
{
"name": "Chigozirim C.",
"githubUsername": "smac89",
"url": "https://github.com/smac89"
},
{
"name": "David Junger",
"githubUsername": "touffy",
"url": "https://github.com/touffy"
},
{
"name": "Deividas Bakanas",
"githubUsername": "DeividasBakanas",
"url": "https://github.com/DeividasBakanas"
},
{
"name": "Eugene Y. Q. Shen",
"githubUsername": "eyqs",
"url": "https://github.com/eyqs"
},
{
"name": "Hannes Magnusson",
"githubUsername": "Hannes-Magnusson-CK",
"url": "https://github.com/Hannes-Magnusson-CK"
},
{
"name": "Huw",
"githubUsername": "hoo29",
"url": "https://github.com/hoo29"
},
{
"name": "Kelvin Jin",
"githubUsername": "kjin",
"url": "https://github.com/kjin"
},
{
"name": "Klaus Meinhardt",
"githubUsername": "ajafff",
"url": "https://github.com/ajafff"
},
{
"name": "Lishude",
"githubUsername": "islishude",
"url": "https://github.com/islishude"
},
{
"name": "Mariusz Wiktorczyk",
"githubUsername": "mwiktorczyk",
"url": "https://github.com/mwiktorczyk"
},
{
"name": "Mohsen Azimi",
"githubUsername": "mohsen1",
"url": "https://github.com/mohsen1"
},
{
"name": "Nicolas Even",
"githubUsername": "n-e",
"url": "https://github.com/n-e"
},
{
"name": "Nikita Galkin",
"githubUsername": "galkin",
"url": "https://github.com/galkin"
},
{
"name": "Parambir Singh",
"githubUsername": "parambirs",
"url": "https://github.com/parambirs"
},
{
"name": "Sebastian Silbermann",
"githubUsername": "eps1lon",
"url": "https://github.com/eps1lon"
},
{
"name": "Thomas den Hollander",
"githubUsername": "ThomasdenH",
"url": "https://github.com/ThomasdenH"
},
{
"name": "Wilco Bakker",
"githubUsername": "WilcoBakker",
"url": "https://github.com/WilcoBakker"
},
{
"name": "wwwy3y3",
"githubUsername": "wwwy3y3",
"url": "https://github.com/wwwy3y3"
},
{
"name": "Samuel Ainsworth",
"githubUsername": "samuela",
"url": "https://github.com/samuela"
},
{
"name": "Kyle Uehlein",
"githubUsername": "kuehlein",
"url": "https://github.com/kuehlein"
},
{
"name": "Thanik Bhongbhibhat",
"githubUsername": "bhongy",
"url": "https://github.com/bhongy"
},
{
"name": "Marcin Kopacz",
"githubUsername": "chyzwar",
"url": "https://github.com/chyzwar"
},
{
"name": "Trivikram Kamat",
"githubUsername": "trivikr",
"url": "https://github.com/trivikr"
},
{
"name": "Junxiao Shi",
"githubUsername": "yoursunny",
"url": "https://github.com/yoursunny"
},
{
"name": "Ilia Baryshnikov",
"githubUsername": "qwelias",
"url": "https://github.com/qwelias"
},
{
"name": "ExE Boss",
"githubUsername": "ExE-Boss",
"url": "https://github.com/ExE-Boss"
},
{
"name": "Piotr Błażejewicz",
"githubUsername": "peterblazejewicz",
"url": "https://github.com/peterblazejewicz"
},
{
"name": "Anna Henningsen",
"githubUsername": "addaleax",
"url": "https://github.com/addaleax"
},
{
"name": "Victor Perin",
"githubUsername": "victorperin",
"url": "https://github.com/victorperin"
},
{
"name": "Yongsheng Zhang",
"githubUsername": "ZYSzys",
"url": "https://github.com/ZYSzys"
},
{
"name": "NodeJS Contributors",
"githubUsername": "NodeJS",
"url": "https://github.com/NodeJS"
},
{
"name": "Linus Unnebäck",
"githubUsername": "LinusU",
"url": "https://github.com/LinusU"
},
{
"name": "wafuwafu13",
"githubUsername": "wafuwafu13",
"url": "https://github.com/wafuwafu13"
},
{
"name": "Matteo Collina",
"githubUsername": "mcollina",
"url": "https://github.com/mcollina"
},
{
"name": "Dmitry Semigradsky",
"githubUsername": "Semigradsky",
"url": "https://github.com/Semigradsky"
}
],
"main": "",
"types": "index.d.ts",
"typesVersions": {
"<=4.8": {
"*": [
"ts4.8/*"
]
}
},
{
"name": "Alberto Schiabel",
"url": "https://github.com/jkomyno"
"repository": {
"type": "git",
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/node"
},
{
"name": "Alvis HT Tang",
"url": "https://github.com/alvis"
"scripts": {},
"dependencies": {
"undici-types": "~5.26.4"
},
{
"name": "Andrew Makarov",
"url": "https://github.com/r3nya"
},
{
"name": "Benjamin Toueg",
"url": "https://github.com/btoueg"
},
{
"name": "Chigozirim C.",
"url": "https://github.com/smac89"
},
{
"name": "David Junger",
"url": "https://github.com/touffy"
},
{
"name": "Deividas Bakanas",
"url": "https://github.com/DeividasBakanas"
},
{
"name": "Eugene Y. Q. Shen",
"url": "https://github.com/eyqs"
},
{
"name": "Hannes Magnusson",
"url": "https://github.com/Hannes-Magnusson-CK"
},
{
"name": "Huw",
"url": "https://github.com/hoo29"
},
{
"name": "Kelvin Jin",
"url": "https://github.com/kjin"
},
{
"name": "Klaus Meinhardt",
"url": "https://github.com/ajafff"
},
{
"name": "Lishude",
"url": "https://github.com/islishude"
},
{
"name": "Mariusz Wiktorczyk",
"url": "https://github.com/mwiktorczyk"
},
{
"name": "Mohsen Azimi",
"url": "https://github.com/mohsen1"
},
{
"name": "Nicolas Even",
"url": "https://github.com/n-e"
},
{
"name": "Nikita Galkin",
"url": "https://github.com/galkin"
},
{
"name": "Parambir Singh",
"url": "https://github.com/parambirs"
},
{
"name": "Sebastian Silbermann",
"url": "https://github.com/eps1lon"
},
{
"name": "Thomas den Hollander",
"url": "https://github.com/ThomasdenH"
},
{
"name": "Wilco Bakker",
"url": "https://github.com/WilcoBakker"
},
{
"name": "wwwy3y3",
"url": "https://github.com/wwwy3y3"
},
{
"name": "Samuel Ainsworth",
"url": "https://github.com/samuela"
},
{
"name": "Kyle Uehlein",
"url": "https://github.com/kuehlein"
},
{
"name": "Thanik Bhongbhibhat",
"url": "https://github.com/bhongy"
},
{
"name": "Marcin Kopacz",
"url": "https://github.com/chyzwar"
},
{
"name": "Trivikram Kamat",
"url": "https://github.com/trivikr"
},
{
"name": "Junxiao Shi",
"url": "https://github.com/yoursunny"
},
{
"name": "Ilia Baryshnikov",
"url": "https://github.com/qwelias"
},
{
"name": "ExE Boss",
"url": "https://github.com/ExE-Boss"
},
{
"name": "Piotr Błażejewicz",
"url": "https://github.com/peterblazejewicz"
},
{
"name": "Anna Henningsen",
"url": "https://github.com/addaleax"
},
{
"name": "Victor Perin",
"url": "https://github.com/victorperin"
},
{
"name": "Yongsheng Zhang",
"url": "https://github.com/ZYSzys"
},
{
"name": "NodeJS Contributors",
"url": "https://github.com/NodeJS"
},
{
"name": "Linus Unnebäck",
"url": "https://github.com/LinusU"
},
{
"name": "wafuwafu13",
"url": "https://github.com/wafuwafu13"
},
{
"name": "Matteo Collina",
"url": "https://github.com/mcollina"
},
{
"name": "Dmitry Semigradsky",
"url": "https://github.com/Semigradsky"
}
],
"dependencies": {
"undici-types": "~5.26.4"
},
"deprecated": false,
"description": "TypeScript definitions for node",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node",
"license": "MIT",
"main": "",
"name": "@types/node",
"repository": {
"type": "git",
"url": "git+https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/node"
},
"scripts": {},
"typeScriptVersion": "4.6",
"types": "index.d.ts",
"typesPublisherContentHash": "ef6079276e2a7ef8ab1a543aece8e392f30de6dea7ef6fca909969095e46f4b8",
"typesVersions": {
"<=4.8": {
"*": [
"ts4.8/*"
]
}
},
"version": "20.11.24"
}
"typesPublisherContentHash": "ef6079276e2a7ef8ab1a543aece8e392f30de6dea7ef6fca909969095e46f4b8",
"typeScriptVersion": "4.6"
}

View File

@ -1,57 +1,30 @@
{
"_from": "@types/webidl-conversions@*",
"_id": "@types/webidl-conversions@7.0.3",
"_inBundle": false,
"_integrity": "sha512-CiJJvcRtIgzadHCYXw7dqEnMNRjhGZlYK05Mj9OyktqV8uVT8fD2BFOB7S1uwBE3Kj2Z+4UyPmFw/Ixgw/LAlA==",
"_location": "/@types/webidl-conversions",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "@types/webidl-conversions@*",
"name": "@types/webidl-conversions",
"escapedName": "@types%2fwebidl-conversions",
"scope": "@types",
"rawSpec": "*",
"saveSpec": null,
"fetchSpec": "*"
},
"_requiredBy": [
"/@types/whatwg-url"
],
"_resolved": "https://registry.npmjs.org/@types/webidl-conversions/-/webidl-conversions-7.0.3.tgz",
"_shasum": "1306dbfa53768bcbcfc95a1c8cde367975581859",
"_spec": "@types/webidl-conversions@*",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/@types/whatwg-url",
"bugs": {
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "ExE Boss",
"url": "https://github.com/ExE-Boss"
"version": "7.0.3",
"description": "TypeScript definitions for webidl-conversions",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/webidl-conversions",
"license": "MIT",
"contributors": [
{
"name": "ExE Boss",
"githubUsername": "ExE-Boss",
"url": "https://github.com/ExE-Boss"
},
{
"name": "BendingBender",
"githubUsername": "BendingBender",
"url": "https://github.com/BendingBender"
}
],
"main": "",
"types": "index.d.ts",
"repository": {
"type": "git",
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/webidl-conversions"
},
{
"name": "BendingBender",
"url": "https://github.com/BendingBender"
}
],
"dependencies": {},
"deprecated": false,
"description": "TypeScript definitions for webidl-conversions",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/webidl-conversions",
"license": "MIT",
"main": "",
"name": "@types/webidl-conversions",
"repository": {
"type": "git",
"url": "git+https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/webidl-conversions"
},
"scripts": {},
"typeScriptVersion": "4.5",
"types": "index.d.ts",
"typesPublisherContentHash": "ff1514e10869784e8b7cca9c4099a4213d3f14b48c198b1bf116300df94bf608",
"version": "7.0.3"
}
"scripts": {},
"dependencies": {},
"typesPublisherContentHash": "ff1514e10869784e8b7cca9c4099a4213d3f14b48c198b1bf116300df94bf608",
"typeScriptVersion": "4.5"
}

View File

@ -1,60 +1,33 @@
{
"_from": "@types/whatwg-url@^8.2.1",
"_id": "@types/whatwg-url@8.2.2",
"_inBundle": false,
"_integrity": "sha512-FtQu10RWgn3D9U4aazdwIE2yzphmTJREDqNdODHrbrZmmMqI0vMheC/6NE/J1Yveaj8H+ela+YwWTjq5PGmuhA==",
"_location": "/@types/whatwg-url",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "@types/whatwg-url@^8.2.1",
"name": "@types/whatwg-url",
"escapedName": "@types%2fwhatwg-url",
"scope": "@types",
"rawSpec": "^8.2.1",
"saveSpec": null,
"fetchSpec": "^8.2.1"
},
"_requiredBy": [
"/mongodb-connection-string-url"
],
"_resolved": "https://registry.npmjs.org/@types/whatwg-url/-/whatwg-url-8.2.2.tgz",
"_shasum": "749d5b3873e845897ada99be4448041d4cc39e63",
"_spec": "@types/whatwg-url@^8.2.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/mongodb-connection-string-url",
"bugs": {
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Alexander Marks",
"url": "https://github.com/aomarks"
"version": "8.2.2",
"description": "TypeScript definitions for whatwg-url",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/whatwg-url",
"license": "MIT",
"contributors": [
{
"name": "Alexander Marks",
"url": "https://github.com/aomarks",
"githubUsername": "aomarks"
},
{
"name": "ExE Boss",
"url": "https://github.com/ExE-Boss",
"githubUsername": "ExE-Boss"
}
],
"main": "",
"types": "index.d.ts",
"repository": {
"type": "git",
"url": "https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/whatwg-url"
},
{
"name": "ExE Boss",
"url": "https://github.com/ExE-Boss"
}
],
"dependencies": {
"@types/node": "*",
"@types/webidl-conversions": "*"
},
"deprecated": false,
"description": "TypeScript definitions for whatwg-url",
"homepage": "https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/whatwg-url",
"license": "MIT",
"main": "",
"name": "@types/whatwg-url",
"repository": {
"type": "git",
"url": "git+https://github.com/DefinitelyTyped/DefinitelyTyped.git",
"directory": "types/whatwg-url"
},
"scripts": {},
"typeScriptVersion": "4.0",
"types": "index.d.ts",
"typesPublisherContentHash": "ea85d67c501583ff421cfbf206fafac0410c464edef169a6d88e06ecfe226dfc",
"version": "8.2.2"
}
"scripts": {},
"dependencies": {
"@types/node": "*",
"@types/webidl-conversions": "*"
},
"typesPublisherContentHash": "ea85d67c501583ff421cfbf206fafac0410c464edef169a6d88e06ecfe226dfc",
"typeScriptVersion": "4.0"
}

61
node_modules/abbrev/package.json generated vendored
View File

@ -1,56 +1,21 @@
{
"_from": "abbrev@1",
"_id": "abbrev@1.1.1",
"_inBundle": false,
"_integrity": "sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==",
"_location": "/abbrev",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "abbrev@1",
"name": "abbrev",
"escapedName": "abbrev",
"rawSpec": "1",
"saveSpec": null,
"fetchSpec": "1"
},
"_requiredBy": [
"/nopt"
],
"_resolved": "https://registry.npmjs.org/abbrev/-/abbrev-1.1.1.tgz",
"_shasum": "f8f2c887ad10bf67f634f005b6987fed3179aac8",
"_spec": "abbrev@1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/nopt",
"author": {
"name": "Isaac Z. Schlueter",
"email": "i@izs.me"
},
"bugs": {
"url": "https://github.com/isaacs/abbrev-js/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "abbrev",
"version": "1.1.1",
"description": "Like ruby's abbrev module, but in js",
"author": "Isaac Z. Schlueter <i@izs.me>",
"main": "abbrev.js",
"scripts": {
"test": "tap test.js --100",
"preversion": "npm test",
"postversion": "npm publish",
"postpublish": "git push origin --all; git push origin --tags"
},
"repository": "http://github.com/isaacs/abbrev-js",
"license": "ISC",
"devDependencies": {
"tap": "^10.1"
},
"files": [
"abbrev.js"
],
"homepage": "https://github.com/isaacs/abbrev-js#readme",
"license": "ISC",
"main": "abbrev.js",
"name": "abbrev",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/isaacs/abbrev-js.git"
},
"scripts": {
"postpublish": "git push origin --all; git push origin --tags",
"postversion": "npm publish",
"preversion": "npm test",
"test": "tap test.js --100"
},
"version": "1.1.1"
]
}

69
node_modules/accepts/package.json generated vendored
View File

@ -1,48 +1,17 @@
{
"_from": "accepts@~1.3.8",
"_id": "accepts@1.3.8",
"_inBundle": false,
"_integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==",
"_location": "/accepts",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "accepts@~1.3.8",
"name": "accepts",
"escapedName": "accepts",
"rawSpec": "~1.3.8",
"saveSpec": null,
"fetchSpec": "~1.3.8"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz",
"_shasum": "0bf0be125b67014adcb0b0921e62db7bffe16b2e",
"_spec": "accepts@~1.3.8",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"bugs": {
"url": "https://github.com/jshttp/accepts/issues"
},
"bundleDependencies": false,
"name": "accepts",
"description": "Higher-level content negotiation",
"version": "1.3.8",
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)"
],
"license": "MIT",
"repository": "jshttp/accepts",
"dependencies": {
"mime-types": "~2.1.34",
"negotiator": "0.6.3"
},
"deprecated": false,
"description": "Higher-level content negotiation",
"devDependencies": {
"deep-equal": "1.0.1",
"eslint": "7.32.0",
@ -55,26 +24,13 @@
"mocha": "9.2.0",
"nyc": "15.1.0"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"LICENSE",
"HISTORY.md",
"index.js"
],
"homepage": "https://github.com/jshttp/accepts#readme",
"keywords": [
"content",
"negotiation",
"accept",
"accepts"
],
"license": "MIT",
"name": "accepts",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/accepts.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"lint": "eslint .",
@ -82,5 +38,10 @@
"test-ci": "nyc --reporter=lcov --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "1.3.8"
"keywords": [
"content",
"negotiation",
"accept",
"accepts"
]
}

View File

@ -1,65 +1,8 @@
{
"_from": "afinn-165-financialmarketnews@^3.0.0",
"_id": "afinn-165-financialmarketnews@3.0.0",
"_inBundle": false,
"_integrity": "sha512-0g9A1S3ZomFIGDTzZ0t6xmv4AuokBvBmpes8htiyHpH7N4xDmvSQL6UxL/Zcs2ypRb3VwgCscaD8Q3zEawKYhw==",
"_location": "/afinn-165-financialmarketnews",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "afinn-165-financialmarketnews@^3.0.0",
"name": "afinn-165-financialmarketnews",
"escapedName": "afinn-165-financialmarketnews",
"rawSpec": "^3.0.0",
"saveSpec": null,
"fetchSpec": "^3.0.0"
},
"_requiredBy": [
"/natural"
],
"_resolved": "https://registry.npmjs.org/afinn-165-financialmarketnews/-/afinn-165-financialmarketnews-3.0.0.tgz",
"_shasum": "cf422577775bf94f9bc156f3f001a1f29338c3d8",
"_spec": "afinn-165-financialmarketnews@^3.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/natural",
"author": {
"name": "Ryan O'Day",
"email": "romanguy722@gmail.com"
},
"bugs": {
"url": "https://github.com/words/afinn-165/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Ryan O'Day",
"email": "romanguy722@gmail.com"
},
{
"name": "Titus Wormer",
"email": "tituswormer@gmail.com",
"url": "https://wooorm.com"
}
],
"deprecated": false,
"name": "afinn-165-financialmarketnews",
"version": "3.0.0",
"description": "AFINN 165 (list of English words rated for valence) in JSON with added words and modifications for financial market news",
"devDependencies": {
"@types/d3-dsv": "^3.0.0",
"@types/node": "^18.0.0",
"c8": "^7.0.0",
"d3-dsv": "^3.0.0",
"node-fetch": "^3.0.0",
"typescript": "^4.0.0"
},
"files": [
"index.d.ts",
"index.js"
],
"funding": {
"type": "github",
"url": "https://github.com/sponsors/wooorm"
},
"homepage": "https://github.com/theryan722/afinn-165-financialmarketnews#readme",
"license": "MIT",
"keywords": [
"anew",
"afinn",
@ -72,19 +15,35 @@
"text",
"microblogs"
],
"license": "MIT",
"repository": "theryan722/afinn-165-financialmarketnews",
"bugs": "https://github.com/words/afinn-165/issues",
"funding": {
"type": "github",
"url": "https://github.com/sponsors/wooorm"
},
"author": "Ryan O'Day <romanguy722@gmail.com>",
"contributors": [
"Ryan O'Day <romanguy722@gmail.com>",
"Titus Wormer <tituswormer@gmail.com> (https://wooorm.com)"
],
"sideEffects": false,
"main": "index.js",
"name": "afinn-165-financialmarketnews",
"repository": {
"type": "git",
"url": "git+https://github.com/theryan722/afinn-165-financialmarketnews.git"
"types": "index.d.ts",
"files": [
"index.d.ts",
"index.js"
],
"devDependencies": {
"@types/d3-dsv": "^3.0.0",
"@types/node": "^18.0.0",
"c8": "^7.0.0",
"d3-dsv": "^3.0.0",
"node-fetch": "^3.0.0",
"typescript": "^4.0.0"
},
"scripts": {
"build": "tsc --build --clean && tsc --build && type-coverage",
"prepack": "npm run build",
"generate": "node build.js",
"prepack": "npm run build"
},
"sideEffects": false,
"types": "index.d.ts",
"version": "3.0.0"
"build": "tsc --build --clean && tsc --build && type-coverage"
}
}

117
node_modules/afinn-165/package.json generated vendored
View File

@ -1,46 +1,35 @@
{
"_from": "afinn-165@^1.0.2",
"_id": "afinn-165@1.0.4",
"_inBundle": false,
"_integrity": "sha512-7+Wlx3BImrK0HiG6y3lU4xX7SpBPSSu8T9iguPMlaueRFxjbYwAQrp9lqZUuFikqKbd/en8lVREILvP2J80uJA==",
"_location": "/afinn-165",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "afinn-165@^1.0.2",
"name": "afinn-165",
"escapedName": "afinn-165",
"rawSpec": "^1.0.2",
"saveSpec": null,
"fetchSpec": "^1.0.2"
},
"_requiredBy": [
"/natural"
"name": "afinn-165",
"version": "1.0.4",
"description": "AFINN 165 (list of English words rated for valence) in JSON",
"license": "MIT",
"keywords": [
"anew",
"afinn",
"word",
"list",
"sentiment",
"analysis",
"opinion",
"mining",
"text",
"microblogs"
],
"_resolved": "https://registry.npmjs.org/afinn-165/-/afinn-165-1.0.4.tgz",
"_shasum": "3abf6b8922dd5db84d84e0abd155924381dd73a4",
"_spec": "afinn-165@^1.0.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/natural",
"author": {
"name": "Titus Wormer",
"email": "tituswormer@gmail.com",
"url": "https://wooorm.com"
"repository": "words/afinn-165",
"bugs": "https://github.com/words/afinn-165/issues",
"funding": {
"type": "github",
"url": "https://github.com/sponsors/wooorm"
},
"bugs": {
"url": "https://github.com/words/afinn-165/issues"
},
"bundleDependencies": false,
"author": "Titus Wormer <tituswormer@gmail.com> (https://wooorm.com)",
"contributors": [
{
"name": "Titus Wormer",
"email": "tituswormer@gmail.com",
"url": "https://wooorm.com"
}
"Titus Wormer <tituswormer@gmail.com> (https://wooorm.com)"
],
"main": "index.json",
"files": [
"index.json"
],
"dependencies": {},
"deprecated": false,
"description": "AFINN 165 (list of English words rated for valence) in JSON",
"devDependencies": {
"bail": "^1.0.0",
"browserify": "^16.0.0",
@ -55,29 +44,15 @@
"wrap-stream": "^2.0.0",
"xo": "^0.25.0"
},
"files": [
"index.json"
],
"funding": {
"type": "github",
"url": "https://github.com/sponsors/wooorm"
"scripts": {
"generate": "node build",
"format": "remark . -qfo && prettier --write \"**/*.js\" && xo --fix",
"build-bundle": "browserify index.json -s afinn165 -o afinn-165.js",
"build-mangle": "browserify index.json -s afinn165 -p tinyify -o afinn-165.min.js",
"build": "npm run build-bundle && npm run build-mangle",
"test-api": "node test",
"test": "npm run format && npm run build && npm run test-api"
},
"homepage": "https://github.com/words/afinn-165#readme",
"keywords": [
"anew",
"afinn",
"word",
"list",
"sentiment",
"analysis",
"opinion",
"mining",
"text",
"microblogs"
],
"license": "MIT",
"main": "index.json",
"name": "afinn-165",
"prettier": {
"tabWidth": 2,
"useTabs": false,
@ -86,30 +61,16 @@
"semi": false,
"trailingComma": "none"
},
"remarkConfig": {
"plugins": [
"preset-wooorm"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/words/afinn-165.git"
},
"scripts": {
"build": "npm run build-bundle && npm run build-mangle",
"build-bundle": "browserify index.json -s afinn165 -o afinn-165.js",
"build-mangle": "browserify index.json -s afinn165 -p tinyify -o afinn-165.min.js",
"format": "remark . -qfo && prettier --write \"**/*.js\" && xo --fix",
"generate": "node build",
"test": "npm run format && npm run build && npm run test-api",
"test-api": "node test"
},
"version": "1.0.4",
"xo": {
"prettier": true,
"esnext": false,
"ignores": [
"afinn-165.js"
]
},
"remarkConfig": {
"plugins": [
"preset-wooorm"
]
}
}

76
node_modules/anymatch/package.json generated vendored
View File

@ -1,53 +1,25 @@
{
"_from": "anymatch@~3.1.2",
"_id": "anymatch@3.1.3",
"_inBundle": false,
"_integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==",
"_location": "/anymatch",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "anymatch@~3.1.2",
"name": "anymatch",
"escapedName": "anymatch",
"rawSpec": "~3.1.2",
"saveSpec": null,
"fetchSpec": "~3.1.2"
},
"_requiredBy": [
"/chokidar"
],
"_resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz",
"_shasum": "790c58b19ba1720a84205b57c618d5ad8524973e",
"_spec": "anymatch@~3.1.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/chokidar",
"author": {
"name": "Elan Shanker",
"url": "https://github.com/es128"
},
"bugs": {
"url": "https://github.com/micromatch/anymatch/issues"
},
"bundleDependencies": false,
"dependencies": {
"normalize-path": "^3.0.0",
"picomatch": "^2.0.4"
},
"deprecated": false,
"name": "anymatch",
"version": "3.1.3",
"description": "Matches strings against configurable strings, globs, regular expressions, and/or functions",
"devDependencies": {
"mocha": "^6.1.3",
"nyc": "^14.0.0"
},
"engines": {
"node": ">= 8"
},
"files": [
"index.js",
"index.d.ts"
],
"dependencies": {
"normalize-path": "^3.0.0",
"picomatch": "^2.0.4"
},
"author": {
"name": "Elan Shanker",
"url": "https://github.com/es128"
},
"license": "ISC",
"homepage": "https://github.com/micromatch/anymatch",
"repository": {
"type": "git",
"url": "https://github.com/micromatch/anymatch"
},
"keywords": [
"match",
"any",
@ -62,15 +34,15 @@
"expression",
"function"
],
"license": "ISC",
"name": "anymatch",
"repository": {
"type": "git",
"url": "git+https://github.com/micromatch/anymatch.git"
},
"scripts": {
"mocha": "mocha",
"test": "nyc mocha"
"test": "nyc mocha",
"mocha": "mocha"
},
"version": "3.1.3"
"devDependencies": {
"mocha": "^6.1.3",
"nyc": "^14.0.0"
},
"engines": {
"node": ">= 8"
}
}

68
node_modules/apparatus/package.json generated vendored
View File

@ -1,47 +1,25 @@
{
"_from": "apparatus@^0.0.10",
"_id": "apparatus@0.0.10",
"_inBundle": false,
"_integrity": "sha512-KLy/ugo33KZA7nugtQ7O0E1c8kQ52N3IvD/XgIh4w/Nr28ypfkwDfA67F1ev4N1m5D+BOk1+b2dEJDfpj/VvZg==",
"_location": "/apparatus",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "apparatus@^0.0.10",
"name": "apparatus",
"escapedName": "apparatus",
"rawSpec": "^0.0.10",
"saveSpec": null,
"fetchSpec": "^0.0.10"
},
"_requiredBy": [
"/natural"
],
"_resolved": "https://registry.npmjs.org/apparatus/-/apparatus-0.0.10.tgz",
"_shasum": "81ea756772ada77863db54ceee8202c109bdca3e",
"_spec": "apparatus@^0.0.10",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/natural",
"author": {
"name": "Chris Umbel",
"email": "chris@chrisumbel.com"
},
"bugs": {
"url": "https://github.com/NaturalNode/apparatus/issues"
},
"bundleDependencies": false,
"dependencies": {
"sylvester": ">= 0.0.8"
},
"deprecated": false,
"name": "apparatus",
"description": "various machine learning routines for node",
"devDependencies": {
"jasmine-node": ">=1.0.26"
"version": "0.0.10",
"repository": {
"type": "git",
"url": "https://github.com/NaturalNode/apparatus"
},
"license": "MIT",
"engines": {
"node": ">=0.2.6"
},
"homepage": "https://github.com/NaturalNode/apparatus#readme",
"dependencies": {
"sylvester": ">= 0.0.8"
},
"devDependencies": {
"jasmine-node": ">=1.0.26"
},
"scripts": {
"test": "./node_modules/jasmine-node/bin/jasmine-node ."
},
"author": "Chris Umbel <chris@chrisumbel.com>",
"keywords": [
"machine",
"learning",
@ -53,22 +31,12 @@
"logistic",
"regression"
],
"license": "MIT",
"main": "./lib/apparatus/index.js",
"maintainers": [
{
"name": "Chris Umbel",
"email": "chris@chrisumbel.com",
"url": "http://www.chrisumbel.com"
"web": "http://www.chrisumbel.com"
}
],
"name": "apparatus",
"repository": {
"type": "git",
"url": "git+https://github.com/NaturalNode/apparatus.git"
},
"scripts": {
"test": "./node_modules/jasmine-node/bin/jasmine-node ."
},
"version": "0.0.10"
]
}

View File

@ -1,52 +1,19 @@
{
"_from": "append-field@^1.0.0",
"_id": "append-field@1.0.0",
"_inBundle": false,
"_integrity": "sha512-klpgFSWLW1ZEs8svjfb7g4qWY0YS5imI82dTg+QahUvJ8YqAY0P10Uk8tTyh9ZGuYEZEMaeJYCF5BFuX552hsw==",
"_location": "/append-field",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "append-field@^1.0.0",
"name": "append-field",
"escapedName": "append-field",
"rawSpec": "^1.0.0",
"saveSpec": null,
"fetchSpec": "^1.0.0"
},
"_requiredBy": [
"/multer"
],
"_resolved": "https://registry.npmjs.org/append-field/-/append-field-1.0.0.tgz",
"_shasum": "1e3440e915f0b1203d23748e78edd7b9b5b43e56",
"_spec": "append-field@^1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/multer",
"author": {
"name": "Linus Unnebäck",
"email": "linus@folkdatorn.se"
},
"bugs": {
"url": "https://github.com/LinusU/node-append-field/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "A [W3C HTML JSON forms spec](http://www.w3.org/TR/html-json-forms/) compliant field appender (for lack of a better name). Useful for people implementing `application/x-www-form-urlencoded` and `multipart/form-data` parsers.",
"name": "append-field",
"version": "1.0.0",
"license": "MIT",
"author": "Linus Unnebäck <linus@folkdatorn.se>",
"main": "index.js",
"devDependencies": {
"mocha": "^2.2.4",
"standard": "^6.0.5",
"testdata-w3c-json-form": "^0.2.0"
},
"homepage": "https://github.com/LinusU/node-append-field#readme",
"license": "MIT",
"main": "index.js",
"name": "append-field",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/LinusU/node-append-field.git"
},
"scripts": {
"test": "standard && mocha"
},
"version": "1.0.0"
"repository": {
"type": "git",
"url": "http://github.com/LinusU/node-append-field.git"
}
}

View File

@ -1,64 +1,39 @@
{
"_from": "array-flatten@1.1.1",
"_id": "array-flatten@1.1.1",
"_inBundle": false,
"_integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==",
"_location": "/array-flatten",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "array-flatten@1.1.1",
"name": "array-flatten",
"escapedName": "array-flatten",
"rawSpec": "1.1.1",
"saveSpec": null,
"fetchSpec": "1.1.1"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz",
"_shasum": "9a5f699051b1e7073328f2a008968b64ea2955d2",
"_spec": "array-flatten@1.1.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "Blake Embrey",
"email": "hello@blakeembrey.com",
"url": "http://blakeembrey.me"
},
"bugs": {
"url": "https://github.com/blakeembrey/array-flatten/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "array-flatten",
"version": "1.1.1",
"description": "Flatten an array of nested arrays into a single flat array",
"devDependencies": {
"istanbul": "^0.3.13",
"mocha": "^2.2.4",
"pre-commit": "^1.0.7",
"standard": "^3.7.3"
},
"main": "array-flatten.js",
"files": [
"array-flatten.js",
"LICENSE"
],
"homepage": "https://github.com/blakeembrey/array-flatten",
"scripts": {
"test": "istanbul cover _mocha -- -R spec"
},
"repository": {
"type": "git",
"url": "git://github.com/blakeembrey/array-flatten.git"
},
"keywords": [
"array",
"flatten",
"arguments",
"depth"
],
"author": {
"name": "Blake Embrey",
"email": "hello@blakeembrey.com",
"url": "http://blakeembrey.me"
},
"license": "MIT",
"main": "array-flatten.js",
"name": "array-flatten",
"repository": {
"type": "git",
"url": "git://github.com/blakeembrey/array-flatten.git"
"bugs": {
"url": "https://github.com/blakeembrey/array-flatten/issues"
},
"scripts": {
"test": "istanbul cover _mocha -- -R spec"
},
"version": "1.1.1"
"homepage": "https://github.com/blakeembrey/array-flatten",
"devDependencies": {
"istanbul": "^0.3.13",
"mocha": "^2.2.4",
"pre-commit": "^1.0.7",
"standard": "^3.7.3"
}
}

108
node_modules/asynckit/package.json generated vendored
View File

@ -1,38 +1,49 @@
{
"_from": "asynckit@^0.4.0",
"_id": "asynckit@0.4.0",
"_inBundle": false,
"_integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==",
"_location": "/asynckit",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "asynckit@^0.4.0",
"name": "asynckit",
"escapedName": "asynckit",
"rawSpec": "^0.4.0",
"saveSpec": null,
"fetchSpec": "^0.4.0"
"name": "asynckit",
"version": "0.4.0",
"description": "Minimal async jobs utility library, with streams support",
"main": "index.js",
"scripts": {
"clean": "rimraf coverage",
"lint": "eslint *.js lib/*.js test/*.js",
"test": "istanbul cover --reporter=json tape -- 'test/test-*.js' | tap-spec",
"win-test": "tape test/test-*.js",
"browser": "browserify -t browserify-istanbul test/lib/browserify_adjustment.js test/test-*.js | obake --coverage | tap-spec",
"report": "istanbul report",
"size": "browserify index.js | size-table asynckit",
"debug": "tape test/test-*.js"
},
"_requiredBy": [
"/form-data"
"pre-commit": [
"clean",
"lint",
"test",
"browser",
"report",
"size"
],
"_resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz",
"_shasum": "c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79",
"_spec": "asynckit@^0.4.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/form-data",
"author": {
"name": "Alex Indigo",
"email": "iam@alexindigo.com"
"repository": {
"type": "git",
"url": "git+https://github.com/alexindigo/asynckit.git"
},
"keywords": [
"async",
"jobs",
"parallel",
"serial",
"iterator",
"array",
"object",
"stream",
"destroy",
"terminate",
"abort"
],
"author": "Alex Indigo <iam@alexindigo.com>",
"license": "MIT",
"bugs": {
"url": "https://github.com/alexindigo/asynckit/issues"
},
"bundleDependencies": false,
"dependencies": {},
"deprecated": false,
"description": "Minimal async jobs utility library, with streams support",
"homepage": "https://github.com/alexindigo/asynckit#readme",
"devDependencies": {
"browserify": "^13.0.0",
"browserify-istanbul": "^2.0.0",
@ -48,44 +59,5 @@
"tap-spec": "^4.1.1",
"tape": "^4.5.1"
},
"homepage": "https://github.com/alexindigo/asynckit#readme",
"keywords": [
"async",
"jobs",
"parallel",
"serial",
"iterator",
"array",
"object",
"stream",
"destroy",
"terminate",
"abort"
],
"license": "MIT",
"main": "index.js",
"name": "asynckit",
"pre-commit": [
"clean",
"lint",
"test",
"browser",
"report",
"size"
],
"repository": {
"type": "git",
"url": "git+https://github.com/alexindigo/asynckit.git"
},
"scripts": {
"browser": "browserify -t browserify-istanbul test/lib/browserify_adjustment.js test/test-*.js | obake --coverage | tap-spec",
"clean": "rimraf coverage",
"debug": "tape test/test-*.js",
"lint": "eslint *.js lib/*.js test/*.js",
"report": "istanbul report",
"size": "browserify index.js | size-table asynckit",
"test": "istanbul cover --reporter=json tape -- 'test/test-*.js' | tap-spec",
"win-test": "tape test/test-*.js"
},
"version": "0.4.0"
"dependencies": {}
}

306
node_modules/axios/package.json generated vendored
View File

@ -1,118 +1,84 @@
{
"_from": "axios@1.6.7",
"_id": "axios@1.6.7",
"_inBundle": false,
"_integrity": "sha512-/hDJGff6/c7u0hDkvkGxR/oy6CbCs8ziCsC7SqmhjfozqiJGc8Z11wrv9z9lYfY4K8l+H9TpjcMDX0xOZmx+RA==",
"_location": "/axios",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "axios@1.6.7",
"name": "axios",
"escapedName": "axios",
"rawSpec": "1.6.7",
"saveSpec": null,
"fetchSpec": "1.6.7"
"name": "axios",
"version": "1.6.7",
"description": "Promise based HTTP client for the browser and node.js",
"main": "index.js",
"exports": {
".": {
"types": {
"require": "./index.d.cts",
"default": "./index.d.ts"
},
"browser": {
"require": "./dist/browser/axios.cjs",
"default": "./index.js"
},
"default": {
"require": "./dist/node/axios.cjs",
"default": "./index.js"
}
},
"./lib/adapters/http.js": "./lib/adapters/http.js",
"./lib/adapters/xhr.js": "./lib/adapters/xhr.js",
"./unsafe/*": "./lib/*",
"./unsafe/core/settle.js": "./lib/core/settle.js",
"./unsafe/core/buildFullPath.js": "./lib/core/buildFullPath.js",
"./unsafe/helpers/isAbsoluteURL.js": "./lib/helpers/isAbsoluteURL.js",
"./unsafe/helpers/buildURL.js": "./lib/helpers/buildURL.js",
"./unsafe/helpers/combineURLs.js": "./lib/helpers/combineURLs.js",
"./unsafe/adapters/http.js": "./lib/adapters/http.js",
"./unsafe/adapters/xhr.js": "./lib/adapters/xhr.js",
"./unsafe/utils.js": "./lib/utils.js",
"./package.json": "./package.json"
},
"_requiredBy": [
"/"
"type": "module",
"types": "index.d.ts",
"scripts": {
"test": "npm run test:eslint && npm run test:mocha && npm run test:karma && npm run test:dtslint && npm run test:exports",
"test:eslint": "node bin/ssl_hotfix.js eslint lib/**/*.js",
"test:dtslint": "dtslint --localTs node_modules/typescript/lib",
"test:mocha": "node bin/ssl_hotfix.js mocha test/unit/**/*.js --timeout 30000 --exit",
"test:exports": "node bin/ssl_hotfix.js mocha test/module/test.js --timeout 30000 --exit",
"test:karma": "node bin/ssl_hotfix.js cross-env LISTEN_ADDR=:: karma start karma.conf.cjs --single-run",
"test:karma:firefox": "node bin/ssl_hotfix.js cross-env LISTEN_ADDR=:: Browsers=Firefox karma start karma.conf.cjs --single-run",
"test:karma:server": "node bin/ssl_hotfix.js cross-env karma start karma.conf.cjs",
"test:build:version": "node ./bin/check-build-version.js",
"start": "node ./sandbox/server.js",
"preversion": "gulp version",
"version": "npm run build && git add dist && git add package.json",
"prepublishOnly": "npm run test:build:version",
"postpublish": "git push && git push --tags",
"build": "gulp clear && cross-env NODE_ENV=production rollup -c -m",
"examples": "node ./examples/server.js",
"coveralls": "cat coverage/lcov.info | ./node_modules/coveralls/bin/coveralls.js",
"fix": "eslint --fix lib/**/*.js",
"prepare": "husky install && npm run prepare:hooks",
"prepare:hooks": "npx husky set .husky/commit-msg \"npx commitlint --edit $1\"",
"release:dry": "release-it --dry-run --no-npm",
"release:info": "release-it --release-version",
"release:beta:no-npm": "release-it --preRelease=beta --no-npm",
"release:beta": "release-it --preRelease=beta",
"release:no-npm": "release-it --no-npm",
"release:changelog:fix": "node ./bin/injectContributorsList.js && git add CHANGELOG.md",
"release": "release-it"
},
"repository": {
"type": "git",
"url": "https://github.com/axios/axios.git"
},
"keywords": [
"xhr",
"http",
"ajax",
"promise",
"node"
],
"_resolved": "https://registry.npmjs.org/axios/-/axios-1.6.7.tgz",
"_shasum": "7b48c2e27c96f9c68a2f8f31e2ab19f59b06b0a7",
"_spec": "axios@1.6.7",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"author": {
"name": "Matt Zabriskie"
},
"browser": {
"./lib/adapters/http.js": "./lib/helpers/null.js",
"./lib/platform/node/index.js": "./lib/platform/browser/index.js",
"./lib/platform/node/classes/FormData.js": "./lib/helpers/null.js"
},
"author": "Matt Zabriskie",
"license": "MIT",
"bugs": {
"url": "https://github.com/axios/axios/issues"
},
"bundleDependencies": false,
"bundlesize": [
{
"path": "./dist/axios.min.js",
"threshold": "5kB"
}
],
"commitlint": {
"rules": {
"header-max-length": [
2,
"always",
130
]
},
"extends": [
"@commitlint/config-conventional"
]
},
"contributors": [
{
"name": "Matt Zabriskie",
"url": "https://github.com/mzabriskie"
},
{
"name": "Nick Uraltsev",
"url": "https://github.com/nickuraltsev"
},
{
"name": "Jay",
"url": "https://github.com/jasonsaayman"
},
{
"name": "Dmitriy Mozgovoy",
"url": "https://github.com/DigitalBrainJS"
},
{
"name": "Emily Morehouse",
"url": "https://github.com/emilyemorehouse"
},
{
"name": "Rubén Norte",
"url": "https://github.com/rubennorte"
},
{
"name": "Justin Beckwith",
"url": "https://github.com/JustinBeckwith"
},
{
"name": "Martti Laine",
"url": "https://github.com/codeclown"
},
{
"name": "Xianming Zhong",
"url": "https://github.com/chinesedfan"
},
{
"name": "Rikki Gibson",
"url": "https://github.com/RikkiGibson"
},
{
"name": "Remco Haszing",
"url": "https://github.com/remcohaszing"
},
{
"name": "Yasu Flores",
"url": "https://github.com/yasuf"
},
{
"name": "Ben Carp",
"url": "https://github.com/carpben"
}
],
"dependencies": {
"follow-redirects": "^1.15.4",
"form-data": "^4.0.0",
"proxy-from-env": "^1.1.0"
},
"deprecated": false,
"description": "Promise based HTTP client for the browser and node.js",
"homepage": "https://axios-http.com",
"devDependencies": {
"@babel/core": "^7.18.2",
"@babel/preset-env": "^7.18.2",
@ -171,46 +137,41 @@
"terser-webpack-plugin": "^4.2.3",
"typescript": "^4.8.4"
},
"exports": {
".": {
"types": {
"require": "./index.d.cts",
"default": "./index.d.ts"
},
"browser": {
"require": "./dist/browser/axios.cjs",
"default": "./index.js"
},
"default": {
"require": "./dist/node/axios.cjs",
"default": "./index.js"
}
},
"./lib/adapters/http.js": "./lib/adapters/http.js",
"./lib/adapters/xhr.js": "./lib/adapters/xhr.js",
"./unsafe/*": "./lib/*",
"./unsafe/core/settle.js": "./lib/core/settle.js",
"./unsafe/core/buildFullPath.js": "./lib/core/buildFullPath.js",
"./unsafe/helpers/isAbsoluteURL.js": "./lib/helpers/isAbsoluteURL.js",
"./unsafe/helpers/buildURL.js": "./lib/helpers/buildURL.js",
"./unsafe/helpers/combineURLs.js": "./lib/helpers/combineURLs.js",
"./unsafe/adapters/http.js": "./lib/adapters/http.js",
"./unsafe/adapters/xhr.js": "./lib/adapters/xhr.js",
"./unsafe/utils.js": "./lib/utils.js",
"./package.json": "./package.json"
"browser": {
"./lib/adapters/http.js": "./lib/helpers/null.js",
"./lib/platform/node/index.js": "./lib/platform/browser/index.js",
"./lib/platform/node/classes/FormData.js": "./lib/helpers/null.js"
},
"homepage": "https://axios-http.com",
"jsdelivr": "dist/axios.min.js",
"keywords": [
"xhr",
"http",
"ajax",
"promise",
"node"
"unpkg": "dist/axios.min.js",
"typings": "./index.d.ts",
"dependencies": {
"follow-redirects": "^1.15.4",
"form-data": "^4.0.0",
"proxy-from-env": "^1.1.0"
},
"bundlesize": [
{
"path": "./dist/axios.min.js",
"threshold": "5kB"
}
],
"license": "MIT",
"main": "index.js",
"name": "axios",
"contributors": [
"Matt Zabriskie (https://github.com/mzabriskie)",
"Nick Uraltsev (https://github.com/nickuraltsev)",
"Jay (https://github.com/jasonsaayman)",
"Dmitriy Mozgovoy (https://github.com/DigitalBrainJS)",
"Emily Morehouse (https://github.com/emilyemorehouse)",
"Rubén Norte (https://github.com/rubennorte)",
"Justin Beckwith (https://github.com/JustinBeckwith)",
"Martti Laine (https://github.com/codeclown)",
"Xianming Zhong (https://github.com/chinesedfan)",
"Rikki Gibson (https://github.com/RikkiGibson)",
"Remco Haszing (https://github.com/remcohaszing)",
"Yasu Flores (https://github.com/yasuf)",
"Ben Carp (https://github.com/carpben)"
],
"sideEffects": false,
"release-it": {
"git": {
"commitMessage": "chore(release): v${version}",
@ -242,43 +203,16 @@
"after:release": "echo Successfully released ${name} v${version} to ${repo.repository}."
}
},
"repository": {
"type": "git",
"url": "git+https://github.com/axios/axios.git"
},
"scripts": {
"build": "gulp clear && cross-env NODE_ENV=production rollup -c -m",
"coveralls": "cat coverage/lcov.info | ./node_modules/coveralls/bin/coveralls.js",
"examples": "node ./examples/server.js",
"fix": "eslint --fix lib/**/*.js",
"postpublish": "git push && git push --tags",
"prepare": "husky install && npm run prepare:hooks",
"prepare:hooks": "npx husky set .husky/commit-msg \"npx commitlint --edit $1\"",
"prepublishOnly": "npm run test:build:version",
"preversion": "gulp version",
"release": "release-it",
"release:beta": "release-it --preRelease=beta",
"release:beta:no-npm": "release-it --preRelease=beta --no-npm",
"release:changelog:fix": "node ./bin/injectContributorsList.js && git add CHANGELOG.md",
"release:dry": "release-it --dry-run --no-npm",
"release:info": "release-it --release-version",
"release:no-npm": "release-it --no-npm",
"start": "node ./sandbox/server.js",
"test": "npm run test:eslint && npm run test:mocha && npm run test:karma && npm run test:dtslint && npm run test:exports",
"test:build:version": "node ./bin/check-build-version.js",
"test:dtslint": "dtslint --localTs node_modules/typescript/lib",
"test:eslint": "node bin/ssl_hotfix.js eslint lib/**/*.js",
"test:exports": "node bin/ssl_hotfix.js mocha test/module/test.js --timeout 30000 --exit",
"test:karma": "node bin/ssl_hotfix.js cross-env LISTEN_ADDR=:: karma start karma.conf.cjs --single-run",
"test:karma:firefox": "node bin/ssl_hotfix.js cross-env LISTEN_ADDR=:: Browsers=Firefox karma start karma.conf.cjs --single-run",
"test:karma:server": "node bin/ssl_hotfix.js cross-env karma start karma.conf.cjs",
"test:mocha": "node bin/ssl_hotfix.js mocha test/unit/**/*.js --timeout 30000 --exit",
"version": "npm run build && git add dist && git add package.json"
},
"sideEffects": false,
"type": "module",
"types": "index.d.ts",
"typings": "./index.d.ts",
"unpkg": "dist/axios.min.js",
"version": "1.6.7"
}
"commitlint": {
"rules": {
"header-max-length": [
2,
"always",
130
]
},
"extends": [
"@commitlint/config-conventional"
]
}
}

View File

@ -1,43 +1,21 @@
{
"_from": "balanced-match@^1.0.0",
"_id": "balanced-match@1.0.2",
"_inBundle": false,
"_integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
"_location": "/balanced-match",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "balanced-match@^1.0.0",
"name": "balanced-match",
"escapedName": "balanced-match",
"rawSpec": "^1.0.0",
"saveSpec": null,
"fetchSpec": "^1.0.0"
},
"_requiredBy": [
"/brace-expansion"
],
"_resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
"_shasum": "e83e3a7e3f300b34cb9d87f615fa0cbf357690ee",
"_spec": "balanced-match@^1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/brace-expansion",
"author": {
"name": "Julian Gruber",
"email": "mail@juliangruber.com",
"url": "http://juliangruber.com"
},
"bugs": {
"url": "https://github.com/juliangruber/balanced-match/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "balanced-match",
"description": "Match balanced character pairs, like \"{\" and \"}\"",
"version": "1.0.2",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/balanced-match.git"
},
"homepage": "https://github.com/juliangruber/balanced-match",
"main": "index.js",
"scripts": {
"test": "tape test/test.js",
"bench": "matcha test/bench.js"
},
"devDependencies": {
"matcha": "^0.7.0",
"tape": "^4.6.0"
},
"homepage": "https://github.com/juliangruber/balanced-match",
"keywords": [
"match",
"regexp",
@ -45,17 +23,12 @@
"balanced",
"parse"
],
"author": {
"name": "Julian Gruber",
"email": "mail@juliangruber.com",
"url": "http://juliangruber.com"
},
"license": "MIT",
"main": "index.js",
"name": "balanced-match",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/balanced-match.git"
},
"scripts": {
"bench": "matcha test/bench.js",
"test": "tape test/test.js"
},
"testling": {
"files": "test/*.js",
"browsers": [
@ -71,6 +44,5 @@
"iphone/6.0..latest",
"android-browser/4.2..latest"
]
},
"version": "1.0.2"
}
}

96
node_modules/bcryptjs/package.json generated vendored
View File

@ -1,71 +1,22 @@
{
"_from": "bcryptjs@2.4.3",
"_id": "bcryptjs@2.4.3",
"_inBundle": false,
"_integrity": "sha512-V/Hy/X9Vt7f3BbPJEi8BdVFMByHi+jNXrYkW3huaybV/kQ0KJg0Y6PkEMbn+zeT+i+SiKZ/HMqJGIIt4LZDqNQ==",
"_location": "/bcryptjs",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "bcryptjs@2.4.3",
"name": "bcryptjs",
"escapedName": "bcryptjs",
"rawSpec": "2.4.3",
"saveSpec": null,
"fetchSpec": "2.4.3"
},
"_requiredBy": [
"/"
"name": "bcryptjs",
"description": "Optimized bcrypt in plain JavaScript with zero dependencies. Compatible to 'bcrypt'.",
"version": "2.4.3",
"author": "Daniel Wirtz <dcode@dcode.io>",
"contributors": [
"Shane Girish <shaneGirish@gmail.com> (https://github.com/shaneGirish)",
"Alex Murray <> (https://github.com/alexmurray)",
"Nicolas Pelletier <> (https://github.com/NicolasPelletier)",
"Josh Rogers <> (https://github.com/geekymole)",
"Noah Isaacson <noah@nisaacson.com> (https://github.com/nisaacson)"
],
"_resolved": "https://registry.npmjs.org/bcryptjs/-/bcryptjs-2.4.3.tgz",
"_shasum": "9ab5627b93e60621ff7cdac5da9733027df1d0cb",
"_spec": "bcryptjs@2.4.3",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"author": {
"name": "Daniel Wirtz",
"email": "dcode@dcode.io"
"repository": {
"type": "url",
"url": "https://github.com/dcodeIO/bcrypt.js.git"
},
"browser": "dist/bcrypt.js",
"bugs": {
"url": "https://github.com/dcodeIO/bcrypt.js/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Shane Girish",
"email": "shaneGirish@gmail.com",
"url": "https://github.com/shaneGirish"
},
{
"name": "Alex Murray",
"url": "https://github.com/alexmurray"
},
{
"name": "Nicolas Pelletier",
"url": "https://github.com/NicolasPelletier"
},
{
"name": "Josh Rogers",
"url": "https://github.com/geekymole"
},
{
"name": "Noah Isaacson",
"email": "noah@nisaacson.com",
"url": "https://github.com/nisaacson"
}
],
"dependencies": {},
"deprecated": false,
"description": "Optimized bcrypt in plain JavaScript with zero dependencies. Compatible to 'bcrypt'.",
"devDependencies": {
"bcrypt": "latest",
"closurecompiler": "~1",
"metascript": "~0.18",
"testjs": "~1",
"utfx": "~1"
},
"homepage": "https://github.com/dcodeIO/bcrypt.js#readme",
"keywords": [
"bcrypt",
"password",
@ -75,19 +26,22 @@
"crypt",
"crypto"
],
"license": "MIT",
"main": "index.js",
"name": "bcryptjs",
"repository": {
"type": "url",
"url": "git+https://github.com/dcodeIO/bcrypt.js.git"
"browser": "dist/bcrypt.js",
"dependencies": {},
"devDependencies": {
"testjs": "~1",
"closurecompiler": "~1",
"metascript": "~0.18",
"bcrypt": "latest",
"utfx": "~1"
},
"license": "MIT",
"scripts": {
"test": "node node_modules/testjs/bin/testjs",
"build": "node scripts/build.js",
"compile": "node node_modules/closurecompiler/bin/ccjs dist/bcrypt.js --compilation_level=SIMPLE_OPTIMIZATIONS --create_source_map=dist/bcrypt.min.map > dist/bcrypt.min.js",
"compress": "gzip -c -9 dist/bcrypt.min.js > dist/bcrypt.min.js.gz",
"make": "npm run build && npm run compile && npm run compress && npm test",
"test": "node node_modules/testjs/bin/testjs"
},
"version": "2.4.3"
"make": "npm run build && npm run compile && npm run compress && npm test"
}
}

View File

@ -1,70 +1,38 @@
{
"_from": "binary-extensions@^2.0.0",
"_id": "binary-extensions@2.2.0",
"_inBundle": false,
"_integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==",
"_location": "/binary-extensions",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "binary-extensions@^2.0.0",
"name": "binary-extensions",
"escapedName": "binary-extensions",
"rawSpec": "^2.0.0",
"saveSpec": null,
"fetchSpec": "^2.0.0"
},
"_requiredBy": [
"/is-binary-path"
],
"_resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz",
"_shasum": "75f502eeaf9ffde42fc98829645be4ea76bd9e2d",
"_spec": "binary-extensions@^2.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/is-binary-path",
"author": {
"name": "Sindre Sorhus",
"email": "sindresorhus@gmail.com",
"url": "sindresorhus.com"
},
"bugs": {
"url": "https://github.com/sindresorhus/binary-extensions/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "List of binary file extensions",
"devDependencies": {
"ava": "^1.4.1",
"tsd": "^0.7.2",
"xo": "^0.24.0"
},
"engines": {
"node": ">=8"
},
"files": [
"index.js",
"index.d.ts",
"binary-extensions.json",
"binary-extensions.json.d.ts"
],
"homepage": "https://github.com/sindresorhus/binary-extensions#readme",
"keywords": [
"binary",
"extensions",
"extension",
"file",
"json",
"list",
"array"
],
"license": "MIT",
"name": "binary-extensions",
"repository": {
"type": "git",
"url": "git+https://github.com/sindresorhus/binary-extensions.git"
},
"scripts": {
"test": "xo && ava && tsd"
},
"version": "2.2.0"
"name": "binary-extensions",
"version": "2.2.0",
"description": "List of binary file extensions",
"license": "MIT",
"repository": "sindresorhus/binary-extensions",
"author": {
"name": "Sindre Sorhus",
"email": "sindresorhus@gmail.com",
"url": "sindresorhus.com"
},
"engines": {
"node": ">=8"
},
"scripts": {
"test": "xo && ava && tsd"
},
"files": [
"index.js",
"index.d.ts",
"binary-extensions.json",
"binary-extensions.json.d.ts"
],
"keywords": [
"binary",
"extensions",
"extension",
"file",
"json",
"list",
"array"
],
"devDependencies": {
"ava": "^1.4.1",
"tsd": "^0.7.2",
"xo": "^0.24.0"
}
}

View File

@ -1,42 +1,13 @@
{
"_from": "body-parser@1.20.2",
"_id": "body-parser@1.20.2",
"_inBundle": false,
"_integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==",
"_location": "/body-parser",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "body-parser@1.20.2",
"name": "body-parser",
"escapedName": "body-parser",
"rawSpec": "1.20.2",
"saveSpec": null,
"fetchSpec": "1.20.2"
},
"_requiredBy": [
"/"
],
"_resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz",
"_shasum": "6feb0e21c4724d06de7ff38da36dad4f57a747fd",
"_spec": "body-parser@1.20.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"bugs": {
"url": "https://github.com/expressjs/body-parser/issues"
},
"bundleDependencies": false,
"name": "body-parser",
"description": "Node.js body parsing middleware",
"version": "1.20.2",
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)"
],
"license": "MIT",
"repository": "expressjs/body-parser",
"dependencies": {
"bytes": "3.1.2",
"content-type": "~1.0.5",
@ -51,8 +22,6 @@
"type-is": "~1.6.18",
"unpipe": "1.0.0"
},
"deprecated": false,
"description": "Node.js body parsing middleware",
"devDependencies": {
"eslint": "8.34.0",
"eslint-config-standard": "14.1.1",
@ -67,10 +36,6 @@
"safe-buffer": "5.2.1",
"supertest": "6.3.3"
},
"engines": {
"node": ">= 0.8",
"npm": "1.2.8000 || >= 1.4.16"
},
"files": [
"lib/",
"LICENSE",
@ -78,18 +43,14 @@
"SECURITY.md",
"index.js"
],
"homepage": "https://github.com/expressjs/body-parser#readme",
"license": "MIT",
"name": "body-parser",
"repository": {
"type": "git",
"url": "git+https://github.com/expressjs/body-parser.git"
"engines": {
"node": ">= 0.8",
"npm": "1.2.8000 || >= 1.4.16"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --require test/support/env --reporter spec --check-leaks --bail test/",
"test-ci": "nyc --reporter=lcov --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "1.20.2"
}
}

View File

@ -1,60 +1,33 @@
{
"_from": "brace-expansion@^1.1.7",
"_id": "brace-expansion@1.1.11",
"_inBundle": false,
"_integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
"_location": "/brace-expansion",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "brace-expansion@^1.1.7",
"name": "brace-expansion",
"escapedName": "brace-expansion",
"rawSpec": "^1.1.7",
"saveSpec": null,
"fetchSpec": "^1.1.7"
"name": "brace-expansion",
"description": "Brace expansion as known from sh/bash",
"version": "1.1.11",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/brace-expansion.git"
},
"_requiredBy": [
"/minimatch"
],
"_resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz",
"_shasum": "3c7fcbf529d87226f3d2f52b966ff5271eb441dd",
"_spec": "brace-expansion@^1.1.7",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/minimatch",
"homepage": "https://github.com/juliangruber/brace-expansion",
"main": "index.js",
"scripts": {
"test": "tape test/*.js",
"gentest": "bash test/generate.sh",
"bench": "matcha test/perf/bench.js"
},
"dependencies": {
"balanced-match": "^1.0.0",
"concat-map": "0.0.1"
},
"devDependencies": {
"matcha": "^0.7.0",
"tape": "^4.6.0"
},
"keywords": [],
"author": {
"name": "Julian Gruber",
"email": "mail@juliangruber.com",
"url": "http://juliangruber.com"
},
"bugs": {
"url": "https://github.com/juliangruber/brace-expansion/issues"
},
"bundleDependencies": false,
"dependencies": {
"balanced-match": "^1.0.0",
"concat-map": "0.0.1"
},
"deprecated": false,
"description": "Brace expansion as known from sh/bash",
"devDependencies": {
"matcha": "^0.7.0",
"tape": "^4.6.0"
},
"homepage": "https://github.com/juliangruber/brace-expansion",
"keywords": [],
"license": "MIT",
"main": "index.js",
"name": "brace-expansion",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/brace-expansion.git"
},
"scripts": {
"bench": "matcha test/perf/bench.js",
"gentest": "bash test/generate.sh",
"test": "tape test/*.js"
},
"testling": {
"files": "test/*.js",
"browsers": [
@ -70,6 +43,5 @@
"iphone/6.0..latest",
"android-browser/4.2..latest"
]
},
"version": "1.1.11"
}
}

96
node_modules/braces/package.json generated vendored
View File

@ -1,76 +1,42 @@
{
"_from": "braces@~3.0.2",
"_id": "braces@3.0.2",
"_inBundle": false,
"_integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
"_location": "/braces",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "braces@~3.0.2",
"name": "braces",
"escapedName": "braces",
"rawSpec": "~3.0.2",
"saveSpec": null,
"fetchSpec": "~3.0.2"
},
"_requiredBy": [
"/chokidar"
"name": "braces",
"description": "Bash-like brace expansion, implemented in JavaScript. Safer than other brace expansion libs, with complete support for the Bash 4.3 braces specification, without sacrificing speed.",
"version": "3.0.2",
"homepage": "https://github.com/micromatch/braces",
"author": "Jon Schlinkert (https://github.com/jonschlinkert)",
"contributors": [
"Brian Woodward (https://twitter.com/doowb)",
"Elan Shanker (https://github.com/es128)",
"Eugene Sharygin (https://github.com/eush77)",
"hemanth.hm (http://h3manth.com)",
"Jon Schlinkert (http://twitter.com/jonschlinkert)"
],
"_resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
"_shasum": "3454e1a462ee8d599e236df336cd9ea4f8afe107",
"_spec": "braces@~3.0.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/chokidar",
"author": {
"name": "Jon Schlinkert",
"url": "https://github.com/jonschlinkert"
},
"repository": "micromatch/braces",
"bugs": {
"url": "https://github.com/micromatch/braces/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Brian Woodward",
"url": "https://twitter.com/doowb"
},
{
"name": "Elan Shanker",
"url": "https://github.com/es128"
},
{
"name": "Eugene Sharygin",
"url": "https://github.com/eush77"
},
{
"name": "hemanth.hm",
"url": "http://h3manth.com"
},
{
"name": "Jon Schlinkert",
"url": "http://twitter.com/jonschlinkert"
}
"license": "MIT",
"files": [
"index.js",
"lib"
],
"main": "index.js",
"engines": {
"node": ">=8"
},
"scripts": {
"test": "mocha",
"benchmark": "node benchmark"
},
"dependencies": {
"fill-range": "^7.0.1"
},
"deprecated": false,
"description": "Bash-like brace expansion, implemented in JavaScript. Safer than other brace expansion libs, with complete support for the Bash 4.3 braces specification, without sacrificing speed.",
"devDependencies": {
"ansi-colors": "^3.2.4",
"bash-path": "^2.0.1",
"gulp-format-md": "^2.0.0",
"mocha": "^6.1.1"
},
"engines": {
"node": ">=8"
},
"files": [
"index.js",
"lib"
],
"homepage": "https://github.com/micromatch/braces",
"keywords": [
"alpha",
"alphabetical",
@ -95,17 +61,6 @@
"ranges",
"sh"
],
"license": "MIT",
"main": "index.js",
"name": "braces",
"repository": {
"type": "git",
"url": "git+https://github.com/micromatch/braces.git"
},
"scripts": {
"benchmark": "node benchmark",
"test": "mocha"
},
"verb": {
"toc": false,
"layout": "default",
@ -118,6 +73,5 @@
"plugins": [
"gulp-format-md"
]
},
"version": "3.0.2"
}
}

124
node_modules/bson/package.json generated vendored
View File

@ -1,46 +1,30 @@
{
"_from": "bson@^5.3.0",
"_id": "bson@5.5.1",
"_inBundle": false,
"_integrity": "sha512-ix0EwukN2EpC0SRWIj/7B5+A6uQMQy6KMREI9qQqvgpkV2frH63T0UDVd1SYedL6dNCmDBYB3QtXi4ISk9YT+g==",
"_location": "/bson",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "bson@^5.3.0",
"name": "bson",
"escapedName": "bson",
"rawSpec": "^5.3.0",
"saveSpec": null,
"fetchSpec": "^5.3.0"
},
"_requiredBy": [
"/mongodb",
"/mongoose"
"name": "bson",
"description": "A bson parser for node.js and the browser",
"keywords": [
"mongodb",
"bson",
"parser"
],
"_resolved": "https://registry.npmjs.org/bson/-/bson-5.5.1.tgz",
"_shasum": "f5849d405711a7f23acdda9a442375df858e6833",
"_spec": "bson@^5.3.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/mongodb",
"files": [
"lib",
"src",
"bson.d.ts",
"etc/prepare.js",
"vendor"
],
"types": "bson.d.ts",
"version": "5.5.1",
"author": {
"name": "The MongoDB NodeJS Team",
"email": "dbx-node@mongodb.com"
},
"license": "Apache-2.0",
"contributors": [],
"repository": "mongodb/js-bson",
"bugs": {
"url": "https://jira.mongodb.org/projects/NODE/issues/"
},
"bundleDependencies": false,
"compass:exports": {
"import": "./lib/bson.cjs",
"require": "./lib/bson.cjs"
},
"config": {
"native": false
},
"contributors": [],
"deprecated": false,
"description": "A bson parser for node.js and the browser",
"devDependencies": {
"@istanbuljs/nyc-config-typescript": "^1.0.2",
"@microsoft/api-extractor": "^7.35.1",
@ -79,9 +63,20 @@
"uuid": "^9.0.0",
"v8-profiler-next": "^1.9.0"
},
"engines": {
"node": ">=14.20.1"
"tsd": {
"directory": "test/types",
"compilerOptions": {
"strict": true,
"target": "esnext",
"module": "commonjs",
"moduleResolution": "node"
}
},
"config": {
"native": false
},
"main": "./lib/bson.cjs",
"module": "./lib/bson.mjs",
"exports": {
"import": {
"types": "./bson.d.ts",
@ -94,53 +89,28 @@
"react-native": "./lib/bson.rn.cjs",
"browser": "./lib/bson.mjs"
},
"files": [
"lib",
"src",
"bson.d.ts",
"etc/prepare.js",
"vendor"
],
"homepage": "https://github.com/mongodb/js-bson#readme",
"keywords": [
"mongodb",
"bson",
"parser"
],
"license": "Apache-2.0",
"main": "./lib/bson.cjs",
"module": "./lib/bson.mjs",
"name": "bson",
"repository": {
"type": "git",
"url": "git+https://github.com/mongodb/js-bson.git"
"compass:exports": {
"import": "./lib/bson.cjs",
"require": "./lib/bson.cjs"
},
"engines": {
"node": ">=14.20.1"
},
"scripts": {
"build": "npm run build:dts && npm run build:bundle",
"build:bundle": "rollup -c rollup.config.mjs",
"build:dts": "npm run build:ts && api-extractor run --typescript-compiler-folder node_modules/typescript --local && node etc/clean_definition_files.cjs",
"build:ts": "node ./node_modules/typescript/bin/tsc",
"check:coverage": "nyc --check-coverage npm run check:node",
"check:lint": "eslint -v && eslint --ext '.js,.ts' --max-warnings=0 src test && npm run build:dts && npm run check:tsd",
"pretest": "npm run build",
"test": "npm run check:node && npm run check:web && npm run check:web-no-bigint",
"check:node": "WEB=false mocha test/node",
"check:tsd": "npm run build:dts && tsd",
"check:web": "WEB=true mocha test/node",
"check:web-no-bigint": "WEB=true NO_BIGINT=true mocha test/node",
"build:ts": "node ./node_modules/typescript/bin/tsc",
"build:dts": "npm run build:ts && api-extractor run --typescript-compiler-folder node_modules/typescript --local && node etc/clean_definition_files.cjs",
"build:bundle": "rollup -c rollup.config.mjs",
"build": "npm run build:dts && npm run build:bundle",
"check:lint": "eslint -v && eslint --ext '.js,.ts' --max-warnings=0 src test && npm run build:dts && npm run check:tsd",
"format": "eslint --ext '.js,.ts' src test --fix",
"check:coverage": "nyc --check-coverage npm run check:node",
"prepare": "node etc/prepare.js",
"pretest": "npm run build",
"release": "standard-version -i HISTORY.md",
"test": "npm run check:node && npm run check:web && npm run check:web-no-bigint"
},
"tsd": {
"directory": "test/types",
"compilerOptions": {
"strict": true,
"target": "esnext",
"module": "commonjs",
"moduleResolution": "node"
}
},
"types": "bson.d.ts",
"version": "5.5.1"
"release": "standard-version -i HISTORY.md"
}
}

View File

@ -1,55 +1,21 @@
{
"_from": "buffer-equal-constant-time@1.0.1",
"_id": "buffer-equal-constant-time@1.0.1",
"_inBundle": false,
"_integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==",
"_location": "/buffer-equal-constant-time",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "buffer-equal-constant-time@1.0.1",
"name": "buffer-equal-constant-time",
"escapedName": "buffer-equal-constant-time",
"rawSpec": "1.0.1",
"saveSpec": null,
"fetchSpec": "1.0.1"
},
"_requiredBy": [
"/jwa"
],
"_resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz",
"_shasum": "f8e71132f7ffe6e01a5c9697a4c6f3e48d5cc819",
"_spec": "buffer-equal-constant-time@1.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/jwa",
"author": {
"name": "GoInstant Inc., a salesforce.com company"
},
"bugs": {
"url": "https://github.com/goinstant/buffer-equal-constant-time/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "buffer-equal-constant-time",
"version": "1.0.1",
"description": "Constant-time comparison of Buffers",
"devDependencies": {
"mocha": "~1.15.1"
"main": "index.js",
"scripts": {
"test": "mocha test.js"
},
"homepage": "https://github.com/goinstant/buffer-equal-constant-time#readme",
"repository": "git@github.com:goinstant/buffer-equal-constant-time.git",
"keywords": [
"buffer",
"equal",
"constant-time",
"crypto"
],
"author": "GoInstant Inc., a salesforce.com company",
"license": "BSD-3-Clause",
"main": "index.js",
"name": "buffer-equal-constant-time",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/goinstant/buffer-equal-constant-time.git"
},
"scripts": {
"test": "mocha test.js"
},
"version": "1.0.1"
"devDependencies": {
"mocha": "~1.15.1"
}
}

View File

@ -1,52 +1,19 @@
{
"_from": "buffer-from@^1.0.0",
"_id": "buffer-from@1.1.2",
"_inBundle": false,
"_integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==",
"_location": "/buffer-from",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "buffer-from@^1.0.0",
"name": "buffer-from",
"escapedName": "buffer-from",
"rawSpec": "^1.0.0",
"saveSpec": null,
"fetchSpec": "^1.0.0"
},
"_requiredBy": [
"/concat-stream"
],
"_resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz",
"_shasum": "2b146a6fd72e80b4f55d255f35ed59a3a9a41bd5",
"_spec": "buffer-from@^1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/concat-stream",
"bugs": {
"url": "https://github.com/LinusU/buffer-from/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "A [ponyfill](https://ponyfill.com) for `Buffer.from`, uses native implementation if available.",
"devDependencies": {
"standard": "^12.0.1"
},
"name": "buffer-from",
"version": "1.1.2",
"license": "MIT",
"repository": "LinusU/buffer-from",
"files": [
"index.js"
],
"homepage": "https://github.com/LinusU/buffer-from#readme",
"keywords": [
"buffer",
"buffer from"
],
"license": "MIT",
"name": "buffer-from",
"repository": {
"type": "git",
"url": "git+https://github.com/LinusU/buffer-from.git"
},
"scripts": {
"test": "standard && node test"
},
"version": "1.1.2"
"devDependencies": {
"standard": "^12.0.1"
},
"keywords": [
"buffer",
"buffer from"
]
}

71
node_modules/busboy/package.json generated vendored
View File

@ -1,71 +1,22 @@
{
"_from": "busboy@1.6.0",
"_id": "busboy@1.6.0",
"_inBundle": false,
"_integrity": "sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==",
"_location": "/busboy",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "busboy@1.6.0",
"name": "busboy",
"escapedName": "busboy",
"rawSpec": "1.6.0",
"saveSpec": null,
"fetchSpec": "1.6.0"
},
"_requiredBy": [
"/",
"/multer"
],
"_resolved": "https://registry.npmjs.org/busboy/-/busboy-1.6.0.tgz",
"_shasum": "966ea36a9502e43cdb9146962523b92f531f6893",
"_spec": "busboy@1.6.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"author": {
"name": "Brian White",
"email": "mscdex@mscdex.net"
},
"bugs": {
"url": "https://github.com/mscdex/busboy/issues"
},
"bundleDependencies": false,
{ "name": "busboy",
"version": "1.6.0",
"author": "Brian White <mscdex@mscdex.net>",
"description": "A streaming parser for HTML form data for node.js",
"main": "./lib/index.js",
"dependencies": {
"streamsearch": "^1.1.0"
},
"deprecated": false,
"description": "A streaming parser for HTML form data for node.js",
"devDependencies": {
"@mscdex/eslint-config": "^1.1.0",
"eslint": "^7.32.0"
},
"engines": {
"node": ">=10.16.0"
},
"homepage": "https://github.com/mscdex/busboy#readme",
"keywords": [
"uploads",
"forms",
"multipart",
"form-data"
],
"licenses": [
{
"type": "MIT",
"url": "http://github.com/mscdex/busboy/raw/master/LICENSE"
}
],
"main": "./lib/index.js",
"name": "busboy",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/mscdex/busboy.git"
},
"scripts": {
"test": "node test/test.js",
"lint": "eslint --cache --report-unused-disable-directives --ext=.js .eslintrc.js lib test bench",
"lint:fix": "npm run lint -- --fix",
"test": "node test/test.js"
"lint:fix": "npm run lint -- --fix"
},
"version": "1.6.0"
"engines": { "node": ">=10.16.0" },
"keywords": [ "uploads", "forms", "multipart", "form-data" ],
"licenses": [ { "type": "MIT", "url": "http://github.com/mscdex/busboy/raw/master/LICENSE" } ],
"repository": { "type": "git", "url": "http://github.com/mscdex/busboy.git" }
}

91
node_modules/bytes/package.json generated vendored
View File

@ -1,67 +1,13 @@
{
"_from": "bytes@3.1.2",
"_id": "bytes@3.1.2",
"_inBundle": false,
"_integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==",
"_location": "/bytes",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "bytes@3.1.2",
"name": "bytes",
"escapedName": "bytes",
"rawSpec": "3.1.2",
"saveSpec": null,
"fetchSpec": "3.1.2"
},
"_requiredBy": [
"/body-parser",
"/express/body-parser",
"/express/raw-body",
"/raw-body"
],
"_resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz",
"_shasum": "8b0beeb98605adf1b128fa4386403c009e0221a5",
"_spec": "bytes@3.1.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "TJ Holowaychuk",
"email": "tj@vision-media.ca",
"url": "http://tjholowaychuk.com"
},
"bugs": {
"url": "https://github.com/visionmedia/bytes.js/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Jed Watson",
"email": "jed.watson@me.com"
},
{
"name": "Théo FIDRY",
"email": "theo.fidry@gmail.com"
}
],
"deprecated": false,
"name": "bytes",
"description": "Utility to parse a string bytes to bytes and vice-versa",
"devDependencies": {
"eslint": "7.32.0",
"eslint-plugin-markdown": "2.2.1",
"mocha": "9.2.0",
"nyc": "15.1.0"
},
"engines": {
"node": ">= 0.8"
},
"files": [
"History.md",
"LICENSE",
"Readme.md",
"index.js"
"version": "3.1.2",
"author": "TJ Holowaychuk <tj@vision-media.ca> (http://tjholowaychuk.com)",
"contributors": [
"Jed Watson <jed.watson@me.com>",
"Théo FIDRY <theo.fidry@gmail.com>"
],
"homepage": "https://github.com/visionmedia/bytes.js#readme",
"license": "MIT",
"keywords": [
"byte",
"bytes",
@ -71,17 +17,26 @@
"convert",
"converter"
],
"license": "MIT",
"name": "bytes",
"repository": {
"type": "git",
"url": "git+https://github.com/visionmedia/bytes.js.git"
"repository": "visionmedia/bytes.js",
"devDependencies": {
"eslint": "7.32.0",
"eslint-plugin-markdown": "2.2.1",
"mocha": "9.2.0",
"nyc": "15.1.0"
},
"files": [
"History.md",
"LICENSE",
"Readme.md",
"index.js"
],
"engines": {
"node": ">= 0.8"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --check-leaks --reporter spec",
"test-ci": "nyc --reporter=lcov --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "3.1.2"
}
}

214
node_modules/call-bind/package.json generated vendored
View File

@ -1,123 +1,95 @@
{
"_from": "call-bind@^1.0.7",
"_id": "call-bind@1.0.7",
"_inBundle": false,
"_integrity": "sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==",
"_location": "/call-bind",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "call-bind@^1.0.7",
"name": "call-bind",
"escapedName": "call-bind",
"rawSpec": "^1.0.7",
"saveSpec": null,
"fetchSpec": "^1.0.7"
},
"_requiredBy": [
"/side-channel"
],
"_resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.7.tgz",
"_shasum": "06016599c40c56498c18769d2730be242b6fa3b9",
"_spec": "call-bind@^1.0.7",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/side-channel",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/call-bind/issues"
},
"bundleDependencies": false,
"dependencies": {
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"get-intrinsic": "^1.2.4",
"set-function-length": "^1.2.1"
},
"deprecated": false,
"description": "Robustly `.call.bind()` a function",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"gopd": "^1.0.1",
"has-strict-mode": "^1.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./callBound": "./callBound.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/ljharb/call-bind#readme",
"keywords": [
"javascript",
"ecmascript",
"es",
"js",
"callbind",
"callbound",
"call",
"bind",
"bound",
"call-bind",
"call-bound",
"function",
"es-abstract"
],
"license": "MIT",
"main": "index.js",
"name": "call-bind",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/call-bind.git"
},
"scripts": {
"lint": "eslint --ext=.js,.mjs .",
"postlint": "evalmd README.md",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prepack": "npmignore --auto --commentLines=auto",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"testling": {
"files": "test/index.js"
},
"version": "1.0.7"
"name": "call-bind",
"version": "1.0.7",
"description": "Robustly `.call.bind()` a function",
"main": "index.js",
"exports": {
".": "./index.js",
"./callBound": "./callBound.js",
"./package.json": "./package.json"
},
"scripts": {
"prepack": "npmignore --auto --commentLines=auto",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"lint": "eslint --ext=.js,.mjs .",
"postlint": "evalmd README.md",
"pretest": "npm run lint",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/call-bind.git"
},
"keywords": [
"javascript",
"ecmascript",
"es",
"js",
"callbind",
"callbound",
"call",
"bind",
"bound",
"call-bind",
"call-bound",
"function",
"es-abstract"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/call-bind/issues"
},
"homepage": "https://github.com/ljharb/call-bind#readme",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"gopd": "^1.0.1",
"has-strict-mode": "^1.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"dependencies": {
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"get-intrinsic": "^1.2.4",
"set-function-length": "^1.2.1"
},
"testling": {
"files": "test/index.js"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"engines": {
"node": ">= 0.4"
}
}

96
node_modules/chokidar/package.json generated vendored
View File

@ -1,56 +1,30 @@
{
"_from": "chokidar@^3.5.2",
"_id": "chokidar@3.6.0",
"_inBundle": false,
"_integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==",
"_location": "/chokidar",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "chokidar@^3.5.2",
"name": "chokidar",
"escapedName": "chokidar",
"rawSpec": "^3.5.2",
"saveSpec": null,
"fetchSpec": "^3.5.2"
},
"_requiredBy": [
"/nodemon"
],
"_resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz",
"_shasum": "197c6cc669ef2a8dc5e7b4d97ee4e092c3eb0d5b",
"_spec": "chokidar@^3.5.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/nodemon",
"author": {
"name": "Paul Miller",
"url": "https://paulmillr.com"
},
"bugs": {
"url": "https://github.com/paulmillr/chokidar/issues"
},
"bundleDependencies": false,
"name": "chokidar",
"description": "Minimal and efficient cross-platform file watching library",
"version": "3.6.0",
"homepage": "https://github.com/paulmillr/chokidar",
"author": "Paul Miller (https://paulmillr.com)",
"contributors": [
{
"name": "Paul Miller",
"url": "https://paulmillr.com"
},
{
"name": "Elan Shanker"
}
"Paul Miller (https://paulmillr.com)",
"Elan Shanker"
],
"engines": {
"node": ">= 8.10.0"
},
"main": "index.js",
"types": "./types/index.d.ts",
"dependencies": {
"anymatch": "~3.1.2",
"braces": "~3.0.2",
"fsevents": "~2.3.2",
"glob-parent": "~5.1.2",
"is-binary-path": "~2.1.0",
"is-glob": "~4.0.1",
"normalize-path": "~3.0.0",
"readdirp": "~3.6.0"
},
"deprecated": false,
"description": "Minimal and efficient cross-platform file watching library",
"optionalDependencies": {
"fsevents": "~2.3.2"
},
"devDependencies": {
"@types/node": "^14",
"chai": "^4.3",
@ -63,16 +37,26 @@
"typescript": "^4.4.3",
"upath": "^1.2.0"
},
"engines": {
"node": ">= 8.10.0"
},
"files": [
"index.js",
"lib/*.js",
"types/index.d.ts"
],
"funding": "https://paulmillr.com/funding/",
"homepage": "https://github.com/paulmillr/chokidar",
"repository": {
"type": "git",
"url": "git+https://github.com/paulmillr/chokidar.git"
},
"bugs": {
"url": "https://github.com/paulmillr/chokidar/issues"
},
"license": "MIT",
"scripts": {
"dtslint": "dtslint types",
"lint": "eslint --report-unused-disable-directives --ignore-path .gitignore .",
"build": "npm ls",
"mocha": "mocha --exit --timeout 90000",
"test": "npm run lint && npm run mocha"
},
"keywords": [
"fs",
"watch",
@ -82,23 +66,5 @@
"file",
"fsevents"
],
"license": "MIT",
"main": "index.js",
"name": "chokidar",
"optionalDependencies": {
"fsevents": "~2.3.2"
},
"repository": {
"type": "git",
"url": "git+https://github.com/paulmillr/chokidar.git"
},
"scripts": {
"build": "npm ls",
"dtslint": "dtslint types",
"lint": "eslint --report-unused-disable-directives --ignore-path .gitignore .",
"mocha": "mocha --exit --timeout 90000",
"test": "npm run lint && npm run mocha"
},
"types": "./types/index.d.ts",
"version": "3.6.0"
"funding": "https://paulmillr.com/funding/"
}

View File

@ -1,57 +1,25 @@
{
"_from": "combined-stream@^1.0.8",
"_id": "combined-stream@1.0.8",
"_inBundle": false,
"_integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==",
"_location": "/combined-stream",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "combined-stream@^1.0.8",
"name": "combined-stream",
"escapedName": "combined-stream",
"rawSpec": "^1.0.8",
"saveSpec": null,
"fetchSpec": "^1.0.8"
},
"_requiredBy": [
"/form-data"
],
"_resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz",
"_shasum": "c3d45a8b34fd730631a110a8a2520682b31d5a7f",
"_spec": "combined-stream@^1.0.8",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/form-data",
"author": {
"name": "Felix Geisendörfer",
"email": "felix@debuggable.com",
"url": "http://debuggable.com/"
},
"bugs": {
"url": "https://github.com/felixge/node-combined-stream/issues"
},
"bundleDependencies": false,
"dependencies": {
"delayed-stream": "~1.0.0"
},
"deprecated": false,
"description": "A stream that emits multiple other streams one after another.",
"devDependencies": {
"far": "~0.0.7"
},
"engines": {
"node": ">= 0.8"
},
"homepage": "https://github.com/felixge/node-combined-stream",
"license": "MIT",
"main": "./lib/combined_stream",
"author": "Felix Geisendörfer <felix@debuggable.com> (http://debuggable.com/)",
"name": "combined-stream",
"description": "A stream that emits multiple other streams one after another.",
"version": "1.0.8",
"homepage": "https://github.com/felixge/node-combined-stream",
"repository": {
"type": "git",
"url": "git://github.com/felixge/node-combined-stream.git"
},
"main": "./lib/combined_stream",
"scripts": {
"test": "node test/run.js"
},
"version": "1.0.8"
"engines": {
"node": ">= 0.8"
},
"dependencies": {
"delayed-stream": "~1.0.0"
},
"devDependencies": {
"far": "~0.0.7"
},
"license": "MIT"
}

125
node_modules/concat-map/package.json generated vendored
View File

@ -1,88 +1,43 @@
{
"_from": "concat-map@0.0.1",
"_id": "concat-map@0.0.1",
"_inBundle": false,
"_integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
"_location": "/concat-map",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "concat-map@0.0.1",
"name": "concat-map",
"escapedName": "concat-map",
"rawSpec": "0.0.1",
"saveSpec": null,
"fetchSpec": "0.0.1"
},
"_requiredBy": [
"/brace-expansion"
],
"_resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
"_shasum": "d8a96bd77fd68df7793a73036a3ba0d5405d477b",
"_spec": "concat-map@0.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/brace-expansion",
"author": {
"name": "James Halliday",
"email": "mail@substack.net",
"url": "http://substack.net"
},
"bugs": {
"url": "https://github.com/substack/node-concat-map/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "concatenative mapdashery",
"devDependencies": {
"tape": "~2.4.0"
},
"directories": {
"example": "example",
"test": "test"
},
"homepage": "https://github.com/substack/node-concat-map#readme",
"keywords": [
"concat",
"concatMap",
"map",
"functional",
"higher-order"
],
"license": "MIT",
"main": "index.js",
"name": "concat-map",
"repository": {
"type": "git",
"url": "git://github.com/substack/node-concat-map.git"
},
"scripts": {
"test": "tape test/*.js"
},
"testling": {
"files": "test/*.js",
"browsers": {
"ie": [
6,
7,
8,
9
],
"ff": [
3.5,
10,
15
],
"chrome": [
10,
22
],
"safari": [
5.1
],
"opera": [
12
]
"name" : "concat-map",
"description" : "concatenative mapdashery",
"version" : "0.0.1",
"repository" : {
"type" : "git",
"url" : "git://github.com/substack/node-concat-map.git"
},
"main" : "index.js",
"keywords" : [
"concat",
"concatMap",
"map",
"functional",
"higher-order"
],
"directories" : {
"example" : "example",
"test" : "test"
},
"scripts" : {
"test" : "tape test/*.js"
},
"devDependencies" : {
"tape" : "~2.4.0"
},
"license" : "MIT",
"author" : {
"name" : "James Halliday",
"email" : "mail@substack.net",
"url" : "http://substack.net"
},
"testling" : {
"files" : "test/*.js",
"browsers" : {
"ie" : [ 6, 7, 8, 9 ],
"ff" : [ 3.5, 10, 15.0 ],
"chrome" : [ 10, 22 ],
"safari" : [ 5.1 ],
"opera" : [ 12 ]
}
}
},
"version": "0.0.1"
}

View File

@ -1,69 +1,41 @@
{
"_from": "concat-stream@^1.5.2",
"_id": "concat-stream@1.6.2",
"_inBundle": false,
"_integrity": "sha512-27HBghJxjiZtIk3Ycvn/4kbJk/1uZuJFfuPEns6LaEvpvG1f0hTea8lilrouyo9mVc2GWdcEZ8OLoGmSADlrCw==",
"_location": "/concat-stream",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "concat-stream@^1.5.2",
"name": "concat-stream",
"escapedName": "concat-stream",
"rawSpec": "^1.5.2",
"saveSpec": null,
"fetchSpec": "^1.5.2"
},
"_requiredBy": [
"/multer"
],
"_resolved": "https://registry.npmjs.org/concat-stream/-/concat-stream-1.6.2.tgz",
"_shasum": "904bdf194cd3122fc675c77fc4ac3d4ff0fd1a34",
"_spec": "concat-stream@^1.5.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/multer",
"author": {
"name": "Max Ogden",
"email": "max@maxogden.com"
},
"bugs": {
"url": "http://github.com/maxogden/concat-stream/issues"
},
"bundleDependencies": false,
"dependencies": {
"buffer-from": "^1.0.0",
"inherits": "^2.0.3",
"readable-stream": "^2.2.2",
"typedarray": "^0.0.6"
},
"deprecated": false,
"description": "writable stream that concatenates strings or binary data and calls a callback with the result",
"devDependencies": {
"tape": "^4.6.3"
},
"engines": [
"node >= 0.8"
],
"files": [
"index.js"
],
"homepage": "https://github.com/maxogden/concat-stream#readme",
"license": "MIT",
"main": "index.js",
"name": "concat-stream",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/maxogden/concat-stream.git"
},
"scripts": {
"test": "tape test/*.js test/server/*.js"
},
"version": "1.6.2",
"description": "writable stream that concatenates strings or binary data and calls a callback with the result",
"tags": [
"stream",
"simple",
"util",
"utility"
],
"author": "Max Ogden <max@maxogden.com>",
"repository": {
"type": "git",
"url": "http://github.com/maxogden/concat-stream.git"
},
"bugs": {
"url": "http://github.com/maxogden/concat-stream/issues"
},
"engines": [
"node >= 0.8"
],
"main": "index.js",
"files": [
"index.js"
],
"scripts": {
"test": "tape test/*.js test/server/*.js"
},
"license": "MIT",
"dependencies": {
"buffer-from": "^1.0.0",
"inherits": "^2.0.3",
"readable-stream": "^2.2.2",
"typedarray": "^0.0.6"
},
"devDependencies": {
"tape": "^4.6.3"
},
"testling": {
"files": "test/*.js",
"browsers": [
@ -79,6 +51,5 @@
"iphone/6.0..latest",
"android-browser/4.2..latest"
]
},
"version": "1.6.2"
}
}

View File

@ -1,40 +1,19 @@
{
"_from": "content-disposition@0.5.4",
"_id": "content-disposition@0.5.4",
"_inBundle": false,
"_integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==",
"_location": "/content-disposition",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "content-disposition@0.5.4",
"name": "content-disposition",
"escapedName": "content-disposition",
"rawSpec": "0.5.4",
"saveSpec": null,
"fetchSpec": "0.5.4"
},
"_requiredBy": [
"/express"
"name": "content-disposition",
"description": "Create and parse Content-Disposition header",
"version": "0.5.4",
"author": "Douglas Christopher Wilson <doug@somethingdoug.com>",
"license": "MIT",
"keywords": [
"content-disposition",
"http",
"rfc6266",
"res"
],
"_resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz",
"_shasum": "8b82b4efac82512a02bb0b1dcec9d2c5e8eb5bfe",
"_spec": "content-disposition@0.5.4",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
"bugs": {
"url": "https://github.com/jshttp/content-disposition/issues"
},
"bundleDependencies": false,
"repository": "jshttp/content-disposition",
"dependencies": {
"safe-buffer": "5.2.1"
},
"deprecated": false,
"description": "Create and parse Content-Disposition header",
"devDependencies": {
"deep-equal": "1.0.1",
"eslint": "7.32.0",
@ -47,33 +26,19 @@
"istanbul": "0.4.5",
"mocha": "9.1.3"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"LICENSE",
"HISTORY.md",
"README.md",
"index.js"
],
"homepage": "https://github.com/jshttp/content-disposition#readme",
"keywords": [
"content-disposition",
"http",
"rfc6266",
"res"
],
"license": "MIT",
"name": "content-disposition",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/content-disposition.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/",
"test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/"
},
"version": "0.5.4"
}
}

View File

@ -1,39 +1,17 @@
{
"_from": "content-type@~1.0.5",
"_id": "content-type@1.0.5",
"_inBundle": false,
"_integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==",
"_location": "/content-type",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "content-type@~1.0.5",
"name": "content-type",
"escapedName": "content-type",
"rawSpec": "~1.0.5",
"saveSpec": null,
"fetchSpec": "~1.0.5"
},
"_requiredBy": [
"/body-parser",
"/express",
"/express/body-parser"
],
"_resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz",
"_shasum": "8b773162656d1d1086784c8f23a54ce6d73d7918",
"_spec": "content-type@~1.0.5",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
"bugs": {
"url": "https://github.com/jshttp/content-type/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "content-type",
"description": "Create and parse HTTP Content-Type header",
"version": "1.0.5",
"author": "Douglas Christopher Wilson <doug@somethingdoug.com>",
"license": "MIT",
"keywords": [
"content-type",
"http",
"req",
"res",
"rfc7231"
],
"repository": "jshttp/content-type",
"devDependencies": {
"deep-equal": "1.0.1",
"eslint": "8.32.0",
@ -45,28 +23,14 @@
"mocha": "10.2.0",
"nyc": "15.1.0"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"LICENSE",
"HISTORY.md",
"README.md",
"index.js"
],
"homepage": "https://github.com/jshttp/content-type#readme",
"keywords": [
"content-type",
"http",
"req",
"res",
"rfc7231"
],
"license": "MIT",
"name": "content-type",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/content-type.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"lint": "eslint .",
@ -74,6 +38,5 @@
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test",
"version": "node scripts/version-history.js && git add HISTORY.md"
},
"version": "1.0.5"
}
}

View File

@ -1,57 +1,18 @@
{
"_from": "cookie-signature@1.0.6",
"_id": "cookie-signature@1.0.6",
"_inBundle": false,
"_integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==",
"_location": "/cookie-signature",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "cookie-signature@1.0.6",
"name": "cookie-signature",
"escapedName": "cookie-signature",
"rawSpec": "1.0.6",
"saveSpec": null,
"fetchSpec": "1.0.6"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz",
"_shasum": "e303a882b342cc3ee8ca513a79999734dab3ae2c",
"_spec": "cookie-signature@1.0.6",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "TJ Holowaychuk",
"email": "tj@learnboost.com"
},
"bugs": {
"url": "https://github.com/visionmedia/node-cookie-signature/issues"
},
"bundleDependencies": false,
"dependencies": {},
"deprecated": false,
"name": "cookie-signature",
"version": "1.0.6",
"description": "Sign and unsign cookies",
"keywords": ["cookie", "sign", "unsign"],
"author": "TJ Holowaychuk <tj@learnboost.com>",
"license": "MIT",
"repository": { "type": "git", "url": "https://github.com/visionmedia/node-cookie-signature.git"},
"dependencies": {},
"devDependencies": {
"mocha": "*",
"should": "*"
},
"homepage": "https://github.com/visionmedia/node-cookie-signature#readme",
"keywords": [
"cookie",
"sign",
"unsign"
],
"license": "MIT",
"main": "index",
"name": "cookie-signature",
"repository": {
"type": "git",
"url": "git+https://github.com/visionmedia/node-cookie-signature.git"
},
"scripts": {
"test": "mocha --require should --reporter spec"
},
"version": "1.0.6"
"main": "index"
}

68
node_modules/cookie/package.json generated vendored
View File

@ -1,43 +1,17 @@
{
"_from": "cookie@0.5.0",
"_id": "cookie@0.5.0",
"_inBundle": false,
"_integrity": "sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==",
"_location": "/cookie",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "cookie@0.5.0",
"name": "cookie",
"escapedName": "cookie",
"rawSpec": "0.5.0",
"saveSpec": null,
"fetchSpec": "0.5.0"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/cookie/-/cookie-0.5.0.tgz",
"_shasum": "d1f5d71adec6558c58f389987c366aa47e994f8b",
"_spec": "cookie@0.5.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "Roman Shtylman",
"email": "shtylman@gmail.com"
},
"bugs": {
"url": "https://github.com/jshttp/cookie/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
],
"deprecated": false,
"name": "cookie",
"description": "HTTP server cookie parsing and serialization",
"version": "0.5.0",
"author": "Roman Shtylman <shtylman@gmail.com>",
"contributors": [
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"license": "MIT",
"keywords": [
"cookie",
"cookies"
],
"repository": "jshttp/cookie",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "2.1.4",
@ -48,9 +22,6 @@
"safe-buffer": "5.2.1",
"top-sites": "1.1.97"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"HISTORY.md",
"LICENSE",
@ -58,16 +29,8 @@
"SECURITY.md",
"index.js"
],
"homepage": "https://github.com/jshttp/cookie#readme",
"keywords": [
"cookie",
"cookies"
],
"license": "MIT",
"name": "cookie",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/cookie.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"bench": "node benchmark/index.js",
@ -77,6 +40,5 @@
"test-cov": "nyc --reporter=html --reporter=text npm test",
"update-bench": "node scripts/update-benchmark.js",
"version": "node scripts/version-history.js && git add HISTORY.md"
},
"version": "0.5.0"
}
}

View File

@ -1,45 +1,15 @@
{
"_from": "core-util-is@~1.0.0",
"_id": "core-util-is@1.0.3",
"_inBundle": false,
"_integrity": "sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==",
"_location": "/core-util-is",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "core-util-is@~1.0.0",
"name": "core-util-is",
"escapedName": "core-util-is",
"rawSpec": "~1.0.0",
"saveSpec": null,
"fetchSpec": "~1.0.0"
},
"_requiredBy": [
"/readable-stream"
],
"_resolved": "https://registry.npmjs.org/core-util-is/-/core-util-is-1.0.3.tgz",
"_shasum": "a6042d3634c2b27e9328f837b965fac83808db85",
"_spec": "core-util-is@~1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/readable-stream",
"author": {
"name": "Isaac Z. Schlueter",
"email": "i@izs.me",
"url": "http://blog.izs.me/"
},
"bugs": {
"url": "https://github.com/isaacs/core-util-is/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "core-util-is",
"version": "1.0.3",
"description": "The `util.is*` functions introduced in Node v0.12.",
"devDependencies": {
"tap": "^15.0.9"
},
"main": "lib/util.js",
"files": [
"lib"
],
"homepage": "https://github.com/isaacs/core-util-is#readme",
"repository": {
"type": "git",
"url": "git://github.com/isaacs/core-util-is"
},
"keywords": [
"util",
"isBuffer",
@ -51,18 +21,18 @@
"isThat",
"polyfill"
],
"author": "Isaac Z. Schlueter <i@izs.me> (http://blog.izs.me/)",
"license": "MIT",
"main": "lib/util.js",
"name": "core-util-is",
"repository": {
"type": "git",
"url": "git://github.com/isaacs/core-util-is.git"
"bugs": {
"url": "https://github.com/isaacs/core-util-is/issues"
},
"scripts": {
"postversion": "npm publish",
"prepublishOnly": "git push origin --follow-tags",
"test": "tap test.js",
"preversion": "npm test",
"test": "tap test.js"
"postversion": "npm publish",
"prepublishOnly": "git push origin --follow-tags"
},
"version": "1.0.3"
"devDependencies": {
"tap": "^15.0.9"
}
}

70
node_modules/cors/package.json generated vendored
View File

@ -1,42 +1,21 @@
{
"_from": "cors@2.8.5",
"_id": "cors@2.8.5",
"_inBundle": false,
"_integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==",
"_location": "/cors",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "cors@2.8.5",
"name": "cors",
"escapedName": "cors",
"rawSpec": "2.8.5",
"saveSpec": null,
"fetchSpec": "2.8.5"
},
"_requiredBy": [
"/"
"name": "cors",
"description": "Node.js CORS middleware",
"version": "2.8.5",
"author": "Troy Goode <troygoode@gmail.com> (https://github.com/troygoode/)",
"license": "MIT",
"keywords": [
"cors",
"express",
"connect",
"middleware"
],
"_resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz",
"_shasum": "eac11da51592dd86b9f06f6e7ac293b3df875d29",
"_spec": "cors@2.8.5",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"author": {
"name": "Troy Goode",
"email": "troygoode@gmail.com",
"url": "https://github.com/troygoode/"
},
"bugs": {
"url": "https://github.com/expressjs/cors/issues"
},
"bundleDependencies": false,
"repository": "expressjs/cors",
"main": "./lib/index.js",
"dependencies": {
"object-assign": "^4",
"vary": "^1"
},
"deprecated": false,
"description": "Node.js CORS middleware",
"devDependencies": {
"after": "0.8.2",
"eslint": "2.13.1",
@ -45,9 +24,6 @@
"nyc": "13.1.0",
"supertest": "3.3.0"
},
"engines": {
"node": ">= 0.10"
},
"files": [
"lib/index.js",
"CONTRIBUTING.md",
@ -55,23 +31,11 @@
"LICENSE",
"README.md"
],
"homepage": "https://github.com/expressjs/cors#readme",
"keywords": [
"cors",
"express",
"connect",
"middleware"
],
"license": "MIT",
"main": "./lib/index.js",
"name": "cors",
"repository": {
"type": "git",
"url": "git+https://github.com/expressjs/cors.git"
"engines": {
"node": ">= 0.10"
},
"scripts": {
"lint": "eslint lib test",
"test": "npm run lint && nyc --reporter=html --reporter=text mocha --require test/support/env"
},
"version": "2.8.5"
"test": "npm run lint && nyc --reporter=html --reporter=text mocha --require test/support/env",
"lint": "eslint lib test"
}
}

85
node_modules/debug/package.json generated vendored
View File

@ -1,62 +1,25 @@
{
"_from": "debug@2.6.9",
"_id": "debug@2.6.9",
"_inBundle": false,
"_integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==",
"_location": "/debug",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "debug@2.6.9",
"name": "debug",
"escapedName": "debug",
"rawSpec": "2.6.9",
"saveSpec": null,
"fetchSpec": "2.6.9"
"name": "debug",
"version": "2.6.9",
"repository": {
"type": "git",
"url": "git://github.com/visionmedia/debug.git"
},
"_requiredBy": [
"/body-parser",
"/express",
"/express/body-parser",
"/finalhandler",
"/send"
"description": "small debugging utility",
"keywords": [
"debug",
"log",
"debugger"
],
"_resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz",
"_shasum": "5d128515df134ff327e90a4c93f4e077a536341f",
"_spec": "debug@2.6.9",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "TJ Holowaychuk",
"email": "tj@vision-media.ca"
},
"browser": "./src/browser.js",
"bugs": {
"url": "https://github.com/visionmedia/debug/issues"
},
"bundleDependencies": false,
"component": {
"scripts": {
"debug/index.js": "browser.js",
"debug/debug.js": "debug.js"
}
},
"author": "TJ Holowaychuk <tj@vision-media.ca>",
"contributors": [
{
"name": "Nathan Rajlich",
"email": "nathan@tootallnate.net",
"url": "http://n8.io"
},
{
"name": "Andrew Rhyne",
"email": "rhyneandrew@gmail.com"
}
"Nathan Rajlich <nathan@tootallnate.net> (http://n8.io)",
"Andrew Rhyne <rhyneandrew@gmail.com>"
],
"license": "MIT",
"dependencies": {
"ms": "2.0.0"
},
"deprecated": false,
"description": "small debugging utility",
"devDependencies": {
"browserify": "9.0.3",
"chai": "^3.5.0",
@ -75,18 +38,12 @@
"sinon": "^1.17.6",
"sinon-chai": "^2.8.0"
},
"homepage": "https://github.com/visionmedia/debug#readme",
"keywords": [
"debug",
"log",
"debugger"
],
"license": "MIT",
"main": "./src/index.js",
"name": "debug",
"repository": {
"type": "git",
"url": "git://github.com/visionmedia/debug.git"
},
"version": "2.6.9"
"browser": "./src/browser.js",
"component": {
"scripts": {
"debug/index.js": "browser.js",
"debug/debug.js": "debug.js"
}
}
}

View File

@ -1,134 +1,106 @@
{
"_from": "define-data-property@^1.1.2",
"_id": "define-data-property@1.1.4",
"_inBundle": false,
"_integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==",
"_location": "/define-data-property",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "define-data-property@^1.1.2",
"name": "define-data-property",
"escapedName": "define-data-property",
"rawSpec": "^1.1.2",
"saveSpec": null,
"fetchSpec": "^1.1.2"
},
"_requiredBy": [
"/set-function-length"
],
"_resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.4.tgz",
"_shasum": "894dc141bb7d3060ae4366f6a0107e68fbe48c5e",
"_spec": "define-data-property@^1.1.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/set-function-length",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/define-data-property/issues"
},
"bundleDependencies": false,
"dependencies": {
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"gopd": "^1.0.1"
},
"deprecated": false,
"description": "Define a data property on an object. Will fall back to assignment in an engine without descriptors.",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/call-bind": "^1.0.5",
"@types/define-properties": "^1.1.5",
"@types/es-value-fixtures": "^1.4.4",
"@types/for-each": "^0.3.3",
"@types/get-intrinsic": "^1.2.2",
"@types/gopd": "^1.0.3",
"@types/has-property-descriptors": "^1.0.3",
"@types/object-inspect": "^1.8.4",
"@types/object.getownpropertydescriptors": "^2.1.4",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"hasown": "^2.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"object.getownpropertydescriptors": "^2.1.7",
"reflect.ownkeys": "^1.1.4",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/ljharb/define-data-property#readme",
"keywords": [
"define",
"data",
"property",
"object",
"accessor",
"javascript",
"ecmascript",
"enumerable",
"configurable",
"writable"
],
"license": "MIT",
"main": "index.js",
"name": "define-data-property",
"publishConfig": {
"ignore": [
".github/workflows",
"types/reflect.ownkeys"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/define-data-property.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "npm run tsc",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"tsc": "tsc -p .",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"testling": {
"files": "test/index.js"
},
"types": "./index.d.ts",
"version": "1.1.4"
"name": "define-data-property",
"version": "1.1.4",
"description": "Define a data property on an object. Will fall back to assignment in an engine without descriptors.",
"main": "index.js",
"types": "./index.d.ts",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"tsc": "tsc -p .",
"prelint": "evalmd README.md",
"lint": "eslint --ext=js,mjs .",
"postlint": "npm run tsc",
"pretest": "npm run lint",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/define-data-property.git"
},
"keywords": [
"define",
"data",
"property",
"object",
"accessor",
"javascript",
"ecmascript",
"enumerable",
"configurable",
"writable"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/define-data-property/issues"
},
"homepage": "https://github.com/ljharb/define-data-property#readme",
"dependencies": {
"es-define-property": "^1.0.0",
"es-errors": "^1.3.0",
"gopd": "^1.0.1"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/call-bind": "^1.0.5",
"@types/define-properties": "^1.1.5",
"@types/es-value-fixtures": "^1.4.4",
"@types/for-each": "^0.3.3",
"@types/get-intrinsic": "^1.2.2",
"@types/gopd": "^1.0.3",
"@types/has-property-descriptors": "^1.0.3",
"@types/object-inspect": "^1.8.4",
"@types/object.getownpropertydescriptors": "^2.1.4",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"hasown": "^2.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"object.getownpropertydescriptors": "^2.1.7",
"reflect.ownkeys": "^1.1.4",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"testling": {
"files": "test/index.js"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows",
"types/reflect.ownkeys"
]
}
}

View File

@ -1,62 +1,27 @@
{
"_from": "delayed-stream@~1.0.0",
"_id": "delayed-stream@1.0.0",
"_inBundle": false,
"_integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==",
"_location": "/delayed-stream",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "delayed-stream@~1.0.0",
"name": "delayed-stream",
"escapedName": "delayed-stream",
"rawSpec": "~1.0.0",
"saveSpec": null,
"fetchSpec": "~1.0.0"
},
"_requiredBy": [
"/combined-stream"
],
"_resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz",
"_shasum": "df3ae199acadfb7d440aaae0b29e2272b24ec619",
"_spec": "delayed-stream@~1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/combined-stream",
"author": {
"name": "Felix Geisendörfer",
"email": "felix@debuggable.com",
"url": "http://debuggable.com/"
},
"bugs": {
"url": "https://github.com/felixge/node-delayed-stream/issues"
},
"bundleDependencies": false,
"author": "Felix Geisendörfer <felix@debuggable.com> (http://debuggable.com/)",
"contributors": [
{
"name": "Mike Atkins",
"email": "apeherder@gmail.com"
}
"Mike Atkins <apeherder@gmail.com>"
],
"dependencies": {},
"deprecated": false,
"description": "Buffers events from a stream until you are ready to handle them.",
"devDependencies": {
"fake": "0.2.0",
"far": "0.0.1"
},
"engines": {
"node": ">=0.4.0"
},
"homepage": "https://github.com/felixge/node-delayed-stream",
"license": "MIT",
"main": "./lib/delayed_stream",
"name": "delayed-stream",
"description": "Buffers events from a stream until you are ready to handle them.",
"license": "MIT",
"version": "1.0.0",
"homepage": "https://github.com/felixge/node-delayed-stream",
"repository": {
"type": "git",
"url": "git://github.com/felixge/node-delayed-stream.git"
},
"main": "./lib/delayed_stream",
"engines": {
"node": ">=0.4.0"
},
"scripts": {
"test": "make test"
},
"version": "1.0.0"
"dependencies": {},
"devDependencies": {
"fake": "0.2.0",
"far": "0.0.1"
}
}

67
node_modules/depd/package.json generated vendored
View File

@ -1,45 +1,18 @@
{
"_from": "depd@2.0.0",
"_id": "depd@2.0.0",
"_inBundle": false,
"_integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==",
"_location": "/depd",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "depd@2.0.0",
"name": "depd",
"escapedName": "depd",
"rawSpec": "2.0.0",
"saveSpec": null,
"fetchSpec": "2.0.0"
},
"_requiredBy": [
"/body-parser",
"/express",
"/express/body-parser",
"/http-errors",
"/send"
],
"_resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz",
"_shasum": "b696163cc757560d09cf22cc8fad1571b79e76df",
"_spec": "depd@2.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
"browser": "lib/browser/index.js",
"bugs": {
"url": "https://github.com/dougwilson/nodejs-depd/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "depd",
"description": "Deprecate all the things",
"version": "2.0.0",
"author": "Douglas Christopher Wilson <doug@somethingdoug.com>",
"license": "MIT",
"keywords": [
"deprecate",
"deprecated"
],
"repository": "dougwilson/nodejs-depd",
"browser": "lib/browser/index.js",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "2.1.4",
"beautify-benchmark": "0.2.4",
"eslint": "5.7.0",
"eslint-config-standard": "12.0.0",
"eslint-plugin-import": "2.14.0",
@ -52,9 +25,6 @@
"safe-buffer": "5.1.2",
"uid-safe": "2.1.5"
},
"engines": {
"node": ">= 0.8"
},
"files": [
"lib/",
"History.md",
@ -62,16 +32,8 @@
"index.js",
"Readme.md"
],
"homepage": "https://github.com/dougwilson/nodejs-depd#readme",
"keywords": [
"deprecate",
"deprecated"
],
"license": "MIT",
"name": "depd",
"repository": {
"type": "git",
"url": "git+https://github.com/dougwilson/nodejs-depd.git"
"engines": {
"node": ">= 0.8"
},
"scripts": {
"bench": "node benchmark/index.js",
@ -79,6 +41,5 @@
"test": "mocha --reporter spec --bail test/",
"test-ci": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter spec test/ && istanbul report lcovonly text-summary",
"test-cov": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter dot test/ && istanbul report lcov text-summary"
},
"version": "2.0.0"
}
}

66
node_modules/destroy/package.json generated vendored
View File

@ -1,46 +1,18 @@
{
"_from": "destroy@1.2.0",
"_id": "destroy@1.2.0",
"_inBundle": false,
"_integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==",
"_location": "/destroy",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "destroy@1.2.0",
"name": "destroy",
"escapedName": "destroy",
"rawSpec": "1.2.0",
"saveSpec": null,
"fetchSpec": "1.2.0"
},
"_requiredBy": [
"/body-parser",
"/express/body-parser",
"/send"
],
"_resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz",
"_shasum": "4803735509ad8be552934c67df614f94e66fa015",
"_spec": "destroy@1.2.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"name": "destroy",
"description": "destroy a stream if possible",
"version": "1.2.0",
"author": {
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
"url": "http://jongleberry.com",
"twitter": "https://twitter.com/jongleberry"
},
"bugs": {
"url": "https://github.com/stream-utils/destroy/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"deprecated": false,
"description": "destroy a stream if possible",
"license": "MIT",
"repository": "stream-utils/destroy",
"devDependencies": {
"eslint": "7.32.0",
"eslint-config-standard": "14.1.1",
@ -55,11 +27,16 @@
"node": ">= 0.8",
"npm": "1.2.8000 || >= 1.4.16"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --reporter spec",
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"files": [
"index.js",
"LICENSE"
],
"homepage": "https://github.com/stream-utils/destroy#readme",
"keywords": [
"stream",
"streams",
@ -67,18 +44,5 @@
"cleanup",
"leak",
"fd"
],
"license": "MIT",
"name": "destroy",
"repository": {
"type": "git",
"url": "git+https://github.com/stream-utils/destroy.git"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --reporter spec",
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "1.2.0"
]
}

120
node_modules/dotenv/package.json generated vendored
View File

@ -1,36 +1,48 @@
{
"_from": "dotenv@16.3.1",
"_id": "dotenv@16.3.1",
"_inBundle": false,
"_integrity": "sha512-IPzF4w4/Rd94bA9imS68tZBaYyBWSCE47V1RGuMrB94iyTOIEwRmVL2x/4An+6mETpLrKJ5hQkB8W4kFAadeIQ==",
"_location": "/dotenv",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "dotenv@16.3.1",
"name": "dotenv",
"escapedName": "dotenv",
"rawSpec": "16.3.1",
"saveSpec": null,
"fetchSpec": "16.3.1"
},
"_requiredBy": [
"/"
],
"_resolved": "https://registry.npmjs.org/dotenv/-/dotenv-16.3.1.tgz",
"_shasum": "369034de7d7e5b120972693352a3bf112172cc3e",
"_spec": "dotenv@16.3.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"browser": {
"fs": false
},
"bugs": {
"url": "https://github.com/motdotla/dotenv/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "dotenv",
"version": "16.3.1",
"description": "Loads environment variables from .env file",
"main": "lib/main.js",
"types": "lib/main.d.ts",
"exports": {
".": {
"types": "./lib/main.d.ts",
"require": "./lib/main.js",
"default": "./lib/main.js"
},
"./config": "./config.js",
"./config.js": "./config.js",
"./lib/env-options": "./lib/env-options.js",
"./lib/env-options.js": "./lib/env-options.js",
"./lib/cli-options": "./lib/cli-options.js",
"./lib/cli-options.js": "./lib/cli-options.js",
"./package.json": "./package.json"
},
"scripts": {
"dts-check": "tsc --project tests/types/tsconfig.json",
"lint": "standard",
"lint-readme": "standard-markdown",
"pretest": "npm run lint && npm run dts-check",
"test": "tap tests/*.js --100 -Rspec",
"prerelease": "npm test",
"release": "standard-version"
},
"repository": {
"type": "git",
"url": "git://github.com/motdotla/dotenv.git"
},
"funding": "https://github.com/motdotla/dotenv?sponsor=1",
"keywords": [
"dotenv",
"env",
".env",
"environment",
"variables",
"config",
"settings"
],
"readmeFilename": "README.md",
"license": "BSD-2-Clause",
"devDependencies": {
"@definitelytyped/dtslint": "^0.0.133",
"@types/node": "^18.11.3",
@ -46,47 +58,7 @@
"engines": {
"node": ">=12"
},
"exports": {
".": {
"types": "./lib/main.d.ts",
"require": "./lib/main.js",
"default": "./lib/main.js"
},
"./config": "./config.js",
"./config.js": "./config.js",
"./lib/env-options": "./lib/env-options.js",
"./lib/env-options.js": "./lib/env-options.js",
"./lib/cli-options": "./lib/cli-options.js",
"./lib/cli-options.js": "./lib/cli-options.js",
"./package.json": "./package.json"
},
"funding": "https://github.com/motdotla/dotenv?sponsor=1",
"homepage": "https://github.com/motdotla/dotenv#readme",
"keywords": [
"dotenv",
"env",
".env",
"environment",
"variables",
"config",
"settings"
],
"license": "BSD-2-Clause",
"main": "lib/main.js",
"name": "dotenv",
"repository": {
"type": "git",
"url": "git://github.com/motdotla/dotenv.git"
},
"scripts": {
"dts-check": "tsc --project tests/types/tsconfig.json",
"lint": "standard",
"lint-readme": "standard-markdown",
"prerelease": "npm test",
"pretest": "npm run lint && npm run dts-check",
"release": "standard-version",
"test": "tap tests/*.js --100 -Rspec"
},
"types": "lib/main.d.ts",
"version": "16.3.1"
"browser": {
"fs": false
}
}

View File

@ -1,39 +1,37 @@
{
"_from": "ecdsa-sig-formatter@1.0.11",
"_id": "ecdsa-sig-formatter@1.0.11",
"_inBundle": false,
"_integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==",
"_location": "/ecdsa-sig-formatter",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "ecdsa-sig-formatter@1.0.11",
"name": "ecdsa-sig-formatter",
"escapedName": "ecdsa-sig-formatter",
"rawSpec": "1.0.11",
"saveSpec": null,
"fetchSpec": "1.0.11"
"name": "ecdsa-sig-formatter",
"version": "1.0.11",
"description": "Translate ECDSA signatures between ASN.1/DER and JOSE-style concatenation",
"main": "src/ecdsa-sig-formatter.js",
"scripts": {
"check-style": "eslint .",
"pretest": "npm run check-style",
"test": "istanbul cover --root src _mocha -- spec",
"report-cov": "cat ./coverage/lcov.info | coveralls"
},
"_requiredBy": [
"/jwa"
"typings": "./src/ecdsa-sig-formatter.d.ts",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/Brightspace/node-ecdsa-sig-formatter.git"
},
"keywords": [
"ecdsa",
"der",
"asn.1",
"jwt",
"jwa",
"jsonwebtoken",
"jose"
],
"_resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz",
"_shasum": "ae0f0fa2d85045ef14a817daa3ce9acd0489e5bf",
"_spec": "ecdsa-sig-formatter@1.0.11",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/jwa",
"author": {
"name": "D2L Corporation"
},
"author": "D2L Corporation",
"license": "Apache-2.0",
"bugs": {
"url": "https://github.com/Brightspace/node-ecdsa-sig-formatter/issues"
},
"bundleDependencies": false,
"homepage": "https://github.com/Brightspace/node-ecdsa-sig-formatter#readme",
"dependencies": {
"safe-buffer": "^5.0.1"
},
"deprecated": false,
"description": "Translate ECDSA signatures between ASN.1/DER and JOSE-style concatenation",
"devDependencies": {
"bench": "^0.3.6",
"chai": "^3.5.0",
@ -44,30 +42,5 @@
"jwk-to-pem": "^1.2.5",
"mocha": "^2.5.3",
"native-crypto": "^1.7.0"
},
"homepage": "https://github.com/Brightspace/node-ecdsa-sig-formatter#readme",
"keywords": [
"ecdsa",
"der",
"asn.1",
"jwt",
"jwa",
"jsonwebtoken",
"jose"
],
"license": "Apache-2.0",
"main": "src/ecdsa-sig-formatter.js",
"name": "ecdsa-sig-formatter",
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/Brightspace/node-ecdsa-sig-formatter.git"
},
"scripts": {
"check-style": "eslint .",
"pretest": "npm run check-style",
"report-cov": "cat ./coverage/lcov.info | coveralls",
"test": "istanbul cover --root src _mocha -- spec"
},
"typings": "./src/ecdsa-sig-formatter.d.ts",
"version": "1.0.11"
}
}

52
node_modules/ee-first/package.json generated vendored
View File

@ -1,44 +1,18 @@
{
"_from": "ee-first@1.1.1",
"_id": "ee-first@1.1.1",
"_inBundle": false,
"_integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==",
"_location": "/ee-first",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "ee-first@1.1.1",
"name": "ee-first",
"escapedName": "ee-first",
"rawSpec": "1.1.1",
"saveSpec": null,
"fetchSpec": "1.1.1"
},
"_requiredBy": [
"/on-finished"
],
"_resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz",
"_shasum": "590c61156b0ae2f4f0255732a158b266bc56b21d",
"_spec": "ee-first@1.1.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/on-finished",
"name": "ee-first",
"description": "return the first event in a set of ee/event pairs",
"version": "1.1.1",
"author": {
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
"url": "http://jongleberry.com",
"twitter": "https://twitter.com/jongleberry"
},
"bugs": {
"url": "https://github.com/jonathanong/ee-first/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"deprecated": false,
"description": "return the first event in a set of ee/event pairs",
"license": "MIT",
"repository": "jonathanong/ee-first",
"devDependencies": {
"istanbul": "0.3.9",
"mocha": "2.2.5"
@ -47,17 +21,9 @@
"index.js",
"LICENSE"
],
"homepage": "https://github.com/jonathanong/ee-first#readme",
"license": "MIT",
"name": "ee-first",
"repository": {
"type": "git",
"url": "git+https://github.com/jonathanong/ee-first.git"
},
"scripts": {
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/",
"test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/"
},
"version": "1.1.1"
}
}

68
node_modules/encodeurl/package.json generated vendored
View File

@ -1,42 +1,17 @@
{
"_from": "encodeurl@~1.0.2",
"_id": "encodeurl@1.0.2",
"_inBundle": false,
"_integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==",
"_location": "/encodeurl",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "encodeurl@~1.0.2",
"name": "encodeurl",
"escapedName": "encodeurl",
"rawSpec": "~1.0.2",
"saveSpec": null,
"fetchSpec": "~1.0.2"
},
"_requiredBy": [
"/express",
"/finalhandler",
"/send",
"/serve-static"
],
"_resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz",
"_shasum": "ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59",
"_spec": "encodeurl@~1.0.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"bugs": {
"url": "https://github.com/pillarjs/encodeurl/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
],
"deprecated": false,
"name": "encodeurl",
"description": "Encode a URL to a percent-encoded form, excluding already-encoded sequences",
"version": "1.0.2",
"contributors": [
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"license": "MIT",
"keywords": [
"encode",
"encodeurl",
"url"
],
"repository": "pillarjs/encodeurl",
"devDependencies": {
"eslint": "3.19.0",
"eslint-config-standard": "10.2.1",
@ -47,32 +22,19 @@
"istanbul": "0.4.5",
"mocha": "2.5.3"
},
"engines": {
"node": ">= 0.8"
},
"files": [
"LICENSE",
"HISTORY.md",
"README.md",
"index.js"
],
"homepage": "https://github.com/pillarjs/encodeurl#readme",
"keywords": [
"encode",
"encodeurl",
"url"
],
"license": "MIT",
"name": "encodeurl",
"repository": {
"type": "git",
"url": "git+https://github.com/pillarjs/encodeurl.git"
"engines": {
"node": ">= 0.8"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/",
"test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/"
},
"version": "1.0.2"
}
}

View File

@ -1,111 +1,81 @@
{
"_from": "es-define-property@^1.0.0",
"_id": "es-define-property@1.0.0",
"_inBundle": false,
"_integrity": "sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==",
"_location": "/es-define-property",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "es-define-property@^1.0.0",
"name": "es-define-property",
"escapedName": "es-define-property",
"rawSpec": "^1.0.0",
"saveSpec": null,
"fetchSpec": "^1.0.0"
},
"_requiredBy": [
"/call-bind",
"/define-data-property",
"/has-property-descriptors"
],
"_resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.0.tgz",
"_shasum": "c7faefbdff8b2696cf5f46921edfb77cc4ba3845",
"_spec": "es-define-property@^1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/call-bind",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/es-define-property/issues"
},
"bundleDependencies": false,
"dependencies": {
"get-intrinsic": "^1.2.4"
},
"deprecated": false,
"description": "`Object.defineProperty`, but not IE 8's broken one.",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/get-intrinsic": "^1.2.2",
"@types/gopd": "^1.0.3",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "^8.8.0",
"evalmd": "^0.0.19",
"gopd": "^1.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"homepage": "https://github.com/ljharb/es-define-property#readme",
"keywords": [
"javascript",
"ecmascript",
"object",
"define",
"property",
"defineProperty",
"Object.defineProperty"
],
"license": "MIT",
"main": "index.js",
"name": "es-define-property",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/es-define-property.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"types": "./index.d.ts",
"version": "1.0.0"
"name": "es-define-property",
"version": "1.0.0",
"description": "`Object.defineProperty`, but not IE 8's broken one.",
"main": "index.js",
"types": "./index.d.ts",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"prelint": "evalmd README.md",
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p .",
"pretest": "npm run lint",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/es-define-property.git"
},
"keywords": [
"javascript",
"ecmascript",
"object",
"define",
"property",
"defineProperty",
"Object.defineProperty"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/es-define-property/issues"
},
"homepage": "https://github.com/ljharb/es-define-property#readme",
"dependencies": {
"get-intrinsic": "^1.2.4"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/get-intrinsic": "^1.2.2",
"@types/gopd": "^1.0.3",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "^8.8.0",
"evalmd": "^0.0.19",
"gopd": "^1.0.1",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
}
}

188
node_modules/es-errors/package.json generated vendored
View File

@ -1,112 +1,80 @@
{
"_from": "es-errors@^1.3.0",
"_id": "es-errors@1.3.0",
"_inBundle": false,
"_integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==",
"_location": "/es-errors",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "es-errors@^1.3.0",
"name": "es-errors",
"escapedName": "es-errors",
"rawSpec": "^1.3.0",
"saveSpec": null,
"fetchSpec": "^1.3.0"
},
"_requiredBy": [
"/call-bind",
"/define-data-property",
"/get-intrinsic",
"/set-function-length",
"/side-channel"
],
"_resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz",
"_shasum": "05f75a25dab98e4fb1dcd5e1472c0546d5057c8f",
"_spec": "es-errors@^1.3.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/side-channel",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/es-errors/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "A simple cache for a few of the JS Error constructors.",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eclint": "^2.8.1",
"eslint": "^8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./eval": "./eval.js",
"./range": "./range.js",
"./ref": "./ref.js",
"./syntax": "./syntax.js",
"./type": "./type.js",
"./uri": "./uri.js",
"./package.json": "./package.json"
},
"homepage": "https://github.com/ljharb/es-errors#readme",
"keywords": [
"javascript",
"ecmascript",
"error",
"typeerror",
"syntaxerror",
"rangeerror"
],
"license": "MIT",
"main": "index.js",
"name": "es-errors",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/es-errors.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p . && eclint check $(git ls-files | xargs find 2> /dev/null | grep -vE 'node_modules|\\.git' | grep -v dist/)",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"version": "1.3.0"
"name": "es-errors",
"version": "1.3.0",
"description": "A simple cache for a few of the JS Error constructors.",
"main": "index.js",
"exports": {
".": "./index.js",
"./eval": "./eval.js",
"./range": "./range.js",
"./ref": "./ref.js",
"./syntax": "./syntax.js",
"./type": "./type.js",
"./uri": "./uri.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"posttest": "aud --production",
"prelint": "evalmd README.md",
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p . && eclint check $(git ls-files | xargs find 2> /dev/null | grep -vE 'node_modules|\\.git' | grep -v dist/)",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/es-errors.git"
},
"keywords": [
"javascript",
"ecmascript",
"error",
"typeerror",
"syntaxerror",
"rangeerror"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/es-errors/issues"
},
"homepage": "https://github.com/ljharb/es-errors#readme",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eclint": "^2.8.1",
"eslint": "^8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"engines": {
"node": ">= 0.4"
}
}

View File

@ -1,59 +1,24 @@
{
"_from": "escape-html@~1.0.3",
"_id": "escape-html@1.0.3",
"_inBundle": false,
"_integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==",
"_location": "/escape-html",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "escape-html@~1.0.3",
"name": "escape-html",
"escapedName": "escape-html",
"rawSpec": "~1.0.3",
"saveSpec": null,
"fetchSpec": "~1.0.3"
},
"_requiredBy": [
"/express",
"/finalhandler",
"/send",
"/serve-static"
],
"_resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz",
"_shasum": "0258eae4d3d0c0974de1c169188ef0051d1d1988",
"_spec": "escape-html@~1.0.3",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"bugs": {
"url": "https://github.com/component/escape-html/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "escape-html",
"description": "Escape string for use in HTML",
"version": "1.0.3",
"license": "MIT",
"keywords": [
"escape",
"html",
"utility"
],
"repository": "component/escape-html",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "1.0.0"
"benchmark": "1.0.0",
"beautify-benchmark": "0.2.4"
},
"files": [
"LICENSE",
"Readme.md",
"index.js"
],
"homepage": "https://github.com/component/escape-html#readme",
"keywords": [
"escape",
"html",
"utility"
],
"license": "MIT",
"name": "escape-html",
"repository": {
"type": "git",
"url": "git+https://github.com/component/escape-html.git"
},
"scripts": {
"bench": "node benchmark/index.js"
},
"version": "1.0.3"
}
}

71
node_modules/etag/package.json generated vendored
View File

@ -1,44 +1,18 @@
{
"_from": "etag@~1.8.1",
"_id": "etag@1.8.1",
"_inBundle": false,
"_integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==",
"_location": "/etag",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "etag@~1.8.1",
"name": "etag",
"escapedName": "etag",
"rawSpec": "~1.8.1",
"saveSpec": null,
"fetchSpec": "~1.8.1"
},
"_requiredBy": [
"/express",
"/send"
],
"_resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz",
"_shasum": "41ae2eeb65efa62268aebfea83ac7d79299b0887",
"_spec": "etag@~1.8.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"bugs": {
"url": "https://github.com/jshttp/etag/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "David Björklund",
"email": "david.bjorklund@gmail.com"
}
],
"deprecated": false,
"name": "etag",
"description": "Create simple HTTP ETags",
"version": "1.8.1",
"contributors": [
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"David Björklund <david.bjorklund@gmail.com>"
],
"license": "MIT",
"keywords": [
"etag",
"http",
"res"
],
"repository": "jshttp/etag",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "2.1.4",
@ -54,26 +28,14 @@
"safe-buffer": "5.1.1",
"seedrandom": "2.4.3"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"LICENSE",
"HISTORY.md",
"README.md",
"index.js"
],
"homepage": "https://github.com/jshttp/etag#readme",
"keywords": [
"etag",
"http",
"res"
],
"license": "MIT",
"name": "etag",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/etag.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"bench": "node benchmark/index.js",
@ -81,6 +43,5 @@
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/",
"test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/"
},
"version": "1.8.1"
}
}

View File

@ -1,42 +1,13 @@
{
"_from": "body-parser@1.20.1",
"_id": "body-parser@1.20.1",
"_inBundle": false,
"_integrity": "sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==",
"_location": "/express/body-parser",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "body-parser@1.20.1",
"name": "body-parser",
"escapedName": "body-parser",
"rawSpec": "1.20.1",
"saveSpec": null,
"fetchSpec": "1.20.1"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.1.tgz",
"_shasum": "b1812a8912c195cd371a3ee5e66faa2338a5c668",
"_spec": "body-parser@1.20.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"bugs": {
"url": "https://github.com/expressjs/body-parser/issues"
},
"bundleDependencies": false,
"name": "body-parser",
"description": "Node.js body parsing middleware",
"version": "1.20.1",
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)"
],
"license": "MIT",
"repository": "expressjs/body-parser",
"dependencies": {
"bytes": "3.1.2",
"content-type": "~1.0.4",
@ -51,8 +22,6 @@
"type-is": "~1.6.18",
"unpipe": "1.0.0"
},
"deprecated": false,
"description": "Node.js body parsing middleware",
"devDependencies": {
"eslint": "8.24.0",
"eslint-config-standard": "14.1.1",
@ -67,10 +36,6 @@
"safe-buffer": "5.2.1",
"supertest": "6.3.0"
},
"engines": {
"node": ">= 0.8",
"npm": "1.2.8000 || >= 1.4.16"
},
"files": [
"lib/",
"LICENSE",
@ -78,18 +43,14 @@
"SECURITY.md",
"index.js"
],
"homepage": "https://github.com/expressjs/body-parser#readme",
"license": "MIT",
"name": "body-parser",
"repository": {
"type": "git",
"url": "git+https://github.com/expressjs/body-parser.git"
"engines": {
"node": ">= 0.8",
"npm": "1.2.8000 || >= 1.4.16"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --require test/support/env --reporter spec --check-leaks --bail test/",
"test-ci": "nyc --reporter=lcov --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "1.20.1"
}
}

View File

@ -1,54 +1,20 @@
{
"_from": "raw-body@2.5.1",
"_id": "raw-body@2.5.1",
"_inBundle": false,
"_integrity": "sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==",
"_location": "/express/raw-body",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "raw-body@2.5.1",
"name": "raw-body",
"escapedName": "raw-body",
"rawSpec": "2.5.1",
"saveSpec": null,
"fetchSpec": "2.5.1"
},
"_requiredBy": [
"/express/body-parser"
],
"_resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.1.tgz",
"_shasum": "fe1b1628b181b700215e5fd42389f98b71392857",
"_spec": "raw-body@2.5.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express/node_modules/body-parser",
"author": {
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
},
"bugs": {
"url": "https://github.com/stream-utils/raw-body/issues"
},
"bundleDependencies": false,
"name": "raw-body",
"description": "Get and validate the raw body of a readable stream.",
"version": "2.5.1",
"author": "Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)",
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Raynos",
"email": "raynos2@gmail.com"
}
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Raynos <raynos2@gmail.com>"
],
"license": "MIT",
"repository": "stream-utils/raw-body",
"dependencies": {
"bytes": "3.1.2",
"http-errors": "2.0.0",
"iconv-lite": "0.4.24",
"unpipe": "1.0.0"
},
"deprecated": false,
"description": "Get and validate the raw body of a readable stream.",
"devDependencies": {
"bluebird": "3.7.2",
"eslint": "7.32.0",
@ -74,18 +40,10 @@
"index.d.ts",
"index.js"
],
"homepage": "https://github.com/stream-utils/raw-body#readme",
"license": "MIT",
"name": "raw-body",
"repository": {
"type": "git",
"url": "git+https://github.com/stream-utils/raw-body.git"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --trace-deprecation --reporter spec --bail --check-leaks test/",
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "2.5.1"
}
}

121
node_modules/express/package.json generated vendored
View File

@ -1,76 +1,31 @@
{
"_from": "express@4.18.2",
"_id": "express@4.18.2",
"_inBundle": false,
"_integrity": "sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==",
"_location": "/express",
"_phantomChildren": {
"bytes": "3.1.2",
"content-type": "1.0.5",
"debug": "2.6.9",
"depd": "2.0.0",
"destroy": "1.2.0",
"http-errors": "2.0.0",
"iconv-lite": "0.4.24",
"on-finished": "2.4.1",
"qs": "6.11.0",
"type-is": "1.6.18",
"unpipe": "1.0.0"
},
"_requested": {
"type": "version",
"registry": true,
"raw": "express@4.18.2",
"name": "express",
"escapedName": "express",
"rawSpec": "4.18.2",
"saveSpec": null,
"fetchSpec": "4.18.2"
},
"_requiredBy": [
"/"
],
"_resolved": "https://registry.npmjs.org/express/-/express-4.18.2.tgz",
"_shasum": "3fabe08296e930c796c19e3c516979386ba9fd59",
"_spec": "express@4.18.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)",
"author": {
"name": "TJ Holowaychuk",
"email": "tj@vision-media.ca"
},
"bugs": {
"url": "https://github.com/expressjs/express/issues"
},
"bundleDependencies": false,
"name": "express",
"description": "Fast, unopinionated, minimalist web framework",
"version": "4.18.2",
"author": "TJ Holowaychuk <tj@vision-media.ca>",
"contributors": [
{
"name": "Aaron Heckmann",
"email": "aaron.heckmann+github@gmail.com"
},
{
"name": "Ciaran Jessup",
"email": "ciaranj@gmail.com"
},
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Guillermo Rauch",
"email": "rauchg@gmail.com"
},
{
"name": "Jonathan Ong",
"email": "me@jongleberry.com"
},
{
"name": "Roman Shtylman",
"email": "shtylman+expressjs@gmail.com"
},
{
"name": "Young Jae Sim",
"email": "hanul@hanul.me"
}
"Aaron Heckmann <aaron.heckmann+github@gmail.com>",
"Ciaran Jessup <ciaranj@gmail.com>",
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Guillermo Rauch <rauchg@gmail.com>",
"Jonathan Ong <me@jongleberry.com>",
"Roman Shtylman <shtylman+expressjs@gmail.com>",
"Young Jae Sim <hanul@hanul.me>"
],
"license": "MIT",
"repository": "expressjs/express",
"homepage": "http://expressjs.com/",
"keywords": [
"express",
"framework",
"sinatra",
"web",
"http",
"rest",
"restful",
"router",
"app",
"api"
],
"dependencies": {
"accepts": "~1.3.8",
@ -105,8 +60,6 @@
"utils-merge": "1.0.1",
"vary": "~1.1.2"
},
"deprecated": false,
"description": "Fast, unopinionated, minimalist web framework",
"devDependencies": {
"after": "0.8.2",
"connect-redis": "3.4.2",
@ -136,31 +89,11 @@
"index.js",
"lib/"
],
"homepage": "http://expressjs.com/",
"keywords": [
"express",
"framework",
"sinatra",
"web",
"http",
"rest",
"restful",
"router",
"app",
"api"
],
"license": "MIT",
"name": "express",
"repository": {
"type": "git",
"url": "git+https://github.com/expressjs/express.git"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --require test/support/env --reporter spec --bail --check-leaks test/ test/acceptance/",
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test",
"test-tap": "mocha --require test/support/env --reporter tap --check-leaks test/ test/acceptance/"
},
"version": "4.18.2"
}
}

91
node_modules/fill-range/package.json generated vendored
View File

@ -1,72 +1,38 @@
{
"_from": "fill-range@^7.0.1",
"_id": "fill-range@7.0.1",
"_inBundle": false,
"_integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
"_location": "/fill-range",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "fill-range@^7.0.1",
"name": "fill-range",
"escapedName": "fill-range",
"rawSpec": "^7.0.1",
"saveSpec": null,
"fetchSpec": "^7.0.1"
},
"_requiredBy": [
"/braces"
"name": "fill-range",
"description": "Fill in a range of numbers or letters, optionally passing an increment or `step` to use, or create a regex-compatible range with `options.toRegex`",
"version": "7.0.1",
"homepage": "https://github.com/jonschlinkert/fill-range",
"author": "Jon Schlinkert (https://github.com/jonschlinkert)",
"contributors": [
"Edo Rivai (edo.rivai.nl)",
"Jon Schlinkert (http://twitter.com/jonschlinkert)",
"Paul Miller (paulmillr.com)",
"Rouven Weßling (www.rouvenwessling.de)",
"(https://github.com/wtgtybhertgeghgtwtg)"
],
"_resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
"_shasum": "1919a6a7c75fe38b2c7c77e5198535da9acdda40",
"_spec": "fill-range@^7.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/braces",
"author": {
"name": "Jon Schlinkert",
"url": "https://github.com/jonschlinkert"
},
"repository": "jonschlinkert/fill-range",
"bugs": {
"url": "https://github.com/jonschlinkert/fill-range/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Edo Rivai",
"url": "edo.rivai.nl"
},
{
"name": "Jon Schlinkert",
"url": "http://twitter.com/jonschlinkert"
},
{
"name": "Paul Miller",
"url": "paulmillr.com"
},
{
"name": "Rouven Weßling",
"url": "www.rouvenwessling.de"
},
{
"url": "https://github.com/wtgtybhertgeghgtwtg"
}
"license": "MIT",
"files": [
"index.js"
],
"main": "index.js",
"engines": {
"node": ">=8"
},
"scripts": {
"test": "mocha"
},
"dependencies": {
"to-regex-range": "^5.0.1"
},
"deprecated": false,
"description": "Fill in a range of numbers or letters, optionally passing an increment or `step` to use, or create a regex-compatible range with `options.toRegex`",
"devDependencies": {
"gulp-format-md": "^2.0.0",
"mocha": "^6.1.1"
},
"engines": {
"node": ">=8"
},
"files": [
"index.js"
],
"homepage": "https://github.com/jonschlinkert/fill-range",
"keywords": [
"alpha",
"alphabetical",
@ -87,16 +53,6 @@
"regex",
"sh"
],
"license": "MIT",
"main": "index.js",
"name": "fill-range",
"repository": {
"type": "git",
"url": "git+https://github.com/jonschlinkert/fill-range.git"
},
"scripts": {
"test": "mocha"
},
"verb": {
"toc": false,
"layout": "default",
@ -109,6 +65,5 @@
"lint": {
"reflinks": true
}
},
"version": "7.0.1"
}
}

View File

@ -1,35 +1,10 @@
{
"_from": "finalhandler@1.2.0",
"_id": "finalhandler@1.2.0",
"_inBundle": false,
"_integrity": "sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==",
"_location": "/finalhandler",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "finalhandler@1.2.0",
"name": "finalhandler",
"escapedName": "finalhandler",
"rawSpec": "1.2.0",
"saveSpec": null,
"fetchSpec": "1.2.0"
},
"_requiredBy": [
"/express"
],
"_resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.2.0.tgz",
"_shasum": "7d23fe5731b207b4640e4fcd00aec1f9207a7b32",
"_spec": "finalhandler@1.2.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
"bugs": {
"url": "https://github.com/pillarjs/finalhandler/issues"
},
"bundleDependencies": false,
"name": "finalhandler",
"description": "Node.js final http responder",
"version": "1.2.0",
"author": "Douglas Christopher Wilson <doug@somethingdoug.com>",
"license": "MIT",
"repository": "pillarjs/finalhandler",
"dependencies": {
"debug": "2.6.9",
"encodeurl": "~1.0.2",
@ -39,8 +14,6 @@
"statuses": "2.0.1",
"unpipe": "~1.0.0"
},
"deprecated": false,
"description": "Node.js final http responder",
"devDependencies": {
"eslint": "7.32.0",
"eslint-config-standard": "14.1.1",
@ -55,27 +28,19 @@
"safe-buffer": "5.2.1",
"supertest": "6.2.2"
},
"engines": {
"node": ">= 0.8"
},
"files": [
"LICENSE",
"HISTORY.md",
"SECURITY.md",
"index.js"
],
"homepage": "https://github.com/pillarjs/finalhandler#readme",
"license": "MIT",
"name": "finalhandler",
"repository": {
"type": "git",
"url": "git+https://github.com/pillarjs/finalhandler.git"
"engines": {
"node": ">= 0.8"
},
"scripts": {
"lint": "eslint .",
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-ci": "nyc --reporter=lcovonly --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test"
},
"version": "1.2.0"
}
}

View File

@ -1,70 +1,27 @@
{
"_from": "follow-redirects@^1.15.4",
"_id": "follow-redirects@1.15.5",
"_inBundle": false,
"_integrity": "sha512-vSFWUON1B+yAw1VN4xMfxgn5fTUiaOzAJCKBwIIgT/+7CuGy9+r+5gITvP62j3RmaD5Ph65UaERdOSRGUzZtgw==",
"_location": "/follow-redirects",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "follow-redirects@^1.15.4",
"name": "follow-redirects",
"escapedName": "follow-redirects",
"rawSpec": "^1.15.4",
"saveSpec": null,
"fetchSpec": "^1.15.4"
},
"_requiredBy": [
"/axios"
],
"_resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.5.tgz",
"_shasum": "54d4d6d062c0fa7d9d17feb008461550e3ba8020",
"_spec": "follow-redirects@^1.15.4",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/axios",
"author": {
"name": "Ruben Verborgh",
"email": "ruben@verborgh.org",
"url": "https://ruben.verborgh.org/"
},
"bugs": {
"url": "https://github.com/follow-redirects/follow-redirects/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Olivier Lalonde",
"email": "olalonde@gmail.com",
"url": "http://www.syskall.com"
},
{
"name": "James Talmage",
"email": "james@talmage.io"
}
],
"deprecated": false,
"name": "follow-redirects",
"version": "1.15.5",
"description": "HTTP and HTTPS modules that follow redirects.",
"devDependencies": {
"concat-stream": "^2.0.0",
"eslint": "^5.16.0",
"express": "^4.16.4",
"lolex": "^3.1.0",
"mocha": "^6.0.2",
"nyc": "^14.1.1"
},
"engines": {
"node": ">=4.0"
},
"license": "MIT",
"main": "index.js",
"files": [
"*.js"
],
"funding": [
{
"type": "individual",
"url": "https://github.com/sponsors/RubenVerborgh"
}
],
"engines": {
"node": ">=4.0"
},
"scripts": {
"lint": "eslint *.js test",
"test": "nyc mocha"
},
"repository": {
"type": "git",
"url": "git@github.com:follow-redirects/follow-redirects.git"
},
"homepage": "https://github.com/follow-redirects/follow-redirects",
"bugs": {
"url": "https://github.com/follow-redirects/follow-redirects/issues"
},
"keywords": [
"http",
"https",
@ -74,21 +31,28 @@
"location",
"utility"
],
"license": "MIT",
"main": "index.js",
"name": "follow-redirects",
"author": "Ruben Verborgh <ruben@verborgh.org> (https://ruben.verborgh.org/)",
"contributors": [
"Olivier Lalonde <olalonde@gmail.com> (http://www.syskall.com)",
"James Talmage <james@talmage.io>"
],
"funding": [
{
"type": "individual",
"url": "https://github.com/sponsors/RubenVerborgh"
}
],
"peerDependenciesMeta": {
"debug": {
"optional": true
}
},
"repository": {
"type": "git",
"url": "git+ssh://git@github.com/follow-redirects/follow-redirects.git"
},
"scripts": {
"lint": "eslint *.js test",
"test": "nyc mocha"
},
"version": "1.15.5"
"devDependencies": {
"concat-stream": "^2.0.0",
"eslint": "^5.16.0",
"express": "^4.16.4",
"lolex": "^3.1.0",
"mocha": "^6.0.2",
"nyc": "^14.1.1"
}
}

107
node_modules/form-data/package.json generated vendored
View File

@ -1,44 +1,47 @@
{
"_from": "form-data@^4.0.0",
"_id": "form-data@4.0.0",
"_inBundle": false,
"_integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==",
"_location": "/form-data",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "form-data@^4.0.0",
"name": "form-data",
"escapedName": "form-data",
"rawSpec": "^4.0.0",
"saveSpec": null,
"fetchSpec": "^4.0.0"
},
"_requiredBy": [
"/axios"
],
"_resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz",
"_shasum": "93919daeaf361ee529584b9b31664dc12c9fa452",
"_spec": "form-data@^4.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/axios",
"author": {
"name": "Felix Geisendörfer",
"email": "felix@debuggable.com",
"url": "http://debuggable.com/"
"author": "Felix Geisendörfer <felix@debuggable.com> (http://debuggable.com/)",
"name": "form-data",
"description": "A library to create readable \"multipart/form-data\" streams. Can be used to submit forms and file uploads to other web applications.",
"version": "4.0.0",
"repository": {
"type": "git",
"url": "git://github.com/form-data/form-data.git"
},
"main": "./lib/form_data",
"browser": "./lib/browser",
"bugs": {
"url": "https://github.com/form-data/form-data/issues"
"typings": "./index.d.ts",
"scripts": {
"pretest": "rimraf coverage test/tmp",
"test": "istanbul cover test/run.js",
"posttest": "istanbul report lcov text",
"lint": "eslint lib/*.js test/*.js test/integration/*.js",
"report": "istanbul report lcov text",
"ci-lint": "is-node-modern 8 && npm run lint || is-node-not-modern 8",
"ci-test": "npm run test && npm run browser && npm run report",
"predebug": "rimraf coverage test/tmp",
"debug": "verbose=1 ./test/run.js",
"browser": "browserify -t browserify-istanbul test/run-browser.js | obake --coverage",
"check": "istanbul check-coverage coverage/coverage*.json",
"files": "pkgfiles --sort=name",
"get-version": "node -e \"console.log(require('./package.json').version)\"",
"update-readme": "sed -i.bak 's/\\/master\\.svg/\\/v'$(npm --silent run get-version)'.svg/g' README.md",
"restore-readme": "mv README.md.bak README.md",
"prepublish": "in-publish && npm run update-readme || not-in-publish",
"postpublish": "npm run restore-readme"
},
"pre-commit": [
"lint",
"ci-test",
"check"
],
"engines": {
"node": ">= 6"
},
"bundleDependencies": false,
"dependencies": {
"asynckit": "^0.4.0",
"combined-stream": "^1.0.8",
"mime-types": "^2.1.12"
},
"deprecated": false,
"description": "A library to create readable \"multipart/form-data\" streams. Can be used to submit forms and file uploads to other web applications.",
"devDependencies": {
"@types/node": "^12.0.10",
"browserify": "^13.1.1",
@ -53,49 +56,13 @@
"is-node-modern": "^1.0.0",
"istanbul": "^0.4.5",
"obake": "^0.1.2",
"puppeteer": "^1.19.0",
"pkgfiles": "^2.3.0",
"pre-commit": "^1.1.3",
"puppeteer": "^1.19.0",
"request": "^2.88.0",
"rimraf": "^2.7.1",
"tape": "^4.6.2",
"typescript": "^3.5.2"
},
"engines": {
"node": ">= 6"
},
"homepage": "https://github.com/form-data/form-data#readme",
"license": "MIT",
"main": "./lib/form_data",
"name": "form-data",
"pre-commit": [
"lint",
"ci-test",
"check"
],
"repository": {
"type": "git",
"url": "git://github.com/form-data/form-data.git"
},
"scripts": {
"browser": "browserify -t browserify-istanbul test/run-browser.js | obake --coverage",
"check": "istanbul check-coverage coverage/coverage*.json",
"ci-lint": "is-node-modern 8 && npm run lint || is-node-not-modern 8",
"ci-test": "npm run test && npm run browser && npm run report",
"debug": "verbose=1 ./test/run.js",
"files": "pkgfiles --sort=name",
"get-version": "node -e \"console.log(require('./package.json').version)\"",
"lint": "eslint lib/*.js test/*.js test/integration/*.js",
"postpublish": "npm run restore-readme",
"posttest": "istanbul report lcov text",
"predebug": "rimraf coverage test/tmp",
"prepublish": "in-publish && npm run update-readme || not-in-publish",
"pretest": "rimraf coverage test/tmp",
"report": "istanbul report lcov text",
"restore-readme": "mv README.md.bak README.md",
"test": "istanbul cover test/run.js",
"update-readme": "sed -i.bak 's/\\/master\\.svg/\\/v'$(npm --silent run get-version)'.svg/g' README.md"
},
"typings": "./index.d.ts",
"version": "4.0.0"
"license": "MIT"
}

65
node_modules/forwarded/package.json generated vendored
View File

@ -1,39 +1,17 @@
{
"_from": "forwarded@0.2.0",
"_id": "forwarded@0.2.0",
"_inBundle": false,
"_integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==",
"_location": "/forwarded",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "forwarded@0.2.0",
"name": "forwarded",
"escapedName": "forwarded",
"rawSpec": "0.2.0",
"saveSpec": null,
"fetchSpec": "0.2.0"
},
"_requiredBy": [
"/proxy-addr"
],
"_resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz",
"_shasum": "2269936428aad4c15c7ebe9779a84bf0b2a81811",
"_spec": "forwarded@0.2.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/proxy-addr",
"bugs": {
"url": "https://github.com/jshttp/forwarded/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
],
"deprecated": false,
"name": "forwarded",
"description": "Parse HTTP X-Forwarded-For header",
"version": "0.2.0",
"contributors": [
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"license": "MIT",
"keywords": [
"x-forwarded-for",
"http",
"req"
],
"repository": "jshttp/forwarded",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "2.1.4",
@ -47,26 +25,14 @@
"mocha": "8.4.0",
"nyc": "15.1.0"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"LICENSE",
"HISTORY.md",
"README.md",
"index.js"
],
"homepage": "https://github.com/jshttp/forwarded#readme",
"keywords": [
"x-forwarded-for",
"http",
"req"
],
"license": "MIT",
"name": "forwarded",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/forwarded.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"bench": "node benchmark/index.js",
@ -75,6 +41,5 @@
"test-ci": "nyc --reporter=lcov --reporter=text npm test",
"test-cov": "nyc --reporter=html --reporter=text npm test",
"version": "node scripts/version-history.js && git add HISTORY.md"
},
"version": "0.2.0"
}
}

80
node_modules/fresh/package.json generated vendored
View File

@ -1,50 +1,20 @@
{
"_from": "fresh@0.5.2",
"_id": "fresh@0.5.2",
"_inBundle": false,
"_integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==",
"_location": "/fresh",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "fresh@0.5.2",
"name": "fresh",
"escapedName": "fresh",
"rawSpec": "0.5.2",
"saveSpec": null,
"fetchSpec": "0.5.2"
},
"_requiredBy": [
"/express",
"/send"
],
"_resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz",
"_shasum": "3d8cadd90d976569fa835ab1f8e4b23a105605a7",
"_spec": "fresh@0.5.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/express",
"author": {
"name": "TJ Holowaychuk",
"email": "tj@vision-media.ca",
"url": "http://tjholowaychuk.com"
},
"bugs": {
"url": "https://github.com/jshttp/fresh/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
},
{
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
}
],
"deprecated": false,
"name": "fresh",
"description": "HTTP response freshness testing",
"version": "0.5.2",
"author": "TJ Holowaychuk <tj@vision-media.ca> (http://tjholowaychuk.com)",
"contributors": [
"Douglas Christopher Wilson <doug@somethingdoug.com>",
"Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)"
],
"license": "MIT",
"keywords": [
"fresh",
"http",
"conditional",
"cache"
],
"repository": "jshttp/fresh",
"devDependencies": {
"beautify-benchmark": "0.2.4",
"benchmark": "2.1.4",
@ -58,26 +28,13 @@
"istanbul": "0.4.5",
"mocha": "1.21.5"
},
"engines": {
"node": ">= 0.6"
},
"files": [
"HISTORY.md",
"LICENSE",
"index.js"
],
"homepage": "https://github.com/jshttp/fresh#readme",
"keywords": [
"fresh",
"http",
"conditional",
"cache"
],
"license": "MIT",
"name": "fresh",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/fresh.git"
"engines": {
"node": ">= 0.6"
},
"scripts": {
"bench": "node benchmark/index.js",
@ -85,6 +42,5 @@
"test": "mocha --reporter spec --bail --check-leaks test/",
"test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/",
"test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/"
},
"version": "0.5.2"
}
}

View File

@ -1,47 +1,23 @@
{
"_from": "function-bind@^1.1.2",
"_id": "function-bind@1.1.2",
"_inBundle": false,
"_integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==",
"_location": "/function-bind",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "function-bind@^1.1.2",
"name": "function-bind",
"escapedName": "function-bind",
"rawSpec": "^1.1.2",
"saveSpec": null,
"fetchSpec": "^1.1.2"
},
"_requiredBy": [
"/call-bind",
"/get-intrinsic",
"/hasown",
"/set-function-length"
"name": "function-bind",
"version": "1.1.2",
"description": "Implementation of Function.prototype.bind",
"keywords": [
"function",
"bind",
"shim",
"es5"
],
"_resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz",
"_shasum": "2c02d864d97f3ea6c8830c464cbd11ab6eab7a1c",
"_spec": "function-bind@^1.1.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/call-bind",
"author": {
"name": "Raynos",
"email": "raynos2@gmail.com"
"author": "Raynos <raynos2@gmail.com>",
"repository": {
"type": "git",
"url": "https://github.com/Raynos/function-bind.git"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"bugs": {
"url": "https://github.com/Raynos/function-bind/issues",
"email": "raynos2@gmail.com"
},
"bundleDependencies": false,
"main": "index",
"homepage": "https://github.com/Raynos/function-bind",
"contributors": [
{
"name": "Raynos"
@ -51,8 +27,10 @@
"url": "https://github.com/ljharb"
}
],
"deprecated": false,
"description": "Implementation of Function.prototype.bind",
"bugs": {
"url": "https://github.com/Raynos/function-bind/issues",
"email": "raynos2@gmail.com"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.3",
@ -64,39 +42,18 @@
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.1"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/Raynos/function-bind",
"keywords": [
"function",
"bind",
"shim",
"es5"
],
"license": "MIT",
"main": "index",
"name": "function-bind",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/Raynos/function-bind.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepack": "npmignore --auto --commentLines=autogenerated",
"pretest": "npm run lint",
"test": "npm run tests-only",
"posttest": "aud --production",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
"lint": "eslint --ext=js,mjs .",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"testling": {
"files": "test/index.js",
@ -114,5 +71,17 @@
"android-browser/4.2..latest"
]
},
"version": "1.1.2"
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
}
}

View File

@ -1,125 +1,93 @@
{
"_from": "get-intrinsic@^1.2.4",
"_id": "get-intrinsic@1.2.4",
"_inBundle": false,
"_integrity": "sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==",
"_location": "/get-intrinsic",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "get-intrinsic@^1.2.4",
"name": "get-intrinsic",
"escapedName": "get-intrinsic",
"rawSpec": "^1.2.4",
"saveSpec": null,
"fetchSpec": "^1.2.4"
},
"_requiredBy": [
"/call-bind",
"/es-define-property",
"/gopd",
"/set-function-length",
"/side-channel"
],
"_resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.4.tgz",
"_shasum": "e385f5a4b5227d449c3eabbad05494ef0abbeadd",
"_spec": "get-intrinsic@^1.2.4",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/side-channel",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/get-intrinsic/issues"
},
"bundleDependencies": false,
"dependencies": {
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"has-proto": "^1.0.1",
"has-symbols": "^1.0.3",
"hasown": "^2.0.0"
},
"deprecated": false,
"description": "Get and robustly cache all JS language-level intrinsics at first require time",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"call-bind": "^1.0.5",
"es-abstract": "^1.22.3",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"gopd": "^1.0.1",
"make-async-function": "^1.0.0",
"make-async-generator-function": "^1.0.0",
"make-generator-function": "^2.0.0",
"mock-property": "^1.0.3",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/ljharb/get-intrinsic#readme",
"keywords": [
"javascript",
"ecmascript",
"es",
"js",
"intrinsic",
"getintrinsic",
"es-abstract"
],
"license": "MIT",
"main": "index.js",
"name": "get-intrinsic",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/get-intrinsic.git"
},
"scripts": {
"lint": "eslint --ext=.js,.mjs .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"testling": {
"files": "test/GetIntrinsic.js"
},
"version": "1.2.4"
"name": "get-intrinsic",
"version": "1.2.4",
"description": "Get and robustly cache all JS language-level intrinsics at first require time",
"main": "index.js",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"prelint": "evalmd README.md",
"lint": "eslint --ext=.js,.mjs .",
"pretest": "npm run lint",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/get-intrinsic.git"
},
"keywords": [
"javascript",
"ecmascript",
"es",
"js",
"intrinsic",
"getintrinsic",
"es-abstract"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/get-intrinsic/issues"
},
"homepage": "https://github.com/ljharb/get-intrinsic#readme",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"call-bind": "^1.0.5",
"es-abstract": "^1.22.3",
"es-value-fixtures": "^1.4.2",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"for-each": "^0.3.3",
"gopd": "^1.0.1",
"make-async-function": "^1.0.0",
"make-async-generator-function": "^1.0.0",
"make-generator-function": "^2.0.0",
"mock-property": "^1.0.3",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"object-inspect": "^1.13.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"dependencies": {
"es-errors": "^1.3.0",
"function-bind": "^1.1.2",
"has-proto": "^1.0.1",
"has-symbols": "^1.0.3",
"hasown": "^2.0.0"
},
"testling": {
"files": "test/GetIntrinsic.js"
},
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"engines": {
"node": ">= 0.4"
}
}

View File

@ -1,51 +1,32 @@
{
"_from": "glob-parent@~5.1.2",
"_id": "glob-parent@5.1.2",
"_inBundle": false,
"_integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
"_location": "/glob-parent",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "glob-parent@~5.1.2",
"name": "glob-parent",
"escapedName": "glob-parent",
"rawSpec": "~5.1.2",
"saveSpec": null,
"fetchSpec": "~5.1.2"
},
"_requiredBy": [
"/chokidar"
],
"_resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
"_shasum": "869832c58034fe68a4093c17dc15e8340d8401c4",
"_spec": "glob-parent@~5.1.2",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/chokidar",
"author": {
"name": "Gulp Team",
"email": "team@gulpjs.com",
"url": "https://gulpjs.com/"
},
"bugs": {
"url": "https://github.com/gulpjs/glob-parent/issues"
},
"bundleDependencies": false,
"name": "glob-parent",
"version": "5.1.2",
"description": "Extract the non-magic parent path from a glob string.",
"author": "Gulp Team <team@gulpjs.com> (https://gulpjs.com/)",
"contributors": [
{
"name": "Elan Shanker",
"url": "https://github.com/es128"
},
{
"name": "Blaine Bublitz",
"email": "blaine.bublitz@gmail.com"
}
"Elan Shanker (https://github.com/es128)",
"Blaine Bublitz <blaine.bublitz@gmail.com>"
],
"repository": "gulpjs/glob-parent",
"license": "ISC",
"engines": {
"node": ">= 6"
},
"main": "index.js",
"files": [
"LICENSE",
"index.js"
],
"scripts": {
"lint": "eslint .",
"pretest": "npm run lint",
"test": "nyc mocha --async-only",
"azure-pipelines": "nyc mocha --async-only --reporter xunit -O output=test.xunit",
"coveralls": "nyc report --reporter=text-lcov | coveralls"
},
"dependencies": {
"is-glob": "^4.0.1"
},
"deprecated": false,
"description": "Extract the non-magic parent path from a glob string.",
"devDependencies": {
"coveralls": "^3.0.11",
"eslint": "^2.13.1",
@ -54,14 +35,6 @@
"mocha": "^6.0.2",
"nyc": "^13.3.0"
},
"engines": {
"node": ">= 6"
},
"files": [
"LICENSE",
"index.js"
],
"homepage": "https://github.com/gulpjs/glob-parent#readme",
"keywords": [
"glob",
"parent",
@ -71,20 +44,5 @@
"directory",
"base",
"wildcard"
],
"license": "ISC",
"main": "index.js",
"name": "glob-parent",
"repository": {
"type": "git",
"url": "git+https://github.com/gulpjs/glob-parent.git"
},
"scripts": {
"azure-pipelines": "nyc mocha --async-only --reporter xunit -O output=test.xunit",
"coveralls": "nyc report --reporter=text-lcov | coveralls",
"lint": "eslint .",
"pretest": "npm run lint",
"test": "nyc mocha --async-only"
},
"version": "5.1.2"
]
}

167
node_modules/gopd/package.json generated vendored
View File

@ -1,100 +1,71 @@
{
"_from": "gopd@^1.0.1",
"_id": "gopd@1.0.1",
"_inBundle": false,
"_integrity": "sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==",
"_location": "/gopd",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "gopd@^1.0.1",
"name": "gopd",
"escapedName": "gopd",
"rawSpec": "^1.0.1",
"saveSpec": null,
"fetchSpec": "^1.0.1"
},
"_requiredBy": [
"/define-data-property",
"/set-function-length"
],
"_resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz",
"_shasum": "29ff76de69dac7489b7c0918a5788e56477c332c",
"_spec": "gopd@^1.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/set-function-length",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/gopd/issues"
},
"bundleDependencies": false,
"dependencies": {
"get-intrinsic": "^1.1.3"
},
"deprecated": false,
"description": "`Object.getOwnPropertyDescriptor`, but accounts for IE's broken implementation.",
"devDependencies": {
"@ljharb/eslint-config": "^21.0.0",
"aud": "^2.0.1",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.0",
"safe-publish-latest": "^2.0.0",
"tape": "^5.6.1"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/ljharb/gopd#readme",
"keywords": [
"ecmascript",
"javascript",
"getownpropertydescriptor",
"property",
"descriptor"
],
"license": "MIT",
"main": "index.js",
"name": "gopd",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/gopd.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "evalmd README.md",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"version": "1.0.1"
"name": "gopd",
"version": "1.0.1",
"description": "`Object.getOwnPropertyDescriptor`, but accounts for IE's broken implementation.",
"main": "index.js",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"lint": "eslint --ext=js,mjs .",
"postlint": "evalmd README.md",
"pretest": "npm run lint",
"tests-only": "tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/ljharb/gopd.git"
},
"keywords": [
"ecmascript",
"javascript",
"getownpropertydescriptor",
"property",
"descriptor"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/gopd/issues"
},
"homepage": "https://github.com/ljharb/gopd#readme",
"dependencies": {
"get-intrinsic": "^1.1.3"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.0.0",
"aud": "^2.0.1",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.0",
"safe-publish-latest": "^2.0.0",
"tape": "^5.6.1"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
}
}

56
node_modules/has-flag/package.json generated vendored
View File

@ -1,49 +1,23 @@
{
"_from": "has-flag@^3.0.0",
"_id": "has-flag@3.0.0",
"_inBundle": false,
"_integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
"_location": "/has-flag",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "has-flag@^3.0.0",
"name": "has-flag",
"escapedName": "has-flag",
"rawSpec": "^3.0.0",
"saveSpec": null,
"fetchSpec": "^3.0.0"
},
"_requiredBy": [
"/supports-color"
],
"_resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz",
"_shasum": "b5d454dc2199ae225699f3467e5a07f3b955bafd",
"_spec": "has-flag@^3.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/supports-color",
"name": "has-flag",
"version": "3.0.0",
"description": "Check if argv has a specific flag",
"license": "MIT",
"repository": "sindresorhus/has-flag",
"author": {
"name": "Sindre Sorhus",
"email": "sindresorhus@gmail.com",
"url": "sindresorhus.com"
},
"bugs": {
"url": "https://github.com/sindresorhus/has-flag/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "Check if argv has a specific flag",
"devDependencies": {
"ava": "*",
"xo": "*"
},
"engines": {
"node": ">=4"
},
"scripts": {
"test": "xo && ava"
},
"files": [
"index.js"
],
"homepage": "https://github.com/sindresorhus/has-flag#readme",
"keywords": [
"has",
"check",
@ -63,14 +37,8 @@
"minimist",
"optimist"
],
"license": "MIT",
"name": "has-flag",
"repository": {
"type": "git",
"url": "git+https://github.com/sindresorhus/has-flag.git"
},
"scripts": {
"test": "xo && ava"
},
"version": "3.0.0"
"devDependencies": {
"ava": "*",
"xo": "*"
}
}

View File

@ -1,105 +1,77 @@
{
"_from": "has-property-descriptors@^1.0.1",
"_id": "has-property-descriptors@1.0.2",
"_inBundle": false,
"_integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==",
"_location": "/has-property-descriptors",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "has-property-descriptors@^1.0.1",
"name": "has-property-descriptors",
"escapedName": "has-property-descriptors",
"rawSpec": "^1.0.1",
"saveSpec": null,
"fetchSpec": "^1.0.1"
},
"_requiredBy": [
"/set-function-length"
],
"_resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz",
"_shasum": "963ed7d071dc7bf5f084c5bfbe0d1b6222586854",
"_spec": "has-property-descriptors@^1.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/set-function-length",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/inspect-js/has-property-descriptors/issues"
},
"bundleDependencies": false,
"dependencies": {
"es-define-property": "^1.0.0"
},
"deprecated": false,
"description": "Does the environment have full property descriptor support? Handles IE 8's broken defineProperty/gOPD.",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/inspect-js/has-property-descriptors#readme",
"keywords": [
"property",
"descriptors",
"has",
"environment",
"env",
"defineProperty",
"getOwnPropertyDescriptor"
],
"license": "MIT",
"main": "index.js",
"name": "has-property-descriptors",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/has-property-descriptors.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"testling": {
"files": "test/index.js"
},
"version": "1.0.2"
"name": "has-property-descriptors",
"version": "1.0.2",
"description": "Does the environment have full property descriptor support? Handles IE 8's broken defineProperty/gOPD.",
"main": "index.js",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"pretest": "npm run lint",
"prelint": "evalmd README.md",
"lint": "eslint --ext=js,mjs .",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/has-property-descriptors.git"
},
"keywords": [
"property",
"descriptors",
"has",
"environment",
"env",
"defineProperty",
"getOwnPropertyDescriptor"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/inspect-js/has-property-descriptors/issues"
},
"homepage": "https://github.com/inspect-js/has-property-descriptors#readme",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4"
},
"dependencies": {
"es-define-property": "^1.0.0"
},
"testling": {
"files": "test/index.js"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
}
}

180
node_modules/has-proto/package.json generated vendored
View File

@ -1,106 +1,78 @@
{
"_from": "has-proto@^1.0.1",
"_id": "has-proto@1.0.3",
"_inBundle": false,
"_integrity": "sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==",
"_location": "/has-proto",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "has-proto@^1.0.1",
"name": "has-proto",
"escapedName": "has-proto",
"rawSpec": "^1.0.1",
"saveSpec": null,
"fetchSpec": "^1.0.1"
},
"_requiredBy": [
"/get-intrinsic"
],
"_resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.3.tgz",
"_shasum": "b31ddfe9b0e6e9914536a6ab286426d0214f77fd",
"_spec": "has-proto@^1.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/get-intrinsic",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/inspect-js/has-proto/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "Does this environment have the ability to get the [[Prototype]] of an object on creation with `__proto__`?",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.5",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"homepage": "https://github.com/inspect-js/has-proto#readme",
"keywords": [
"prototype",
"proto",
"set",
"get",
"__proto__",
"getPrototypeOf",
"setPrototypeOf",
"has"
],
"license": "MIT",
"main": "index.js",
"name": "has-proto",
"publishConfig": {
"ignore": [
".github/workflows"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/has-proto.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "tape 'test/**/*.js'",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"testling": {
"files": "test/index.js"
},
"version": "1.0.3"
"name": "has-proto",
"version": "1.0.3",
"description": "Does this environment have the ability to get the [[Prototype]] of an object on creation with `__proto__`?",
"main": "index.js",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"lint": "eslint --ext=js,mjs .",
"postlint": "tsc -p .",
"pretest": "npm run lint",
"tests-only": "tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/has-proto.git"
},
"keywords": [
"prototype",
"proto",
"set",
"get",
"__proto__",
"getPrototypeOf",
"setPrototypeOf",
"has"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/inspect-js/has-proto/issues"
},
"homepage": "https://github.com/inspect-js/has-proto#readme",
"testling": {
"files": "test/index.js"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"in-publish": "^2.0.1",
"npmignore": "^0.3.1",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.5",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows"
]
}
}

223
node_modules/has-symbols/package.json generated vendored
View File

@ -1,126 +1,101 @@
{
"_from": "has-symbols@^1.0.3",
"_id": "has-symbols@1.0.3",
"_inBundle": false,
"_integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==",
"_location": "/has-symbols",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "has-symbols@^1.0.3",
"name": "has-symbols",
"escapedName": "has-symbols",
"rawSpec": "^1.0.3",
"saveSpec": null,
"fetchSpec": "^1.0.3"
},
"_requiredBy": [
"/get-intrinsic"
],
"_resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz",
"_shasum": "bb7b2c4349251dce87b125f7bdf874aa7c8b39f8",
"_spec": "has-symbols@^1.0.3",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/get-intrinsic",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com",
"url": "http://ljharb.codes"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/ljharb/has-symbols/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Jordan Harband",
"email": "ljharb@gmail.com",
"url": "http://ljharb.codes"
}
],
"deprecated": false,
"description": "Determine if the JS environment has Symbol support. Supports spec, or shams.",
"devDependencies": {
"@ljharb/eslint-config": "^20.2.3",
"aud": "^2.0.0",
"auto-changelog": "^2.4.0",
"core-js": "^2.6.12",
"eslint": "=8.8.0",
"get-own-property-symbols": "^0.9.5",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.5.2"
},
"engines": {
"node": ">= 0.4"
},
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"greenkeeper": {
"ignore": [
"core-js"
]
},
"homepage": "https://github.com/ljharb/has-symbols#readme",
"keywords": [
"Symbol",
"symbols",
"typeof",
"sham",
"polyfill",
"native",
"core-js",
"ES6"
],
"license": "MIT",
"main": "index.js",
"name": "has-symbols",
"repository": {
"type": "git",
"url": "git://github.com/inspect-js/has-symbols.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run --silent lint",
"test": "npm run tests-only",
"test:shams": "npm run --silent test:shams:getownpropertysymbols && npm run --silent test:shams:corejs",
"test:shams:corejs": "nyc node test/shams/core-js.js",
"test:shams:getownpropertysymbols": "nyc node test/shams/get-own-property-symbols.js",
"test:staging": "nyc node --harmony --es-staging test",
"test:stock": "nyc node test",
"tests-only": "npm run test:stock && npm run test:staging && npm run test:shams",
"version": "auto-changelog && git add CHANGELOG.md"
},
"testling": {
"files": "test/index.js",
"browsers": [
"iexplore/6.0..latest",
"firefox/3.0..6.0",
"firefox/15.0..latest",
"firefox/nightly",
"chrome/4.0..10.0",
"chrome/20.0..latest",
"chrome/canary",
"opera/10.0..latest",
"opera/next",
"safari/4.0..latest",
"ipad/6.0..latest",
"iphone/6.0..latest",
"android-browser/4.2"
]
},
"version": "1.0.3"
"name": "has-symbols",
"version": "1.0.3",
"description": "Determine if the JS environment has Symbol support. Supports spec, or shams.",
"main": "index.js",
"scripts": {
"prepublishOnly": "safe-publish-latest",
"prepublish": "not-in-publish || npm run prepublishOnly",
"pretest": "npm run --silent lint",
"test": "npm run tests-only",
"posttest": "aud --production",
"tests-only": "npm run test:stock && npm run test:staging && npm run test:shams",
"test:stock": "nyc node test",
"test:staging": "nyc node --harmony --es-staging test",
"test:shams": "npm run --silent test:shams:getownpropertysymbols && npm run --silent test:shams:corejs",
"test:shams:corejs": "nyc node test/shams/core-js.js",
"test:shams:getownpropertysymbols": "nyc node test/shams/get-own-property-symbols.js",
"lint": "eslint --ext=js,mjs .",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git://github.com/inspect-js/has-symbols.git"
},
"keywords": [
"Symbol",
"symbols",
"typeof",
"sham",
"polyfill",
"native",
"core-js",
"ES6"
],
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com",
"url": "http://ljharb.codes"
},
"contributors": [
{
"name": "Jordan Harband",
"email": "ljharb@gmail.com",
"url": "http://ljharb.codes"
}
],
"funding": {
"url": "https://github.com/sponsors/ljharb"
},
"license": "MIT",
"bugs": {
"url": "https://github.com/ljharb/has-symbols/issues"
},
"homepage": "https://github.com/ljharb/has-symbols#readme",
"devDependencies": {
"@ljharb/eslint-config": "^20.2.3",
"aud": "^2.0.0",
"auto-changelog": "^2.4.0",
"core-js": "^2.6.12",
"eslint": "=8.8.0",
"get-own-property-symbols": "^0.9.5",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.5.2"
},
"testling": {
"files": "test/index.js",
"browsers": [
"iexplore/6.0..latest",
"firefox/3.0..6.0",
"firefox/15.0..latest",
"firefox/nightly",
"chrome/4.0..10.0",
"chrome/20.0..latest",
"chrome/canary",
"opera/10.0..latest",
"opera/next",
"safari/4.0..latest",
"ipad/6.0..latest",
"iphone/6.0..latest",
"android-browser/4.2"
]
},
"engines": {
"node": ">= 0.4"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"greenkeeper": {
"ignore": [
"core-js"
]
}
}

202
node_modules/hasown/package.json generated vendored
View File

@ -1,117 +1,89 @@
{
"_from": "hasown@^2.0.0",
"_id": "hasown@2.0.1",
"_inBundle": false,
"_integrity": "sha512-1/th4MHjnwncwXsIW6QMzlvYL9kG5e/CpVvLRZe4XPa8TOUNbCELqmvhDmnkNsAjwaG4+I8gJJL0JBvTTLO9qA==",
"_location": "/hasown",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "hasown@^2.0.0",
"name": "hasown",
"escapedName": "hasown",
"rawSpec": "^2.0.0",
"saveSpec": null,
"fetchSpec": "^2.0.0"
},
"_requiredBy": [
"/get-intrinsic"
],
"_resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.1.tgz",
"_shasum": "26f48f039de2c0f8d3356c223fb8d50253519faa",
"_spec": "hasown@^2.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/get-intrinsic",
"author": {
"name": "Jordan Harband",
"email": "ljharb@gmail.com"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"bugs": {
"url": "https://github.com/inspect-js/hasOwn/issues"
},
"bundleDependencies": false,
"dependencies": {
"function-bind": "^1.1.2"
},
"deprecated": false,
"description": "A robust, ES3 compatible, \"has own property\" predicate.",
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/function-bind": "^1.1.10",
"@types/mock-property": "^1.0.2",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"mock-property": "^1.0.3",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"homepage": "https://github.com/inspect-js/hasOwn#readme",
"keywords": [
"has",
"hasOwnProperty",
"hasOwn",
"has-own",
"own",
"has",
"property",
"in",
"javascript",
"ecmascript"
],
"license": "MIT",
"main": "index.js",
"name": "hasown",
"publishConfig": {
"ignore": [
".github/workflows",
"test"
]
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/hasOwn.git"
},
"scripts": {
"lint": "eslint --ext=js,mjs .",
"postlint": "npm run tsc",
"posttest": "aud --production",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"",
"prelint": "evalmd README.md",
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"pretest": "npm run lint",
"test": "npm run tests-only",
"tests-only": "nyc tape 'test/**/*.js'",
"tsc": "tsc -p .",
"version": "auto-changelog && git add CHANGELOG.md"
},
"sideEffects": false,
"testling": {
"files": "test/index.js"
},
"types": "index.d.ts",
"version": "2.0.1"
"name": "hasown",
"version": "2.0.1",
"description": "A robust, ES3 compatible, \"has own property\" predicate.",
"main": "index.js",
"exports": {
".": "./index.js",
"./package.json": "./package.json"
},
"types": "index.d.ts",
"sideEffects": false,
"scripts": {
"prepack": "npmignore --auto --commentLines=autogenerated",
"prepublish": "not-in-publish || npm run prepublishOnly",
"prepublishOnly": "safe-publish-latest",
"prelint": "evalmd README.md",
"lint": "eslint --ext=js,mjs .",
"postlint": "npm run tsc",
"pretest": "npm run lint",
"tsc": "tsc -p .",
"tests-only": "nyc tape 'test/**/*.js'",
"test": "npm run tests-only",
"posttest": "aud --production",
"version": "auto-changelog && git add CHANGELOG.md",
"postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\""
},
"repository": {
"type": "git",
"url": "git+https://github.com/inspect-js/hasOwn.git"
},
"keywords": [
"has",
"hasOwnProperty",
"hasOwn",
"has-own",
"own",
"has",
"property",
"in",
"javascript",
"ecmascript"
],
"author": "Jordan Harband <ljharb@gmail.com>",
"license": "MIT",
"bugs": {
"url": "https://github.com/inspect-js/hasOwn/issues"
},
"homepage": "https://github.com/inspect-js/hasOwn#readme",
"dependencies": {
"function-bind": "^1.1.2"
},
"devDependencies": {
"@ljharb/eslint-config": "^21.1.0",
"@types/function-bind": "^1.1.10",
"@types/mock-property": "^1.0.2",
"@types/tape": "^5.6.4",
"aud": "^2.0.4",
"auto-changelog": "^2.4.0",
"eslint": "=8.8.0",
"evalmd": "^0.0.19",
"in-publish": "^2.0.1",
"mock-property": "^1.0.3",
"npmignore": "^0.3.1",
"nyc": "^10.3.2",
"safe-publish-latest": "^2.0.0",
"tape": "^5.7.4",
"typescript": "next"
},
"engines": {
"node": ">= 0.4"
},
"testling": {
"files": "test/index.js"
},
"auto-changelog": {
"output": "CHANGELOG.md",
"template": "keepachangelog",
"unreleased": false,
"commitLimit": false,
"backfillLimit": false,
"hideCredit": true
},
"publishConfig": {
"ignore": [
".github/workflows",
"test"
]
}
}

View File

@ -1,51 +1,14 @@
{
"_from": "http-errors@2.0.0",
"_id": "http-errors@2.0.0",
"_inBundle": false,
"_integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==",
"_location": "/http-errors",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "http-errors@2.0.0",
"name": "http-errors",
"escapedName": "http-errors",
"rawSpec": "2.0.0",
"saveSpec": null,
"fetchSpec": "2.0.0"
},
"_requiredBy": [
"/body-parser",
"/express",
"/express/body-parser",
"/express/raw-body",
"/raw-body",
"/send"
],
"_resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz",
"_shasum": "b7774a1486ef73cf7667ac9ae0858c012c57b9d3",
"_spec": "http-errors@2.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "Jonathan Ong",
"email": "me@jongleberry.com",
"url": "http://jongleberry.com"
},
"bugs": {
"url": "https://github.com/jshttp/http-errors/issues"
},
"bundleDependencies": false,
"name": "http-errors",
"description": "Create HTTP error objects",
"version": "2.0.0",
"author": "Jonathan Ong <me@jongleberry.com> (http://jongleberry.com)",
"contributors": [
{
"name": "Alan Plum",
"email": "me@pluma.io"
},
{
"name": "Douglas Christopher Wilson",
"email": "doug@somethingdoug.com"
}
"Alan Plum <me@pluma.io>",
"Douglas Christopher Wilson <doug@somethingdoug.com>"
],
"license": "MIT",
"repository": "jshttp/http-errors",
"dependencies": {
"depd": "2.0.0",
"inherits": "2.0.4",
@ -53,8 +16,6 @@
"statuses": "2.0.1",
"toidentifier": "1.0.1"
},
"deprecated": false,
"description": "Create HTTP error objects",
"devDependencies": {
"eslint": "7.32.0",
"eslint-config-standard": "14.1.1",
@ -69,23 +30,6 @@
"engines": {
"node": ">= 0.8"
},
"files": [
"index.js",
"HISTORY.md",
"LICENSE",
"README.md"
],
"homepage": "https://github.com/jshttp/http-errors#readme",
"keywords": [
"http",
"error"
],
"license": "MIT",
"name": "http-errors",
"repository": {
"type": "git",
"url": "git+https://github.com/jshttp/http-errors.git"
},
"scripts": {
"lint": "eslint . && node ./scripts/lint-readme-list.js",
"test": "mocha --reporter spec --bail",
@ -93,5 +37,14 @@
"test-cov": "nyc --reporter=html --reporter=text npm test",
"version": "node scripts/version-history.js && git add HISTORY.md"
},
"version": "2.0.0"
"keywords": [
"http",
"error"
],
"files": [
"index.js",
"HISTORY.md",
"LICENSE",
"README.md"
]
}

119
node_modules/iconv-lite/package.json generated vendored
View File

@ -1,79 +1,46 @@
{
"_from": "iconv-lite@0.4.24",
"_id": "iconv-lite@0.4.24",
"_inBundle": false,
"_integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==",
"_location": "/iconv-lite",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "iconv-lite@0.4.24",
"name": "iconv-lite",
"escapedName": "iconv-lite",
"rawSpec": "0.4.24",
"saveSpec": null,
"fetchSpec": "0.4.24"
},
"_requiredBy": [
"/body-parser",
"/express/body-parser",
"/express/raw-body",
"/raw-body"
],
"_resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz",
"_shasum": "2022b4b25fbddc21d2f524974a474aafe733908b",
"_spec": "iconv-lite@0.4.24",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/body-parser",
"author": {
"name": "Alexander Shtuchkin",
"email": "ashtuchkin@gmail.com"
},
"browser": {
"./lib/extend-node": false,
"./lib/streams": false
},
"bugs": {
"url": "https://github.com/ashtuchkin/iconv-lite/issues"
},
"bundleDependencies": false,
"dependencies": {
"safer-buffer": ">= 2.1.2 < 3"
},
"deprecated": false,
"description": "Convert character encodings in pure javascript.",
"devDependencies": {
"async": "*",
"errto": "*",
"iconv": "*",
"istanbul": "*",
"mocha": "^3.1.0",
"request": "~2.87.0",
"semver": "*",
"unorm": "*"
},
"engines": {
"node": ">=0.10.0"
},
"homepage": "https://github.com/ashtuchkin/iconv-lite",
"keywords": [
"iconv",
"convert",
"charset",
"icu"
],
"license": "MIT",
"main": "./lib/index.js",
"name": "iconv-lite",
"repository": {
"type": "git",
"url": "git://github.com/ashtuchkin/iconv-lite.git"
},
"scripts": {
"coverage": "istanbul cover _mocha -- --grep .",
"coverage-open": "open coverage/lcov-report/index.html",
"test": "mocha --reporter spec --grep ."
},
"typings": "./lib/index.d.ts",
"version": "0.4.24"
"description": "Convert character encodings in pure javascript.",
"version": "0.4.24",
"license": "MIT",
"keywords": [
"iconv",
"convert",
"charset",
"icu"
],
"author": "Alexander Shtuchkin <ashtuchkin@gmail.com>",
"main": "./lib/index.js",
"typings": "./lib/index.d.ts",
"homepage": "https://github.com/ashtuchkin/iconv-lite",
"bugs": "https://github.com/ashtuchkin/iconv-lite/issues",
"repository": {
"type": "git",
"url": "git://github.com/ashtuchkin/iconv-lite.git"
},
"engines": {
"node": ">=0.10.0"
},
"scripts": {
"coverage": "istanbul cover _mocha -- --grep .",
"coverage-open": "open coverage/lcov-report/index.html",
"test": "mocha --reporter spec --grep ."
},
"browser": {
"./lib/extend-node": false,
"./lib/streams": false
},
"devDependencies": {
"mocha": "^3.1.0",
"request": "~2.87.0",
"unorm": "*",
"errto": "*",
"async": "*",
"istanbul": "*",
"semver": "*",
"iconv": "*"
},
"dependencies": {
"safer-buffer": ">= 2.1.2 < 3"
}
}

View File

@ -1,45 +1,18 @@
{
"_from": "ignore-by-default@^1.0.1",
"_id": "ignore-by-default@1.0.1",
"_inBundle": false,
"_integrity": "sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA==",
"_location": "/ignore-by-default",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "ignore-by-default@^1.0.1",
"name": "ignore-by-default",
"escapedName": "ignore-by-default",
"rawSpec": "^1.0.1",
"saveSpec": null,
"fetchSpec": "^1.0.1"
},
"_requiredBy": [
"/nodemon"
],
"_resolved": "https://registry.npmjs.org/ignore-by-default/-/ignore-by-default-1.0.1.tgz",
"_shasum": "48ca6d72f6c6a3af00a9ad4ae6876be3889e2b09",
"_spec": "ignore-by-default@^1.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/nodemon",
"author": {
"name": "Mark Wubben",
"url": "https://novemberborn.net/"
},
"bugs": {
"url": "https://github.com/novemberborn/ignore-by-default/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "ignore-by-default",
"version": "1.0.1",
"description": "A list of directories you should ignore by default",
"devDependencies": {
"figures": "^1.4.0",
"standard": "^6.0.4"
},
"main": "index.js",
"files": [
"index.js"
],
"homepage": "https://github.com/novemberborn/ignore-by-default#readme",
"scripts": {
"test": "standard && node test.js"
},
"repository": {
"type": "git",
"url": "git+https://github.com/novemberborn/ignore-by-default.git"
},
"keywords": [
"ignore",
"chokidar",
@ -48,15 +21,14 @@
"glob",
"pattern"
],
"author": "Mark Wubben (https://novemberborn.net/)",
"license": "ISC",
"main": "index.js",
"name": "ignore-by-default",
"repository": {
"type": "git",
"url": "git+https://github.com/novemberborn/ignore-by-default.git"
"bugs": {
"url": "https://github.com/novemberborn/ignore-by-default/issues"
},
"scripts": {
"test": "standard && node test.js"
},
"version": "1.0.1"
"homepage": "https://github.com/novemberborn/ignore-by-default#readme",
"devDependencies": {
"figures": "^1.4.0",
"standard": "^6.0.4"
}
}

58
node_modules/inherits/package.json generated vendored
View File

@ -1,44 +1,7 @@
{
"_from": "inherits@2.0.4",
"_id": "inherits@2.0.4",
"_inBundle": false,
"_integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
"_location": "/inherits",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "inherits@2.0.4",
"name": "inherits",
"escapedName": "inherits",
"rawSpec": "2.0.4",
"saveSpec": null,
"fetchSpec": "2.0.4"
},
"_requiredBy": [
"/concat-stream",
"/http-errors",
"/readable-stream"
],
"_resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
"_shasum": "0fa2c64f932917c3433a0ded55363aae37416b7c",
"_spec": "inherits@2.0.4",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/http-errors",
"browser": "./inherits_browser.js",
"bugs": {
"url": "https://github.com/isaacs/inherits/issues"
},
"bundleDependencies": false,
"deprecated": false,
"name": "inherits",
"description": "Browser-friendly inheritance fully compatible with standard node.js inherits()",
"devDependencies": {
"tap": "^14.2.4"
},
"files": [
"inherits.js",
"inherits_browser.js"
],
"homepage": "https://github.com/isaacs/inherits#readme",
"version": "2.0.4",
"keywords": [
"inheritance",
"class",
@ -49,15 +12,18 @@
"browser",
"browserify"
],
"license": "ISC",
"main": "./inherits.js",
"name": "inherits",
"repository": {
"type": "git",
"url": "git://github.com/isaacs/inherits.git"
},
"browser": "./inherits_browser.js",
"repository": "git://github.com/isaacs/inherits",
"license": "ISC",
"scripts": {
"test": "tap"
},
"version": "2.0.4"
"devDependencies": {
"tap": "^14.2.4"
},
"files": [
"inherits.js",
"inherits_browser.js"
]
}

133
node_modules/ip-address/package.json generated vendored
View File

@ -1,42 +1,60 @@
{
"_from": "ip-address@^9.0.5",
"_id": "ip-address@9.0.5",
"_inBundle": false,
"_integrity": "sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==",
"_location": "/ip-address",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "ip-address@^9.0.5",
"name": "ip-address",
"escapedName": "ip-address",
"rawSpec": "^9.0.5",
"saveSpec": null,
"fetchSpec": "^9.0.5"
},
"_requiredBy": [
"/socks"
"name": "ip-address",
"description": "A library for parsing IPv4 and IPv6 IP addresses in node and the browser.",
"keywords": [
"ipv6",
"ipv4",
"browser",
"validation"
],
"_resolved": "https://registry.npmjs.org/ip-address/-/ip-address-9.0.5.tgz",
"_shasum": "117a960819b08780c3bd1f14ef3c1cc1d3f3ea5a",
"_spec": "ip-address@^9.0.5",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/socks",
"author": {
"name": "Beau Gunderson",
"email": "beau@beaugunderson.com",
"url": "https://beaugunderson.com/"
"version": "9.0.5",
"author": "Beau Gunderson <beau@beaugunderson.com> (https://beaugunderson.com/)",
"license": "MIT",
"main": "dist/ip-address.js",
"types": "dist/ip-address.d.ts",
"scripts": {
"docs": "documentation build --github --output docs --format html ./ip-address.js",
"build": "rm -rf dist; mkdir dist; tsc",
"prepack": "npm run build",
"release": "release-it",
"test-ci": "nyc mocha",
"test": "mocha",
"watch": "mocha --watch"
},
"bugs": {
"url": "https://github.com/beaugunderson/ip-address/issues"
"nyc": {
"extension": [
".ts"
],
"exclude": [
"**/*.d.ts",
".eslintrc.js",
"coverage/",
"dist/",
"test/",
"tmp/"
],
"reporter": [
"html",
"lcov",
"text"
],
"all": true
},
"engines": {
"node": ">= 12"
},
"files": [
"src",
"dist"
],
"repository": {
"type": "git",
"url": "git://github.com/beaugunderson/ip-address.git"
},
"bundleDependencies": false,
"dependencies": {
"jsbn": "1.1.0",
"sprintf-js": "^1.1.3"
},
"deprecated": false,
"description": "A library for parsing IPv4 and IPv6 IP addresses in node and the browser.",
"devDependencies": {
"@types/chai": "^4.2.18",
"@types/jsbn": "^1.2.31",
@ -65,56 +83,5 @@
"source-map-support": "^0.5.19",
"ts-node": "^10.0.0",
"typescript": "^5.2.2"
},
"engines": {
"node": ">= 12"
},
"files": [
"src",
"dist"
],
"homepage": "https://github.com/beaugunderson/ip-address#readme",
"keywords": [
"ipv6",
"ipv4",
"browser",
"validation"
],
"license": "MIT",
"main": "dist/ip-address.js",
"name": "ip-address",
"nyc": {
"extension": [
".ts"
],
"exclude": [
"**/*.d.ts",
".eslintrc.js",
"coverage/",
"dist/",
"test/",
"tmp/"
],
"reporter": [
"html",
"lcov",
"text"
],
"all": true
},
"repository": {
"type": "git",
"url": "git://github.com/beaugunderson/ip-address.git"
},
"scripts": {
"build": "rm -rf dist; mkdir dist; tsc",
"docs": "documentation build --github --output docs --format html ./ip-address.js",
"prepack": "npm run build",
"release": "release-it",
"test": "mocha",
"test-ci": "nyc mocha",
"watch": "mocha --watch"
},
"types": "dist/ip-address.d.ts",
"version": "9.0.5"
}
}

63
node_modules/ipaddr.js/package.json generated vendored
View File

@ -1,70 +1,35 @@
{
"_from": "ipaddr.js@1.9.1",
"_id": "ipaddr.js@1.9.1",
"_inBundle": false,
"_integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==",
"_location": "/ipaddr.js",
"_phantomChildren": {},
"_requested": {
"type": "version",
"registry": true,
"raw": "ipaddr.js@1.9.1",
"name": "ipaddr.js",
"escapedName": "ipaddr.js",
"rawSpec": "1.9.1",
"saveSpec": null,
"fetchSpec": "1.9.1"
},
"_requiredBy": [
"/proxy-addr"
],
"_resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz",
"_shasum": "bff38543eeb8984825079ff3a2a8e6cbd46781b3",
"_spec": "ipaddr.js@1.9.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/proxy-addr",
"author": {
"name": "whitequark",
"email": "whitequark@whitequark.org"
},
"bugs": {
"url": "https://github.com/whitequark/ipaddr.js/issues"
},
"bundleDependencies": false,
"dependencies": {},
"deprecated": false,
"name": "ipaddr.js",
"description": "A library for manipulating IPv4 and IPv6 addresses in JavaScript.",
"version": "1.9.1",
"author": "whitequark <whitequark@whitequark.org>",
"directories": {
"lib": "./lib"
},
"dependencies": {},
"devDependencies": {
"coffee-script": "~1.12.6",
"nodeunit": "^0.11.3",
"uglify-js": "~3.0.19"
},
"directories": {
"lib": "./lib"
},
"engines": {
"node": ">= 0.10"
"scripts": {
"test": "cake build test"
},
"files": [
"lib/",
"LICENSE",
"ipaddr.min.js"
],
"homepage": "https://github.com/whitequark/ipaddr.js#readme",
"keywords": [
"ip",
"ipv4",
"ipv6"
],
"license": "MIT",
"repository": "git://github.com/whitequark/ipaddr.js",
"main": "./lib/ipaddr.js",
"name": "ipaddr.js",
"repository": {
"type": "git",
"url": "git://github.com/whitequark/ipaddr.js.git"
"engines": {
"node": ">= 0.10"
},
"scripts": {
"test": "cake build test"
},
"types": "./lib/ipaddr.js.d.ts",
"version": "1.9.1"
"license": "MIT",
"types": "./lib/ipaddr.js.d.ts"
}

View File

@ -1,72 +1,40 @@
{
"_from": "is-binary-path@~2.1.0",
"_id": "is-binary-path@2.1.0",
"_inBundle": false,
"_integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==",
"_location": "/is-binary-path",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "is-binary-path@~2.1.0",
"name": "is-binary-path",
"escapedName": "is-binary-path",
"rawSpec": "~2.1.0",
"saveSpec": null,
"fetchSpec": "~2.1.0"
},
"_requiredBy": [
"/chokidar"
],
"_resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz",
"_shasum": "ea1f7f3b80f064236e83470f86c09c254fb45b09",
"_spec": "is-binary-path@~2.1.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/chokidar",
"author": {
"name": "Sindre Sorhus",
"email": "sindresorhus@gmail.com",
"url": "sindresorhus.com"
},
"bugs": {
"url": "https://github.com/sindresorhus/is-binary-path/issues"
},
"bundleDependencies": false,
"dependencies": {
"binary-extensions": "^2.0.0"
},
"deprecated": false,
"description": "Check if a file path is a binary file",
"devDependencies": {
"ava": "^1.4.1",
"tsd": "^0.7.2",
"xo": "^0.24.0"
},
"engines": {
"node": ">=8"
},
"files": [
"index.js",
"index.d.ts"
],
"homepage": "https://github.com/sindresorhus/is-binary-path#readme",
"keywords": [
"binary",
"extensions",
"extension",
"file",
"path",
"check",
"detect",
"is"
],
"license": "MIT",
"name": "is-binary-path",
"repository": {
"type": "git",
"url": "git+https://github.com/sindresorhus/is-binary-path.git"
},
"scripts": {
"test": "xo && ava && tsd"
},
"version": "2.1.0"
"name": "is-binary-path",
"version": "2.1.0",
"description": "Check if a file path is a binary file",
"license": "MIT",
"repository": "sindresorhus/is-binary-path",
"author": {
"name": "Sindre Sorhus",
"email": "sindresorhus@gmail.com",
"url": "sindresorhus.com"
},
"engines": {
"node": ">=8"
},
"scripts": {
"test": "xo && ava && tsd"
},
"files": [
"index.js",
"index.d.ts"
],
"keywords": [
"binary",
"extensions",
"extension",
"file",
"path",
"check",
"detect",
"is"
],
"dependencies": {
"binary-extensions": "^2.0.0"
},
"devDependencies": {
"ava": "^1.4.1",
"tsd": "^0.7.2",
"xo": "^0.24.0"
}
}

67
node_modules/is-extglob/package.json generated vendored
View File

@ -1,48 +1,28 @@
{
"_from": "is-extglob@^2.1.1",
"_id": "is-extglob@2.1.1",
"_inBundle": false,
"_integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
"_location": "/is-extglob",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "is-extglob@^2.1.1",
"name": "is-extglob",
"escapedName": "is-extglob",
"rawSpec": "^2.1.1",
"saveSpec": null,
"fetchSpec": "^2.1.1"
},
"_requiredBy": [
"/is-glob"
],
"_resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
"_shasum": "a88c02535791f02ed37c76a1b9ea9773c833f8c2",
"_spec": "is-extglob@^2.1.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/is-glob",
"author": {
"name": "Jon Schlinkert",
"url": "https://github.com/jonschlinkert"
},
"name": "is-extglob",
"description": "Returns true if a string has an extglob.",
"version": "2.1.1",
"homepage": "https://github.com/jonschlinkert/is-extglob",
"author": "Jon Schlinkert (https://github.com/jonschlinkert)",
"repository": "jonschlinkert/is-extglob",
"bugs": {
"url": "https://github.com/jonschlinkert/is-extglob/issues"
},
"bundleDependencies": false,
"deprecated": false,
"description": "Returns true if a string has an extglob.",
"license": "MIT",
"files": [
"index.js"
],
"main": "index.js",
"engines": {
"node": ">=0.10.0"
},
"scripts": {
"test": "mocha"
},
"devDependencies": {
"gulp-format-md": "^0.1.10",
"mocha": "^3.0.2"
},
"engines": {
"node": ">=0.10.0"
},
"files": [
"index.js"
],
"homepage": "https://github.com/jonschlinkert/is-extglob",
"keywords": [
"bash",
"braces",
@ -62,16 +42,6 @@
"string",
"test"
],
"license": "MIT",
"main": "index.js",
"name": "is-extglob",
"repository": {
"type": "git",
"url": "git+https://github.com/jonschlinkert/is-extglob.git"
},
"scripts": {
"test": "mocha"
},
"verb": {
"toc": false,
"layout": "default",
@ -95,6 +65,5 @@
"lint": {
"reflinks": true
}
},
"version": "2.1.1"
}
}

83
node_modules/is-glob/package.json generated vendored
View File

@ -1,66 +1,36 @@
{
"_from": "is-glob@~4.0.1",
"_id": "is-glob@4.0.3",
"_inBundle": false,
"_integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
"_location": "/is-glob",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "is-glob@~4.0.1",
"name": "is-glob",
"escapedName": "is-glob",
"rawSpec": "~4.0.1",
"saveSpec": null,
"fetchSpec": "~4.0.1"
},
"_requiredBy": [
"/chokidar",
"/glob-parent"
"name": "is-glob",
"description": "Returns `true` if the given string looks like a glob pattern or an extglob pattern. This makes it easy to create code that only uses external modules like node-glob when necessary, resulting in much faster code execution and initialization time, and a better user experience.",
"version": "4.0.3",
"homepage": "https://github.com/micromatch/is-glob",
"author": "Jon Schlinkert (https://github.com/jonschlinkert)",
"contributors": [
"Brian Woodward (https://twitter.com/doowb)",
"Daniel Perez (https://tuvistavie.com)",
"Jon Schlinkert (http://twitter.com/jonschlinkert)"
],
"_resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
"_shasum": "64f61e42cbbb2eec2071a9dac0b28ba1e65d5084",
"_spec": "is-glob@~4.0.1",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/chokidar",
"author": {
"name": "Jon Schlinkert",
"url": "https://github.com/jonschlinkert"
},
"repository": "micromatch/is-glob",
"bugs": {
"url": "https://github.com/micromatch/is-glob/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Brian Woodward",
"url": "https://twitter.com/doowb"
},
{
"name": "Daniel Perez",
"url": "https://tuvistavie.com"
},
{
"name": "Jon Schlinkert",
"url": "http://twitter.com/jonschlinkert"
}
"license": "MIT",
"files": [
"index.js"
],
"main": "index.js",
"engines": {
"node": ">=0.10.0"
},
"scripts": {
"test": "mocha && node benchmark.js"
},
"dependencies": {
"is-extglob": "^2.1.1"
},
"deprecated": false,
"description": "Returns `true` if the given string looks like a glob pattern or an extglob pattern. This makes it easy to create code that only uses external modules like node-glob when necessary, resulting in much faster code execution and initialization time, and a better user experience.",
"devDependencies": {
"gulp-format-md": "^0.1.10",
"mocha": "^3.0.2"
},
"engines": {
"node": ">=0.10.0"
},
"files": [
"index.js"
],
"homepage": "https://github.com/micromatch/is-glob",
"keywords": [
"bash",
"braces",
@ -80,16 +50,6 @@
"string",
"test"
],
"license": "MIT",
"main": "index.js",
"name": "is-glob",
"repository": {
"type": "git",
"url": "git+https://github.com/micromatch/is-glob.git"
},
"scripts": {
"test": "mocha && node benchmark.js"
},
"verb": {
"layout": "default",
"plugins": [
@ -117,6 +77,5 @@
"verb",
"vinyl"
]
},
"version": "4.0.3"
}
}

82
node_modules/is-number/package.json generated vendored
View File

@ -1,64 +1,35 @@
{
"_from": "is-number@^7.0.0",
"_id": "is-number@7.0.0",
"_inBundle": false,
"_integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
"_location": "/is-number",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "is-number@^7.0.0",
"name": "is-number",
"escapedName": "is-number",
"rawSpec": "^7.0.0",
"saveSpec": null,
"fetchSpec": "^7.0.0"
},
"_requiredBy": [
"/to-regex-range"
"name": "is-number",
"description": "Returns true if a number or string value is a finite number. Useful for regex matches, parsing, user input, etc.",
"version": "7.0.0",
"homepage": "https://github.com/jonschlinkert/is-number",
"author": "Jon Schlinkert (https://github.com/jonschlinkert)",
"contributors": [
"Jon Schlinkert (http://twitter.com/jonschlinkert)",
"Olsten Larck (https://i.am.charlike.online)",
"Rouven Weßling (www.rouvenwessling.de)"
],
"_resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
"_shasum": "7535345b896734d5f80c4d06c50955527a14f12b",
"_spec": "is-number@^7.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/to-regex-range",
"author": {
"name": "Jon Schlinkert",
"url": "https://github.com/jonschlinkert"
},
"repository": "jonschlinkert/is-number",
"bugs": {
"url": "https://github.com/jonschlinkert/is-number/issues"
},
"bundleDependencies": false,
"contributors": [
{
"name": "Jon Schlinkert",
"url": "http://twitter.com/jonschlinkert"
},
{
"name": "Olsten Larck",
"url": "https://i.am.charlike.online"
},
{
"name": "Rouven Weßling",
"url": "www.rouvenwessling.de"
}
"license": "MIT",
"files": [
"index.js"
],
"deprecated": false,
"description": "Returns true if a number or string value is a finite number. Useful for regex matches, parsing, user input, etc.",
"main": "index.js",
"engines": {
"node": ">=0.12.0"
},
"scripts": {
"test": "mocha"
},
"devDependencies": {
"ansi": "^0.3.1",
"benchmark": "^2.1.4",
"gulp-format-md": "^1.0.0",
"mocha": "^3.5.3"
},
"engines": {
"node": ">=0.12.0"
},
"files": [
"index.js"
],
"homepage": "https://github.com/jonschlinkert/is-number",
"keywords": [
"cast",
"check",
@ -87,16 +58,6 @@
"typeof",
"value"
],
"license": "MIT",
"main": "index.js",
"name": "is-number",
"repository": {
"type": "git",
"url": "git+https://github.com/jonschlinkert/is-number.git"
},
"scripts": {
"test": "mocha"
},
"verb": {
"toc": false,
"layout": "default",
@ -117,6 +78,5 @@
"lint": {
"reflinks": true
}
},
"version": "7.0.0"
}
}

62
node_modules/isarray/package.json generated vendored
View File

@ -1,58 +1,28 @@
{
"_from": "isarray@~1.0.0",
"_id": "isarray@1.0.0",
"_inBundle": false,
"_integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==",
"_location": "/isarray",
"_phantomChildren": {},
"_requested": {
"type": "range",
"registry": true,
"raw": "isarray@~1.0.0",
"name": "isarray",
"escapedName": "isarray",
"rawSpec": "~1.0.0",
"saveSpec": null,
"fetchSpec": "~1.0.0"
},
"_requiredBy": [
"/readable-stream"
],
"_resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz",
"_shasum": "bb935d48582cba168c06834957a54a3e07124f11",
"_spec": "isarray@~1.0.0",
"_where": "/home/appzia-android/Downloads/7fife_api (1)/node_modules/readable-stream",
"author": {
"name": "Julian Gruber",
"email": "mail@juliangruber.com",
"url": "http://juliangruber.com"
},
"bugs": {
"url": "https://github.com/juliangruber/isarray/issues"
},
"bundleDependencies": false,
"dependencies": {},
"deprecated": false,
"name": "isarray",
"description": "Array#isArray for older browsers",
"version": "1.0.0",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/isarray.git"
},
"homepage": "https://github.com/juliangruber/isarray",
"main": "index.js",
"dependencies": {},
"devDependencies": {
"tape": "~2.13.4"
},
"homepage": "https://github.com/juliangruber/isarray",
"keywords": [
"browser",
"isarray",
"array"
],
"author": {
"name": "Julian Gruber",
"email": "mail@juliangruber.com",
"url": "http://juliangruber.com"
},
"license": "MIT",
"main": "index.js",
"name": "isarray",
"repository": {
"type": "git",
"url": "git://github.com/juliangruber/isarray.git"
},
"scripts": {
"test": "tape test.js"
},
"testling": {
"files": "test.js",
"browsers": [
@ -69,5 +39,7 @@
"android-browser/4.2..latest"
]
},
"version": "1.0.0"
"scripts": {
"test": "tape test.js"
}
}

Some files were not shown because too many files have changed in this diff Show More