Ir al contenido
Odoo Menú
  • Iniciar sesión
  • Pruébalo gratis
  • Aplicaciones
    Finanzas
    • Contabilidad
    • Facturación
    • Gastos
    • Hoja de cálculo (BI)
    • Documentos
    • Firma electrónica
    Ventas
    • CRM
    • Ventas
    • PdV para tiendas
    • PdV para restaurantes
    • Suscripciones
    • Alquiler
    Sitios web
    • Creador de sitios web
    • Comercio electrónico
    • Blog
    • Foro
    • Chat en vivo
    • eLearning
    Cadena de suministro
    • Inventario
    • Manufactura
    • PLM
    • Compras
    • Mantenimiento
    • Calidad
    Recursos humanos
    • Empleados
    • Reclutamiento
    • Vacaciones
    • Evaluaciones
    • Referencias
    • Flotilla
    Marketing
    • Redes sociales
    • Marketing por correo
    • Marketing por SMS
    • Eventos
    • Automatización de marketing
    • Encuestas
    Servicios
    • Proyectos
    • Registro de horas
    • Servicio externo
    • Soporte al cliente
    • Planeación
    • Citas
    Productividad
    • Conversaciones
    • Aprobaciones
    • IoT
    • VoIP
    • Artículos
    • WhatsApp
    Aplicaciones externas Studio de Odoo Plataforma de Odoo en la nube
  • Industrias
    Venta minorista
    • Librería
    • Tienda de ropa
    • Mueblería
    • Tienda de abarrotes
    • Ferretería
    • Juguetería
    Alimentos y hospitalidad
    • Bar y pub
    • Restaurante
    • Comida rápida
    • Casa de huéspedes
    • Distribuidora de bebidas
    • Hotel
    Bienes inmuebles
    • Agencia inmobiliaria
    • Estudio de arquitectura
    • Construcción
    • Gestión de bienes inmuebles
    • Jardinería
    • Asociación de propietarios
    Consultoría
    • Firma contable
    • Partner de Odoo
    • Agencia de marketing
    • Bufete de abogados
    • Adquisición de talentos
    • Auditorías y certificaciones
    Manufactura
    • Textil
    • Metal
    • Muebles
    • Comida
    • Cervecería
    • Regalos corporativos
    Salud y ejercicio
    • Club deportivo
    • Óptica
    • Gimnasio
    • Especialistas en bienestar
    • Farmacia
    • Peluquería
    Trades
    • Personal de mantenimiento
    • Hardware y soporte de TI
    • Sistemas de energía solar
    • Zapateros y fabricantes de calzado
    • Servicios de limpieza
    • Servicios de calefacción, ventilación y aire acondicionado
    Otros
    • Organización sin fines de lucro
    • Agencia para la protección del medio ambiente
    • Alquiler de anuncios publicitarios
    • Fotografía
    • Alquiler de bicicletas
    • Distribuidor de software
    Descubre todas las industrias
  • Odoo Community
    Aprende
    • Tutoriales
    • Documentación
    • Certificaciones
    • Capacitación
    • Blog
    • Podcast
    Fortalece la educación
    • Programa educativo
    • Scale Up! El juego empresarial
    • Visita Odoo
    Obtén el software
    • Descargar
    • Compara ediciones
    • Versiones
    Colabora
    • GitHub
    • Foro
    • Eventos
    • Traducciones
    • Conviértete en partner
    • Servicios para partners
    • Registra tu firma contable
    Obtén servicios
    • Encuentra un partner
    • Encuentra un contador
    • Contacta a un consultor
    • Servicios de implementación
    • Referencias de clientes
    • Soporte
    • Actualizaciones
    GitHub YouTube Twitter LinkedIn Instagram Facebook Spotify
    +1 (650) 691-3277
    Solicita una demostración
  • Precios
  • Ayuda

Odoo is the world's easiest all-in-one management software.
It includes hundreds of business apps:

  • CRM
  • e-Commerce
  • Contabilidad
  • Inventario
  • PoS
  • Proyectos
  • MRP
All apps
Debe estar registrado para interactuar con la comunidad.
Todas las publicaciones Personas Insignias
Etiquetas (Ver todo)
odoo accounting v14 pos v15
Acerca de este foro
Debe estar registrado para interactuar con la comunidad.
Todas las publicaciones Personas Insignias
Etiquetas (Ver todo)
odoo accounting v14 pos v15
Acerca de este foro
Ayuda

