Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[ADD] put_in_pack_stock: Created custom put in pack module #647

Draft
wants to merge 1 commit into
base: 18.0
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions put_in_pack_stock/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
from . import models
from . import tests
16 changes: 16 additions & 0 deletions put_in_pack_stock/__manifest__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
{
'name': 'Put In Pack -Stock',
'category': 'Stock/PutInPack2',
'summary': 'Full Traceability Report Demo Data',
'author': 'Odoo S.A.',
'depends': ['stock','purchase'],
'description': "Custom put in pack button for Inventory Transfer",
'license': 'LGPL-3',
'installable': True,
'data': [
'views/view_custom_put_in_pack.xml',
'views/view_stock_move_put_in_pack.xml',
'views/stock_move_views.xml',
'views/stock_quant_views.xml',
]
}
2 changes: 2 additions & 0 deletions put_in_pack_stock/models/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
from . import stock_picking
from . import stock_move
124 changes: 124 additions & 0 deletions put_in_pack_stock/models/stock_move.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,124 @@
from odoo import api, models, fields
from odoo.exceptions import UserError


class StockMove(models.Model):
_inherit = 'stock.move'

# Boolean field to control whether the 'Put in Pack' button is visible
# based on the related picking type's configuration.
put_in_pack_toggle = fields.Boolean(
string="Put In Pack",
related="picking_type_id.put_in_pack_toggle"
)
# Field to define the number of packages to create.
package_qty = fields.Integer(
string="Package Qty:",
help="Number of packages to create for the product.",
default=1
)
# Selection field to specify the type of package used (e.g., Box or Carton).
package_type = fields.Selection(
selection=[
('box', "Box"),
('carton', "Carton")
],
string="Package Type",
help="Defines the type of package used for the product."
)
# Field to define the maximum quantity of the product that fits into one package.
package_size = fields.Integer(
string="Package Size",
help="Number of product units contained in each package.",
default=0
)
def make_package(self):
"""Creates a new stock package with a name based on the product."""
package = self.env['stock.quant.package'].create({
'name': f"{self.product_id.name} Package"
})
return package
def make_move_line(self, package, qty_done, lot_id=False, lot_name=False):
"""
Creates a stock move line linked to the given package.

:param package: The package where the product will be moved.
:param qty_done: The quantity of the product in the package.
:param lot_id: (Optional) Lot ID if tracking by lot.
:param lot_name: (Optional) Lot name if tracking by lot.
"""
self.env['stock.move.line'].create({
'move_id': self.id,
'result_package_id': package.id,
'qty_done': qty_done, # Uses the total quantity of the product
'product_id': self.product_id.id,
'product_uom_id': self.product_id.uom_id.id,
'lot_id': lot_id,
'lot_name': lot_name
})
def action_custom_put_in_pack(self):
"""
Custom action to package the entire quantity of the product in one package.
- Ensures that there is available quantity to package.
- Removes existing move lines before packaging.
- Creates a new package and assigns the move line to it.
"""
self.ensure_one()
if self.product_uom_qty <= 0:
raise UserError("No quantity available to package.")
# Remove existing move lines before creating a new packaged move line
self.move_line_ids.unlink()
# Create a new package and assign the entire quantity
package = self.make_package()
self.make_move_line(package=package, qty_done=self.product_uom_qty)
def action_generate_package(self):
"""
Generates multiple packages based on package size and tracking type.
- If tracking is none, the product is split into multiple packages.
- If tracking is by lot, packages are created per lot.
"""
self.ensure_one()
# Case: No tracking (all quantities can be freely split into packages)
if self.has_tracking == 'none':
self.move_line_ids.unlink()
demand = self.product_uom_qty
correct_uom = self.product_id.uom_id.id
if not correct_uom:
raise ValueError(f"Product {self.product_id.name} does not have a valid UoM set!")
# Create the required number of packages based on demand and package size
for _ in range(self.package_qty):
if demand <= 0:
break
package = self.make_package()
qty_to_pack = min(demand, self.package_size)
self.make_move_line(package=package, qty_done=qty_to_pack)
demand -= qty_to_pack
# Case: Tracking by lot (each lot must be packaged separately)
elif self.has_tracking == 'lot':
correct_uom = self.product_id.uom_id.id
temp_store_package = []
for line in self.move_line_ids:
lot_quantity = line.quantity
lot_id = self.id
# Split each lot quantity into separate packages
while lot_quantity:
package = self.make_package()
qty_to_pack = min(lot_quantity, self.package_size)
# Store package details before creating move lines
temp_store_package.append({
'lot_id': line.lot_id.id,
'lot_name': line.lot_name,
'result_package_id': package,
'qty_done': qty_to_pack
})
lot_quantity -= qty_to_pack
# Remove old move lines before creating new ones
self.move_line_ids.unlink()
# Assign products to the newly created packages
for package_data in temp_store_package:
self.make_move_line(
package=package_data['result_package_id'],
qty_done=package_data['qty_done'],
lot_id=package_data['lot_id'],
lot_name=package_data['lot_name']
)
18 changes: 18 additions & 0 deletions put_in_pack_stock/models/stock_picking.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,18 @@
from odoo import fields, models


