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

How to create two models in a function similar to fields ?

Suscribirse

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

Se marcó esta pregunta
javascriptspreadsheets
2 Respuestas
8738 Vistas
Avatar
divya

hi frnds,

for example i have a function like

fx=oe_browse("project.issue", "id name description user_id project_id partner_id day_open day_close working_hours_open working_hours_close")

how to add another model like project.project  in that same function

 

function onOpen() {
  var ss = SpreadsheetApp.getActiveSpreadsheet();
  var menuEntries = [{name: "Insert Selection Field", functionName: "menu_insertSelection"},
                     {name: "Settings", functionName: "menu_settings"} ];
  ss.addMenu("OpenERP", menuEntries);
  var a1 = ss.getRange("O60");
  if (a1.getFormula().indexOf('oe_settings') > -1 && ScriptProperties.getProperty('url')){
    a1.setFormula("");
  }
}

function menu_settings() {
  var params = [["url", "URL (with http:// or https://)"], ["dbname", "Database Name"], ["username", "Username"], ["password", "Password"]];
  for (var i = 0; i < params.length; i++){
    var input = Browser.inputBox("Server Settings", params[i][1], Browser.Buttons.OK_CANCEL);
    if (input === "cancel"){
      break;
    }
    else{
      ScriptProperties.setProperty(params[i][0], input);
    }
  }
}

function menu_insertSelection() {
  var input = Browser.inputBox('Insert Selection', 'Format: model, field, domain', Browser.Buttons.OK_CANCEL);
  if (input !== "cancel"){
    input = input.replace(/\s+/g, "").split(",");
    var model = input[0];
    var field = input[1];
    var domain = input.slice(2,input.length).join(",");
    var range = SpreadsheetApp.getActiveRange();
    oe_select(range, model, field, domain);
  }
}

function oe_settings(url, dbname, username, password){
  if (url)ScriptProperties.setProperty('url', url);
  if (dbname)ScriptProperties.setProperty('dbname', dbname);
  if (username)ScriptProperties.setProperty('username', username);
  if (password)ScriptProperties.setProperty('password', password);
}