put report in module

Suscribirse

Reciba una notificación cuando haya actividad en esta publicación

Se marcó esta pregunta
modulev7reportingreport
2 Respuestas
21833 Vistas
Avatar
Zakaria

I want to put my report in a module to migrate it, please help me.

5
Avatar
Descartar
Avatar
Anas Taji
Mejor respuesta

To be able to successfully install your custom reports into any openERP database you need the following:

  1. You need to have the openERP Report Designer installed into your current database(module name:OpenOffice Report Designer - base_report_designer)

  2. Install the plugin provided by the module into LibreOffice/OpenOffice from Tools->Extension Manager, restart the office suit.

  3. A new menu should appear 'OpenERP Report Designer', Connect to the current database by clicking on 'Server Parameters'.

  4. After that you can create a new report or modify existing one.

You should create three files in order to create a new report, see the following example.

Part 1: Creating the report

.sxw file: this file will help you createing the report layout and to generate the .rml file later on.(e.g new_report.sxw)

.rml file: this file can be generated from .sxw file by clicking on OpenERP Report Designer->Export to RML.(e.g new_report.rml)

.py file: (e.g new_report.py) Example

# -*- coding: utf-8 -*-

import time
from openerp.report import report_sxw

class new_report(report_sxw.rml_parse):
    def __init__(self, cr, uid, name, context):
        super(new_report, self).__init__(cr, uid, name, context=context)
        self.localcontext.update( {'time': time,})

report_sxw.report_sxw('report.new_report', 'account.move',
                      'addons/my_reports/new_report.rml',
                      parser=new_report)

Part 2: Defining the report

You need to create a new python package under addons directory.(e.g my_reports), example:

my_reports.__init__.py : this file must import the python file we previously created.

import new_report

my_reports.__openerp__.py : this file contains informations about our new module.

{
    'name' : 'Zakaria Custom Reports',
    'version' : '1.0',
    'category' : 'Extra Reports',
    'author'  : 'Zakaria',
    'license' : 'AGPL-3',
    'depends' : ['base',],
    'update_xml' : ['my_reports_reports.xml',],
    'installable': True,
    'application': True,
    'auto_install': False,
    'description': '''
This module adds new reports.
============================================================
    '''
}

my_reports.my_reports_reports.xml : this file will define the new report in the database by adding a new record to ir_act_report_xml table.

<?xml version="1.0" encoding="utf-8"?>
<openerp>
    <data>
        <report 
        auto="False" 
        id="new_report_id" 
        model="account.move" 
        name="new_report" 
        rml="my_reports/new_report.rml" 
        string="New Report"/>
    </data>
</openerp>

Now go to settings->Update Module List then go to settings->installed modules and remove the filter 'Installed' then find your module (Zakaria Custom Reports - my_reports) and install it.

Its good idea to take a look at my module as example, it has two reports one for printing the 'Journal Entries' and the other for printing product moves, DOWNLOAD

Hope this will help you..%

UPDATE You need the RML file for the modified report "invoice.invoice", then you need to create a new module that contains the RML file and an XML. but the XML must follow the following form.

<?xml version="1.0" encoding="utf-8"?>
<openerp>
    <data noupdate="0">
        <report
        auto="False"
        id="account.account_invoices"
        model="account.invoice"
        name="account.invoice"
        rml="extra_reports/reports/account_print_invoice.rml"
        string="Invoices"/>
    <data>
<openerp>

Notice the following:

  • noupdate="0" : this will search for the report id first, if found then update, else create new record.
  • id="account.account_invoices" : the original report id is "account_invoices", but as we are out side the original module we need to add the original module name to the id.

Now go to database, ir_act_window_report_xml and make sure that your report overwrite the original one and not add to the list. Final Note: make sure to set attachment_use column to FALSE.

17
Avatar
Descartar
Zakaria
Autor

Thank you Anas for the reply, but I do not want to create a new report, what I did was is : changed the report invoice.invoice with openoffice on my database ,and added some fields on my page Customers invoice in openerp, and Now I want to deliver this to another database on another openerp server. Can you help to do this?

Yakito

I feel stupid even for asking this, but after following all the steps where I am suppose to see the "link" to actually generate the report? Thanks and sorry.

Alloice Lagat

Hi Anas,,Can i get a report to show daily reports for payments,refunds and to show the total cash expected daily