class PickingType(models.Model):
_inherit = "stock.picking.type"

# Boolean field to enable or disable the 'Put In Pack' feature for this picking type
put_in_pack_toggle = fields.Boolean(
string="Put In Pack"
)

class Picking(models.Model):
_inherit = "stock.picking"

# Related field to get the 'Put In Pack' setting from the associated picking type
put_in_pack_toggle = fields.Boolean(
related="picking_type_id.put_in_pack_toggle"
)
1 change: 1 addition & 0 deletions put_in_pack_stock/tests/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
from . import test_put_in_pack
97 changes: 97 additions & 0 deletions put_in_pack_stock/tests/test_put_in_pack.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,97 @@
from odoo.tests.common import TransactionCase
from odoo.exceptions import UserError


class TestPutInPack(TransactionCase):
@classmethod
def setUpClass(cls):
super(TestPutInPack, cls).setUpClass()

#Create a Test Product
cls.productDenim = cls.env['product.product'].create({
'name': 'Denim Jeans',
'type': 'consu',
'tracking': 'none'
})

cls.productKurti = cls.env['product.product'].create({
'name': 'Kurti',
'type': 'consu',
'tracking': 'lot'
})

# Create a Test Picking Type with 'Put In Pack' enabled
cls.picking_type = cls.env['stock.picking.type'].create({
'name': 'Test Picking Type',
'sequence_code': 'outgoing',
'put_in_pack_toggle': True
})

# Create a Test Picking
cls.picking = cls.env['stock.picking'].create({
'picking_type_id': cls.picking_type.id,
'put_in_pack_toggle': True
})

# Create a Test Stock Move
cls.move_productDenim = cls.env['stock.move'].create({
'name': 'Denim Move',
'product_id': cls.productDenim.id,
'product_uom_qty': 10,
'product_uom': cls.env.ref('uom.product_uom_unit').id,
'location_id': cls.env.ref('stock.stock_location_stock').id,
'location_dest_id': cls.env.ref('stock.stock_location_customers').id,
'picking_id': cls.picking.id,
'picking_type_id': cls.picking.picking_type_id.id,
})
cls.move_productKurti = cls.env['stock.move'].create({
'name': 'Kurti Move',
'product_id': cls.productKurti.id,
'product_uom_qty': 10,
'product_uom': cls.env.ref('uom.product_uom_unit').id,
'location_id': cls.env.ref('stock.stock_location_stock').id,
'location_dest_id': cls.env.ref('stock.stock_location_customers').id,
'picking_id': cls.picking.id,
'picking_type_id': cls.picking_type.id,
'has_tracking': 'lot'
})

def test_action_custom_put_in_pack_productDenim(self):
"""Test the custom put in pack action for Denim Jeans"""
self.move_productDenim.action_custom_put_in_pack()
self.assertTrue(self.move_productDenim.move_line_ids.result_package_id, "Denim Jeans Package was not created correctly")

def test_action_custom_put_in_pack_productKurti(self):
"""Test the custom put in pack action for Kurti"""
self.move_productKurti.action_custom_put_in_pack()
self.assertTrue(self.move_productKurti.move_line_ids.result_package_id, "Kurti Package was not created correctly")

def test_no_quantity_to_pack(self):
"""Ensure error is raised when no quantity is available to package"""
self.move_productDenim.product_uom_qty=0
with self.assertRaises(UserError):
self.move_productDenim.action_custom_put_in_pack()