function oe_browse(model, fields, domain, sort, limit){
  if(typeof model !== "string"){
 
   throw "model arg expecting string";
   
  }
  if(typeof fields !== "string"){
    throw "fields arg expecting comma separated field names";
  }
  if (!domain) domain = "[]";
  if(typeof domain !== "string"){
    throw "domain arg expecting string";
  }
  if(sort && typeof sort !== "string"){
    throw "sort arg expecting string";
  }
  if(limit && typeof limit !== "number"){
    throw "limit arg expecting number";
  }
 
  fields = fields.replace(/\s+/g, ",").split(",");
  if(domain) {
    domain = domain.replace(/\'/g, '"');
  }
  domain = Utilities.jsonParse(domain);
 
  var records = seach_read(model, fields, domain, sort, limit);
  return parse_records_for_ss(records, fields);
}

function oe_read_group(model, fields, groupby, domain, orderby, limit){
  if(typeof model !== "string"){
    throw "model arg expecting string";
  }
  if(fields && typeof fields !== "string"){
    throw "fields arg expecting comma separated field names";
  }
  if(groupby && typeof groupby !== "string"){
    throw "groupby arg expecting comma separated field names";
  }
  if (!domain) domain = "[]";
  if(typeof domain !== "string"){
    throw "domain arg expecting string";
  }
  if(orderby && typeof orderby !== "string"){
    throw "orderby arg expecting string";
  }
  if(limit && typeof limit !== "number"){
    throw "limit arg expecting number";
  }
 
  fields = fields ? fields.replace(/\s+/g, ",").split(",") : [];
  var fields_tosend = fields.slice();
  var count_index = fields_tosend.indexOf("_count");
  if (count_index !== -1){
    fields_tosend.splice(count_index, 1);
  }
  groupby = groupby ? groupby.replace(/\s+/g, ",").split(",") : "";
  if(domain) {
    domain = domain.replace(/\'/g, '"');
  }
  domain = domain ? Utilities.jsonParse(domain) : [];

  var kwargs = {
    "context" : {"group_by":groupby},
    "domain" : domain,
    "fields" : fields_tosend,
    "groupby": groupby,
    "limit": limit ? limit : 10,
    "offset": 0,
    "orderby": orderby ? orderby : false,
  }
  var records = call_kw(model, "read_group", [], {}, 0, kwargs);
  if (groupby.length > 0){
    for (var i = 0; i < records.length; i++){
      if (records[i]["__context"] && records[i]["__context"]["group_by"].length > 0){
        kwargs["domain"] = records[i]["__domain"]
        kwargs["context"] = records[i]["__context"]
        kwargs["groupby"] = records[i]["__context"]["group_by"]
        var sub_records = call_kw(model, "read_group", [], {}, 0, kwargs);
        sub_records.forEach(function(item){
          for(var j = 0; j < this.groupby_fields.length;j++){
            item[this.groupby_fields[j]] = records[i][this.groupby_fields[j]]
          }
        },{
          "groupby_fields" : groupby.slice(0,groupby.indexOf(kwargs["groupby"][0]))
        });
        records.splice.apply(records, [i,1].concat(sub_records));
        i--;
      }
    }
  }
  var count_index = fields.indexOf('_count');
  if (count_index !== -1){
    fields[count_index] = groupby instanceof Array && groupby.length > 0 ? groupby[groupby.length-1]+"_count" : groupby+"_count";
  }
  return parse_records_for_ss(records, fields);
}

function oe_select(range, model, field, domain){
  if(typeof model !== "string"){
    throw "model arg expecting string";
  }
  if(typeof field !== "string"){
    throw "field arg expecting field name";
  }
  if (!domain) domain = "[]";
  if(typeof domain !== "string"){
    throw "domain arg expecting String";
  }
  var records = oe_read_group(model, field, field, domain);
  var dv = range.getDataValidation();
  var result = [];
  for (var i = 0; i < records.length; i++){
    var value = records[i][0];
    if (value)result.push(value.replace(",", ""));
  }
  result = result.slice(0,10);
  dv.requireValuesInList(result);
  dv.setShowDropDown(true);
  range.setDataValidation(dv);
}

function parse_records_for_ss(records, fields){
  var result = [];
  var types = [];
  if (fields.length === 0 && records.length > 0){
    fields = Object.keys(records[0]);
    result.push(fields);
  }
  for (var i = 0; i < records.length; i++){
    recordArr = [];
    for (var j = 0; j < fields.length; j++){
      var value = records[i][fields[j]];
      if(typeof value === "number")types[fields[j]] = "number";
      if (value instanceof Array && value.length === 2 && typeof value[1] === "string")value = value[1];
      else if(value instanceof Array) value = value.join(','); //TODO: name_get on ids
      else if(typeof value !== "number" && !(value))value = types[fields[j]] && types[fields[j]] === "number" ? 0 : 'Undefined';
      recordArr.push(value);
    }
    result.push(recordArr);
  }
  return result.length > 0 ? result : 'No Result';
}

function seach_read(model, fields, domain, sort, limit){
  if(!(fields instanceof Array)){
    throw "fields arg expecting an Array, not "+typeof fields;
  }
  if (!domain)domain = [];
  if(!(domain instanceof Array)){
    throw "domain arg expecting an Array, not "+typeof domain;
  }
  var session_id = getScriptProperty("session_id");
  var context = {};
  var params = {
    "model" : model,
    "fields" : fields,
    "limit": limit ? limit : 80,
    "domain" : domain,
    "sort": sort,
    "session_id": session_id,
    "context": context,
  }
  var options =
      {
        "method" : "post",
        "contentType" : "application/json",
        "payload" : {
          "id": 1,
          "jsonrpc": "2.0",
          "method": "googlescript",
          "params" : params,
        }
      };
  var json_result = Utilities.jsonParse(oe_fetch(getScriptProperty('url')+'/web/dataset/search_read', options));
  if (!!json_result.error){
    throw format_openerp_error(json_result.error);
  }
  return json_result.result.records;
}

function call_kw(model, method, args, context, debug, kwargs){
  if (typeof model !== "string"){
    throw "model arg expecting a String, not "+typeof model;
  }
  if (typeof method !== "string"){
    throw "method arg expecting a String, not "+typeof model;
  }
  if(!(args instanceof Array)){
    throw "args arg expecting an Array, not "+typeof args;
  }
  if(!(context instanceof Object)){
    throw "context arg expecting an Object, not "+typeof context;
  }
  if(typeof debug !== "number"){
    throw "debug arg expecting a boolean Number, not "+typeof debug;
  }
  if(!(kwargs instanceof Object)){
    throw "kwargs arg expecting an Object, not "+typeof kwargs;
  }
  var session_id = getScriptProperty('session_id');
  var params = {
    "args": args,
    "context": context,
    "debug" : debug,
    "kwargs": kwargs,
    "method": method,
    "model": model,
    "session_id": session_id,
  }
  var options =
      {
        "method" : "post",
        "contentType" : "application/json",
        "payload" : {
          "id": 1,
          "jsonrpc": "2.0",
          "method": "googlescript",
          "params" : params,
        }
      };
  var json_result = Utilities.jsonParse(oe_fetch(getScriptProperty('url')+'/web/dataset/call_kw', options));
  if (!!json_result.error){
    throw format_openerp_error(json_result.error);
  }
  return json_result.result;
}

function authenticate(){
  Logger.log('Authentication requested!');
  var url = getScriptProperty("url");
  var dbname = getScriptProperty("dbname");
  var username = getScriptProperty("username");
  var password = getScriptProperty("password");
  if (!url || !dbname || !username || !password){
    throw "At least one connection detail is not set. You can set them OpenERP > Settings in the menu bar";
  }
  var params = {
    "db": dbname,
    "login": username,
    "password": password,
  }
  var options ={
    "method" : "post",
    "contentType" : "application/json",
    "payload" : Utilities.jsonStringify({
      "id": 1,
      "jsonrpc": "2.0",
      "method": "googlescript",
      "params" : params,
    })
  };
  var response = UrlFetchApp.fetch(url+'/web/session/authenticate', options);
  var json_response = Utilities.jsonParse(response);
  if (json_response.result.uid){
    var sid = response.getHeaders()["Set-Cookie"].split(" ")[0];
    var session_id = json_response.result.session_id;
    ScriptProperties.setProperty("sid", sid);
    ScriptProperties.setProperty("session_id", session_id)
    return {"sid": sid, "session_id": session_id};
  }
  throw "Authentication Error";
}

function oe_fetch(url, options){
  var sid = getScriptProperty("sid");
  var session_id = getScriptProperty("session_id");
  if (!sid || !session_id){
    var authentication = authenticate();
    sid = authentication.sid;
    session_id = authentication.session_id;
  }
  if (typeof options.headers === 'undefined')options['headers'] = {'cookie': sid};
  else options.headers['cookie'] = sid;
  options.payload.params['session_id'] = session_id;
  options['payload'] = Utilities.jsonStringify(options.payload);
  for (var i = 0; i < 1; i++){
    var result = UrlFetchApp.fetch(url, options);
    var json_result = Utilities.jsonParse(result);
    if (json_result.error && json_result.error.data.type === "client_exception" && json_result.error.data.debug.indexOf("SessionExpiredException") !== -1){
      authentication = authenticate();
      options['payload'] = Utilities.jsonParse(options.payload);
      options.headers['cookie'] = authentication.sid;
      options.payload.params['session_id'] = authentication.session_id;
      options['payload'] = Utilities.jsonStringify(options.payload);
    }
    else if(json_result.error){
      throw format_openerp_error(json_result.error);
    }
    else{
      return result;
    }
  }
  throw "Unable to fetch data due to session expired exception";
}

function getScriptProperty(key) {
  var FailLimit = 100;
  var RetryInterval = 50;
  var ScriptPropertyValue = "";
  var Retries=0;
  var randomnumber = 0;
  var TryAgain=true;
  while (TryAgain)
  {
    Retries++;
    randomnumber=Math.floor(Math.random()*59);
    Utilities.sleep(randomnumber*RetryInterval);
    Logger.log(randomnumber*RetryInterval);
    try
    {
      TryAgain=false;
      ScriptPropertyValue = ScriptProperties.getProperty(key);
    }
    catch(err)
    {
      TryAgain = (Retries<FailLimit);
      if (!TryAgain){
        throw 'Too many attempts to acces script property';
      }
      continue;
  }
  return ScriptPropertyValue;
  }
}

function format_openerp_error(error){
  var error_type = error.data.type;
  var trace = "";
  if (error_type === "client_exception")trace = error.data.debug;
  else if (error_type === "server_exception")trace= error.data.fault_code;
  else trace = Utilities.jsonStringify(error.data);
  return error.message + ": "+error_type+", "+ trace;
}

-1
Avatar
Descartar
Avatar
Ludo - 21South
Mejor respuesta

I am not quite sure what you are trying to accomplish here? Have you read the documentation on the OpenERP ORM model? It looks like you are trying to make a function for looking through the database, while this might be very unnessary.

Trying looking through this:

https://doc.openerp.com/trunk/server/api_models/

0
Avatar
Descartar
divya
Autor

Hello Ludo, It is not related to ORM methods, This is the code which we are using for spreadsheets, In this it is taking one table data from database but i want to fetch mutiple table data with in one sheet.

Avatar
divya
Autor Mejor respuesta

How to add mutiple model function in this ?

0
Avatar
Descartar
¿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
Patch Spreadsheet Date Ranges in 17 Resuelto
javascript spreadsheets 17.0
Avatar
Avatar
Avatar
3
feb 25
3029
Cannot import @website_sale/js/utils
javascript
Avatar
Avatar
2
nov 25
518
Can pivots from different models coexist in the same spreadsheet?
spreadsheets
Avatar
Avatar
1
oct 25
2472
How do I build a Dashboard from a Spreadsheet?
spreadsheets
Avatar
Avatar
Avatar
2
sept 25
977
Dashboard & Spreadsheet
spreadsheets
Avatar
1
sept 25
2205
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