Avatar
vim24
Mejor respuesta

What we did was export the invoice to a .csv. - go to Settings > Technical > Actions > Reports. - search for 'Invoice' in the search bar to insure thats the only one you export - click the tick box next to the report (while still viewing as a list) - Under the 'More' option, choose 'Export' - Export all the required fields, (including the rml and sxw)

You can then chuck it in a module for importing with your data OR manually import by going back to Settings > Technical > Actions > Report with 'base.import' installed and click the 'Import' button

3
Avatar
Descartar
RISHABH THAPLIYAL

Please Suggest me solution for this query..When I make changes for the customer and supplier invoice reporting it automatically sometimes changes for refunds also as both uses the invoice same object.. I want the refunds and invoices reports to be different . please let me know how to fix it asap??

vim24

Depends how different you want them to look. If its just small changes, try using the Report designer and adding in statements checking the type before displaying different parts. For example, the headings are currently changed depending on whether the report is for refunds or invoice, using statements like [[ (o.type=='in_refund' or removeParentNode('para')) ]]

RISHABH THAPLIYAL

I need to change the headings for invoice and refunds but when I make changes in invoice report it also reflects in refund..I need help that how to make them same.Please give the statements required to do it and where in .sxw or .rml..response awaited..

vim24

If you have the report designer working, using that is a lot easier. Our company has had some difficulty with it, so have ended up finding changing the rml directly easier. Have a look at /addons/account/report/account_print_invoice.rml, lines 172-178 are doing what you describe. Just copy that into the place you want to change, and adapt it to your needs. Save the file, and the invoice/refund should show the changes immediately.

RISHABH THAPLIYAL

thank you for this response and please if u can tell about this issue-Inventory Report Print in PDF and Excel in OpenERP..As we Click on the print command for inventory it doesn't show any progress because i think this functionaity is not included in it.How to do this pleasee suggest??

R.sridevi

Based on this example i created report module for my own module...i just want to print my report but not to fetch any data.....when i try to install module i get xml architecture https://www.dropbox.com/sh/x90ykrocworffkz/rusLpiXGVE.....please some one help me

¿Le interesa esta conversación? ¡Participe en ella!

Cree una cuenta para poder utilizar funciones exclusivas e interactuar con la comunidad.

Registrarse
Publicaciones relacionadas Respuestas Vistas Actividad
Is it possible for a report to use data from two unrelated tables?
v7 reporting report
Avatar
Avatar
1
mar 15
8478
Page x of y in rml report (total page count)
v7 reporting report reports
Avatar
Avatar
2
abr 15
8132
Chaning the Reportname
reporting report
Avatar
Avatar
1
jul 24
2116
Display report only in form view?
v7 report
Avatar
Avatar
1
ene 24
5450
What's the best engine for reporting ?
v7 reporting
Avatar
Avatar
Avatar
2
mar 15
9762
Comunidad
  • Tutoriales
  • Documentación
  • Foro
Código abierto
  • Descargar
  • GitHub
  • Runbot
  • Traducciones
Servicios
  • Alojamiento en Odoo.sh
  • Soporte
  • Actualizaciones del software
  • Desarrollos personalizados
  • Educación
  • Encuentra un contador
  • Encuentra un partner
  • Conviértete en partner
Sobre nosotros
  • Nuestra empresa
  • Activos de marca
  • Contáctanos
  • Empleos
  • Eventos
  • Podcast
  • Blog
  • Clientes
  • Legal • Privacidad
  • Seguridad
الْعَرَبيّة Català 简体中文 繁體中文 (台灣) Čeština Dansk Nederlands English Suomi Français Deutsch हिंदी Bahasa Indonesia Italiano 日本語 한국어 (KR) Lietuvių kalba Język polski Português (BR) română русский язык Slovenský jazyk slovenščina Español (América Latina) Español ภาษาไทย Türkçe українська Tiếng Việt

Odoo es un conjunto de aplicaciones de código abierto que cubren todas las necesidades de tu empresa: CRM, comercio electrónico, contabilidad, inventario, punto de venta, gestión de proyectos, etc.

La propuesta única de valor de Odoo es ser muy fácil de usar y estar totalmente integrado.

Website made with

Odoo Experience on YouTube

1. Use the live chat to ask your questions.
2. The operator answers within a few minutes.

Live support on Youtube
Watch now