def test_package_size_handling(self):
"""Ensure package size is correctly handled when generating packages."""
self.move_productDenim.package_size = 4
self.move_productDenim.package_qty = 3
self.move_productDenim.action_generate_package()

self.assertEqual(len(self.move_productDenim.move_line_ids), 3, "Package size handling incorrect.")

def test_multiple_packages_for_lots(self):
"""Ensure that products tracked by lots generate multiple packages correctly."""
lot = self.env['stock.lot'].create({
'name': 'KURTI-001',
'product_id': self.productKurti.id,
})
move_line = self.env['stock.move.line'].create({
'move_id': self.move_productKurti.id,
'product_id': self.productKurti.id,
'qty_done': 10,
'lot_id': lot.id
})
self.move_productKurti.package_size = 2
self.move_productKurti.action_generate_package()
self.assertTrue(self.move_productKurti.move_line_ids.result_package_id, "Lot-based packaging not created.")
17 changes: 17 additions & 0 deletions put_in_pack_stock/views/stock_move_views.xml
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
<odoo>
<record id="view_detailed_operation_custom" model="ir.ui.view">
<field name="name">Detailed Operation Inherit</field>
<field name="model">stock.move</field>
<field name="inherit_id" ref="stock.view_stock_move_operations"/>
<field name="arch" type="xml">
<xpath expr="//form/group/group" position="after">
<group invisible="not put_in_pack_toggle">
<field name="package_qty" invisible="has_tracking not in ('none')"/>
<field name="package_size"/>
<field name="package_type"/>
<button name="action_generate_package" type="object" class="btn-primary" string="Generate Packages"/>
</group>
</xpath>
</field>
</record>
</odoo>
12 changes: 12 additions & 0 deletions put_in_pack_stock/views/stock_quant_views.xml
Original file line number Diff line number Diff line change
@@ -0,0 +1,12 @@
<odoo>
<record id="view_stock_quant_tree_inherit" model="ir.ui.view">
<field name="name">stock.quant.tree.inherit</field>
<field name="model">stock.quant</field>
<field name="inherit_id" ref="stock.quant_search_view"/>
<field name="arch" type="xml">
<xpath expr="//filter[@name='company']" position="after">
<filter name="group_by_packaging" string="Packaging" domain="[]" context="{'group_by': 'package_id'}"/>
</xpath>
</field>
</record>
</odoo>
12 changes: 12 additions & 0 deletions put_in_pack_stock/views/view_custom_put_in_pack.xml
Original file line number Diff line number Diff line change
@@ -0,0 +1,12 @@
<odoo>
<record id="view_picking_type_tree_inherit" model="ir.ui.view">
<field name="name">Operation types Inherit</field>
<field name="model">stock.picking.type</field>
<field name="inherit_id" ref="stock.view_picking_type_tree" />
<field name="arch" type="xml">
<xpath expr="//field[@name='company_id']" position="before">
<field name="put_in_pack_toggle" string="Put in Pack" widget="boolean_toggle"/>
</xpath>
</field>
</record>
</odoo>
24 changes: 24 additions & 0 deletions put_in_pack_stock/views/view_stock_move_put_in_pack.xml
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
<odoo>
<record id="view_picking_form_inherit" model="ir.ui.view">
<field name="name">stock.picking.form.inherit</field>
<field name="model">stock.picking</field>
<field name="inherit_id" ref="stock.view_picking_form" />
<field name="arch" type="xml">
<xpath expr="//page[@name='operations']//field[@name='quantity']" position="before">
<field name="put_in_pack_toggle" column_invisible="1"/>
<button
name="action_custom_put_in_pack"
class="btn-secondary"
string="Put in pack"
type="object"
invisible="put_in_pack_toggle != True"/>
</xpath>
<xpath expr="//page[@name='operations']//field[@name='product_packaging_id']" position="attributes">
<attribute name="column_invisible">parent.put_in_pack_toggle</attribute>
</xpath>
<xpath expr="//page[@name='operations']//button[@name='action_put_in_pack']" position="attributes">
<attribute name="invisible">state in ('draft', 'done', 'cancel') or put_in_pack_toggle</attribute>
</xpath>
</field>
</record>
</odoo>