En este tip explicaré brevemente cómo interactúa Adobe AIR con una base de datos SQLite, que es la que viene embebida con él. Gracias a ella, tenemos una herramienta potente para manejar datos en el sistema local sin tener que usar programas como MDMZinc o un lenguaje de servidor. Para explicar este tip crearé una simple aplicación AIR con Flex que insertara, y mostrara datos de una BD.
Lo primero será establecer conexión con la BD. Para ello, usaremos el siguiente código, que está explicado en los comentarios:
Código :
<?xml version="1.0" encoding="utf-8"?> <mx:WindowedApplication xmlns:mx="http://www.adobe.com/2006/mxml" layout="absolute" creationComplete="init()" width="439" height="406" xmlns:local="*"> <mx:Script> <![CDATA[ import mx.controls.Alert; import mx.collections.ArrayCollection; import flash.events.SQLEvent; //Evento que maneja las operaciones de los objetos SQLConnection o SQLStatement private var conn:SQLConnection; //Objeto que me permite hacer abrir la conexion con la BD. private var BDFile:File; //Variable que abrira y/o creara la bd. [Bindable] public var myDP:ArrayCollection; public function init() { conn = new SQLConnection(); //Creo el objeto de conexion //Listener del objeto connection para cuando se abrio la conexion con éxito conn.addEventListener(SQLEvent.OPEN, function(event:SQLEvent):void { Alert.show("La conexion se realizo con exito :-)"); }); //Listener para cuando la conexion fallo conn.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("Error de conexion --> "+event.error.message); }); //Esta instruccion lo que me permite es abrir[si existe] o crear el fichero en el directorio de la aplicación. BDFile = new File(File.applicationResourceDirectory.nativePath+"\\agenda.db"); conn.open(BDFile); //Le digo al objeto connection que abra el File. } </mx:WindowedApplication>
Si todo ha ido bien, el resultado debería ser el siguiente.
Noten que si el fichero agenda.db no existe, AIR lo crea, y si no, lo abre.
Ahora crearemos una función que nos construirá la estructura de la BD cuando el fichero no exista, es decir, para cuando se crea por primera vez.
Primero importamos un par de clases que nos harán falta para eso.
Código :
// Se usa para ejecutar una sentencia SQL en una BD que esta abierta con SQLConnection import flash.data.SQLStatement; private function createTable():void{ var createObj:SQLStatement = new SQLStatement(); var strSQL:String = new String(); //Query de crear tabla strSQL = "CREATE TABLE IF NOT EXISTS datos("; strSQL += "user_id INTEGER PRIMARY KEY AUTOINCREMENT,"; strSQL += "name TEXT,"; strSQL += "adress TEXT,"; strSQL += "phone NUMERIC"; strSQL += ")"; createObj.text = strSQL; //paso la query a SQLStatement. createObj.sqlConnection = conn; //Paso la conexión. createObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void { showData(); }); createObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("No se pudo crear la tabla ---> "+event.error.message); }); createObj.execute(); //Ejecuto la query [la de crear tabla] }
A esta función debes llamarla desde el SQLEvent.OPEN de la función init.
Creamos una clase llamada datosVO, que no es mas que un valueObject que nos servirá solo para puro tramite de datos.
datosVo.as :
Código :
package { [Bindable] public class datosVO { public var _name:String; public var _adress:String; public var _phone:uint; } }
Ahora haremos un par de funciones más, una para hacer el INSERT y otra que nos hará el SELECT para llenar a myDB y mostrarlo en la vista:
Código :
private function showData():void{ var selectObj:SQLStatement = new SQLStatement(); selectObj.sqlConnection = conn; var strSQL:String = "SELECT user_id, name,adress, phone FROM datos"; selectObj.text = strSQL; selectObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void { var res = (event.target as SQLStatement).getResult(); myDP = new ArrayCollection(res.data); }); selectObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("Result Error - "+event.error.message); }); selectObj.execute(); } private function insertData(data:datosVO):void { var insertObj:SQLStatement = new SQLStatement(); //Creo el objeto SQLStatement. insertObj.sqlConnection = conn; //Le paso la conexion al objeto SQLStatement. var strSQL:String = new String(); //Asigno el query... strSQL = "INSERT INTO datos (name, adress, phone) "; strSQL += "VALUES ('"+data._name+"','"+data._adress+"',"+data._phone+")"; insertObj.text = strSQL; //le asigno la query al objeto SQLStatement. //Si paso algo, se ejecuta esta funcion. insertObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void{ Alert.show("No se pudo insertar los datos ---> "+event.error.message); } ); //Si se pudo efectuar la operacion se ejecuta esta funcion insertObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void{ //Como se que se inserto correctamente, actualizo el provider local.. myDP.addItem({name:data._name, adress:data._adress, phone:data._phone}); //Borro el formulario.. :-) name_txt.text = ""; adress_txt.text = ""; phone_txt.text = ""; } ); insertObj.execute(); //Ejecuto la query }
Bien ahora vayamos al mxml y hagamos nuestra simple vista.
Código :
<local:datosVO id="datosTemp"> <local:_adress>{ adress_txt.text }</local:_adress> <local:_name>{ name_txt.text }</local:_name> <local:_phone>{ int(phone_txt.text) }</local:_phone> </local:datosVO> <mx:DataGrid x="10" y="10" width="399" height="248" id="datos" dataProvider="{ myDP }"> <mx:columns> <mx:DataGridColumn headerText="Column 1" dataField="name"/> <mx:DataGridColumn headerText="Column 2" dataField="adress"/> <mx:DataGridColumn headerText="Column 3" dataField="phone"/> </mx:columns> </mx:DataGrid> <mx:Button x="10" y="362" label="Insertar" click="{ insertData(datosTemp) }" /> <mx:TextInput x="87.5" y="266" id="name_txt"/> <mx:TextInput x="87.5" y="296" id="adress_txt"/> <mx:TextInput x="87.5" y="328" id="phone_txt"/> <mx:Label x="10" y="268" text="Nombre"/> <mx:Label x="10" y="298" text="Direccion"/> <mx:Label x="10" y="330" text="Telefono"/>
Y todo listo.
Codigo completo:
Código :
<?xml version="1.0" encoding="utf-8"?> <mx:WindowedApplication xmlns:mx="http://www.adobe.com/2006/mxml" layout="absolute" creationComplete="init()" width="439" height="406" xmlns:local="*"> <mx:Script> <![CDATA[ import mx.controls.Alert; import mx.collections.ArrayCollection; //Evento que maneja las operaciones de los objetos SQLConnection o SQLStatement import flash.events.SQLEvent; //Objeto que me permite hacer abrir la conexion con la BD. private var conn:SQLConnection; //Variable que abrira y/o creara la bd. private var BDFile:File; [Bindable] public var myDP:ArrayCollection; public function init() { conn = new SQLConnection(); //Creo el objeto de conexion //Listener del objeto connection para cuando se abrio la conexion con éxito se vaya a la función onSuccess conn.addEventListener(SQLEvent.OPEN, function(event:SQLEvent):void { createTable(); }); //Listener para cuando la conexion fallo se vaya a la función onError conn.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("Error de conexion --> "+event.error.message); }); //Esta instruccion lo que me permite es abrir[si existe] o crear el fichero en el directorio de la aplicación. BDFile = new File(File.applicationResourceDirectory.nativePath+"\\agenda.db"); //Le digo al objeto connection que abra el File. conn.open(BDFile); } private function showData():void{ var selectObj:SQLStatement = new SQLStatement(); selectObj.sqlConnection = conn; var strSQL:String = "SELECT user_id, name,adress, phone FROM datos"; selectObj.text = strSQL; selectObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void { var res = (event.target as SQLStatement).getResult(); myDP = new ArrayCollection(res.data); }); selectObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("Result Error - "+event.error.message); }); selectObj.execute(); } private function insertData(data:datosVO):void { var insertObj:SQLStatement = new SQLStatement(); //Creo el objeto SQLStatement. insertObj.sqlConnection = conn; //Le paso la conexion al objeto SQLStatement. var strSQL:String = new String(); //Asigno el query... strSQL = "INSERT INTO datos (name, adress, phone) "; strSQL += "VALUES ('"+data._name+"','"+data._adress+"',"+data._phone+")"; insertObj.text = strSQL; //le asigno la query al objeto SQLStatement. //Si paso algo, se ejecuta esta funcion. insertObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void{ Alert.show("No se pudo insertar los datos ---> "+event.error.message); } ); //Si se pudo efectuar la operacion se ejecuta esta funcion insertObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void{ //Como se que se inserto correctamente, actualizo el provider local.. myDP.addItem({name:data._name, adress:data._adress, phone:data._phone}); //Borro el formulario.. :-) name_txt.text = ""; adress_txt.text = ""; phone_txt.text = ""; } ); insertObj.execute(); //Ejecuto la query } private function createTable():void{ var createObj:SQLStatement = new SQLStatement(); var strSQL:String = new String(); //Query de crear tabla strSQL = "CREATE TABLE IF NOT EXISTS datos("; strSQL += "user_id INTEGER PRIMARY KEY AUTOINCREMENT,"; strSQL += "name TEXT,"; strSQL += "adress TEXT,"; strSQL += "phone NUMERIC"; strSQL += ")"; createObj.text = strSQL; //paso la query a SQLStatement. createObj.sqlConnection = conn; //Paso la conexión. createObj.addEventListener(SQLEvent.RESULT, function(event:SQLEvent):void { showData(); }); createObj.addEventListener(SQLErrorEvent.ERROR, function(event:SQLErrorEvent):void { Alert.show("No se pudo crear la tabla ---> "+event.error.message); }); createObj.execute(); //Ejecuto la query [la de crear tabla] } ]]> </mx:Script> <local:datosVO id="datosTemp"> <local:_adress>{ adress_txt.text }</local:_adress> <local:_name>{ name_txt.text }</local:_name> <local:_phone>{ int(phone_txt.text) }</local:_phone> </local:datosVO> <mx:DataGrid x="10" y="10" width="399" height="248" id="datos" dataProvider="{ myDP }"> <mx:columns> <mx:DataGridColumn headerText="Column 1" dataField="name"/> <mx:DataGridColumn headerText="Column 2" dataField="adress"/> <mx:DataGridColumn headerText="Column 3" dataField="phone"/> </mx:columns> </mx:DataGrid> <mx:Button x="10" y="362" label="Insertar" click="{ insertData(datosTemp) }" /> <mx:TextInput x="87.5" y="266" id="name_txt"/> <mx:TextInput x="87.5" y="296" id="adress_txt"/> <mx:TextInput x="87.5" y="328" id="phone_txt"/> <mx:Label x="10" y="268" text="Nombre"/> <mx:Label x="10" y="298" text="Direccion"/> <mx:Label x="10" y="330" text="Telefono"/> </mx:WindowedApplication>
Espero les sirva de base para continuar con este tema.
Aquí tienen algunos links para investigar mas:
- http://livedocs.adobe.com/labs/flex/3/langref/flash/events/SQLEvent.html
- http://livedocs.adobe.com/labs/flex3/langref/flash/events/SQLErrorEvent.html
- http://livedocs.adobe.com/labs/flex3/langref/flash/data/SQLStatement.html
- http://livedocs.adobe.com/labs/flex3/langref/flash/data/SQLConnection.html
Saludos.
¿Sabes SQL? ¿No-SQL? Aprende MySQL, PostgreSQL, MongoDB, Redis y más con el Curso Profesional de Bases de Datos que empieza el martes, en vivo.
Por Zah el 15 de Noviembre de 2007
Por eldervaz el 15 de Noviembre de 2007
Por master_of_puppetz el 15 de Noviembre de 2007
Excelente tip Joris Van Spilbergen!
Por Alrevez el 16 de Noviembre de 2007
Por AXM el 16 de Noviembre de 2007
Por nico el 16 de Noviembre de 2007
Por Chris el 16 de Noviembre de 2007
Por Otaku RzO el 16 de Noviembre de 2007
Gracias Total !!!
Por crimson14 el 16 de Noviembre de 2007
Por rodia el 17 de Noviembre de 2007
Por demiantriebl el 19 de Diciembre de 2007
Por Ramsés Moreno el 14 de Enero de 2008
public function showData():void{
var selectObj:SQLStatement = new SQLStatement();
selectObj.sqlConnection = conn;
var strSQL:String = "SELECT user_id, name,adress, phone FROM datos";
selectObj.text = strSQL;
selectObj.execute();
var result:SQLResult = selectObj.getResult();
}
¡Saludos!
Por Ramsés Moreno el 14 de Enero de 2008
Sincrónico: conn.open(BDFile);
Asincrónico: conn.openAsync(BDFile);
Por JC el 25 de Enero de 2008
Muchas gracias Joris Van Spilbergen
Por Rafa Hernández el 17 de Julio de 2008
Sencillo y claro.
Muy util.
Por rui:costa el 28 de Agosto de 2008
Por tergon el 19 de Junio de 2009
1119: Acceso a una propiedad applicationResourceDirectory posiblemente no definida mediante una referencia con tipo estático Class. pruebaDB/src pruebaDB.mxml line 32 1245453972720 28
Por TONI LÓPEZ el 29 de Diciembre de 2009
Uiliza File.applicationStorageDirectory en
lugar de
File.applicationResourceDirectory.
Saludos
Por lopezquekk el 20 de Octubre de 2010
var selectObj:SQLStatement = new SQLStatement();
selectObj.sqlConnection = conn;
var strSQL:String = "SELECT user_id, name,adress, phone FROM datos";
selectObj.text = strSQL;
selectObj.execute();
var result:SQLResult = selectObj.getResult();
if(result.data != null){
trace("No hay error");
}else{
trace("hay error");
}
}
Siempre me sale "hay error" por que será?
Por diego arteaga el 28 de Noviembre de 2010
Por José el 31 de Enero de 2018
classroom rental space
training rrom rental in singapore
training rooms in singapore
seminar room rental in singapore
indoor team building activities
corporate team building games singapore
team bonding in singapore
team building activities singapore
team building games singapore
10 soft skills you need
administrative office procedures
administrative support courses
adult learning mental skills
adult learning physical skills
anger management courses in singapore
appreciative inquiry courses
archiving and records management
assertiveness and self confidence
attention management courses
basic bookkeeping courses
being a likeable boss
body language basics courses
budgets and financial reports
business acumen courses
business ethics courses
business etiquette courses in singapore
business succession planning courses
business writing courses in singapore
call center training courses
change management courses in singapore
coaching and mentoring courses
coaching sales people courses
collaborative business writing
communication strategies courses
conducting annual employee reviews
conflict resolution courses
contact center training courses
contract management courses in singapore
creating a great webinar
creative problem solving courses
crisis management courses
critical thinking courses in singapore
customer service courses in singapore
customer support courses
cyber security courses in singapore
delivering constructive criticism
developing a lunch and learn
developing corporate behavior
developing creativity courses
developing new managers
digital citizenship courses
emotional intelligence courses
employee motivation courses
employee on boarding courses
employee recognition courses
employee recruitment courses
employee termination processes
entrepreneurship courses in singapore
event planning courses in singapore
executive and personal assistants
facilitation skills courses
generation gaps courses
goal setting and getting things done
handling a difficult customer
health and wellness at work courses
high performance teams inside the company
high performance teams remote work force
hiring strategies courses
human resource management courses in singapore
improving mindfulness
improving self awareness
increasing your happiness
internet marketing fundamentals courses
interpersonal skills courses
job search skills courses
knowledge management courses in singapore
leadership and influence courses
lean process and six sigma
life coaching essentials courses
manager management courses
managing personal finances courses
managing work place anxiety
marketing basics courses
measuring results from training
media and public relations courses
meeting management courses
middle manager courses
millennial on boarding courses
m learning essentials
motivating your sales team
multi level marketing courses
negotiation skills courses
networking outside the company
networking within the company
office politics for managers
organizational skills courses
overcoming sales objections
performance management courses
personal branding courses in singapore
personal productivity courses
presentation skills courses in singapore
project management courses in singapore
proposal writing courses
prospecting and lead generation
public speaking courses in singapore
risk assessment and management courses
safety in the work place courses
sales fundamentals courses
sales training courses in singapore
servant leadership courses
it courses in singapore
microsoft training singapore
corporate training in singapore
corporate sgx
social intelligence courses
social learning courses
social media in the work place
social media marketing courses in singapore
soft skills courses in singapore
stress management courses in singapore
supervising others
supply chain management courses
taking initiative courses
talent management courses
team building for managers
team building through chemistry
teamwork and team building
telephone etiquette courses
telework and telecommuting
time management courses in singapore
trade show staff training
train the trainer courses
virtual team building and management
women in leadership courses
work life balance courses in singapore
work place diversity courses
work place harassment courses
work place violence courses
sancy suraj
sancy suraj
sancy suraj
sancy suraj
sancy suraj
sancy suraj
sancy suraj
sancy suraj
[url=https://books.google.com.sg/books?id=1QykBQAAQBAJ&pg=PT362&lpg=PT362&dq=%22sancy+suraj+singh%22&source=bl&ots=E86QDyrLG2&sig=H-6a_YH-kTWaZWTfPSr1xfm4BOs&hl=en&sa=X&ved=0ahUKEwi3_56hhubVAhWJLo8KHcxTBxQ4ChDoAQgjMAA#v=onepage&q =% 22sancy% 20suraj% 20singh% 22 & f = false]sancy suraj[/url]
sancy suraj
longest colour sequence memorised
sancy suraj
longest colour sequence memorised
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
memory training course
lunch talks
lunch talks
memory training course
memory training course
cabin crew
online memory course
memory training course
memory training course
memory training course
memory training course
memory training course
speed reading
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
geography tuition for secondary school students in singapore
geography tuition for secondary school students singapore
geography tuition for secondary school students singapore
geography tuition for secondary school students singapore
geography tuition for secondary school students singapore
secondary geography tuition in singapore
history tuition for secondary school students in singapore
social studies tuition for secondary school students in singapore
psle english tuition in singapore
psle science tuition in singapore
secondary 1 chemistry tuition in singapore
secondary 1 physics tuition in singapore
school holiday workshops courses for students in singapore
school holidays activitie in singapore
school holidays activitie in singapore
[url=http://umonictuitionadvantage.com/2017-november-school-holidays-activities-programmes-workshop-courses-camps-for- students-kids-in-singapore/]school holidays activitie in singapore[/url]
school holidays activitie in singapore
study skills
study skills
study skills workshops course in singapore
study skills workshops course in singapore
speed reading
speed reading
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition
tuition[
tuition[
tuition[
tuition[
tuition[
tuition[
tuition[
tuition[
student courses
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
corporate training
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
corporate lunch talk
team building
team building ideas
team building activities
unique team building
team building
corporate training in singapore
corporate training courses
corporate training courses
corporate training courses
corporate training courses
corporate health talk
corporate health talk
corporate health talk
lunch and learn talk
workplace lunch and learn
corporate training companies in singapore
training companies in singapore
emcee
emcee
health talks
soft skills training course
corporate training providers
professional development courses
training and development courses
short courses in singapore
corporate training courses in singapore
corporate training courses
corporate training in singapore
school holiday workshops courses for students in singapore
business students memory course in singapore
business students memory improvement workshop in singapore
memory improvement course for business students
memory improvement course for business students
business students memory improvement course
business students memory course in singapore
corporate health talks singapore
corporate health talks in singapore
corporate health talk singapore
corporate health talk in singapore
corporate health talks singapore
corporate health talks singapore
finance students memory training course in singapore
finance students memory training course in singapore
finance students memory training course in singapore
memory training courses for finance students in singapore
memory training courses for finance students in singapore
memory improvement courses for finance students in singapore
pinnacle minds
memory course
study skills
speed reading
memory training
school holiday
lunch and learn
march school holidays workshops
march school holidays workshops
march school holidays workshops
march school holidays workshops
march school holidays workshops
june school holidays workshops
june school holidays workshops
june school holidays workshops
june school holidays workshops
september 2018 school holidays workshops
september 2018 school holidays workshops
september 2018 school holidays workshops
september 2018 school holidays workshops
november 2018 school holidays workshops
november 2018 school holidays workshops
november 2018 school holidays workshops
november 2018 school holidays workshops
december 2018 school holidays workshops
december 2018 school holidays workshops
december 2018 school holidays workshops
december 2018 school holidays workshops
top 10 soft skills you need training course
administrative office procedures training course
administrative support training course
anger management training course
appreciative inquiry training course
archiving and records management training course
archiving and records management training course
self confidence and assertiveness training course
improving your attention management training course
bacis bookkeeping training course
being a likeable boss training course
body language training course
budgets and-financial reports training course
business acumen training course
business ethics training course
business etiquette training course
business succession planning training course
business writing training course
call centre training course
change management training course
civility in the workplace training course
coaching and mentoring training course
coaching salespeople training course
collaborative business writing training course
communication strategies training course
conducting annual employee reviews training course
conflict resolution training course
contact centre training course
contract management training course
creating a great webinar training course
creative problem solving training course
crisis management training course
critical thinking training course
customer service training course
customer support training course
cyber security training course
delivering constructive criticism training course
developing lunch and learn training course
developing corporate behavior training course
developing creativity training course
developing new managers training course
digital citizenship training course
emotional intelligence training course
employee motivation training course
employee onboarding training course
employee recognition training course
employee recruitment training course
employee termination processes training course
entrepreneurship training course
event planning training course
executive and personal assistants training course
facilitation skills training course
generation gaps training course
goal setting and getting things done training course
handling a difficult customer training course
health and wellness at work training course
high performance teams inside the company training course
high performance teams remote workforce training course
hiring strategies training course
human resource management training course
improving mindfulness training course
improving self awareness training course
internet marketing fundamentals training course
interpersonal skills training course
job search skills training course
knowledge management training course
leadership and influence training course
lean process and six sigma training course
life coaching essentials training course
manager management training course
managing personal finances training course
managing workplace anxiety training course
marketing basics training course
measuring results from training course
media and public relations training course
meeting management training course
middle manager training course
millennial onboarding training course
mlearning essentials training course
motivating your sales team training course
negotiation skills training course
networking outside the company training course
networking within the company training course
office politics for managers training course
organizational skills training course
overcoming sales objections training course
performance management training course
personal branding training course
personal productivity training course
presentation skills training course
project management training course
proposal writing training course
prospecting and lead generation training course
public speaking training course
risk assessment and management training course
safety in the workplace training course
sales fundamentals training course
servant leadership training course
social intelligence training course
social learning training course
social media in the workplace training course
social media marketing training course
stress management training course
supervising others training course
supply chain management training course
taking initiative training course
talent management training course
team building for managers training course
team building through chemistry training course
teamwork and team building training course
telephone etiquette training course
telework and telecommuting training course
time management training course
top 10 sales secrets training course
trade show staff training course
train the trainer training course
virtual team building and management training course
women in leadership training course
work life balance training course
workplace diversity training course
workplace harassment training course
workplace violence training course
half day memory improvement courses workshops
speed reading courses workshops in singapore
10 soft skills you need corporate training course in singapore
administrative office procedures corporate training course in singapore
administrative support corporate training course in singapore
anger management corporate training course in singapore
appreciative inquiry corporate training course in singapore
archiving and records management corporate training course in singapore
self confidence assertiveness corporate training course in singapore
improving your attention management corporate training course in singapore
basic bookkeeping corporate training course in singapore
being a likeable boss corporate training course in singapore
body language basics corporate training course in singapore
budgets and financial reports corporate training course in singapore
business acumen corporate training course in singapore
business ethics corporate training course in singapore
business etiquette corporate training course in singapore
business succession planning corporate training course in singapore
business writing corporate training course in singapore
call center corporate training course in singapore
change management corporate training course in singapore
civility in the workplace corporate training course in singapore
coaching and mentoring corporate training course in singapore
coaching salespeople corporate training course in singapore
collaborative business writing corporate training course in singapore
communication strategies corporate training course in singapore
conducting annual employee reviews corporate training course in singapore
conflict resolution corporate training course in singapore
contact center corporate training course in singapore
contract management corporate training course in singapore
creating a great webinar corporate training course in singapore
creative problem solving corporate training course in singapore
crisis-management corporate training course in singapore
critical thinking corporate training course in singapore
customer service corporate training course in singapore
customer support corporate training course in singapore
cyber security corporate training course in singapore
delivering constructive criticism corporate training course in singapore
developing a lunch and learn corporate training course in singapore
developing corporate behavior corporate training course in singapore
developing creativity corporate training course in singapore
developing new managers corporate training course in singapore
digital citizenship corporate training course in singapore
emotional intelligence corporate training course in singapore
employee motivation corporate training course in singapore
employee onboarding corporate training course in singapore
employee recognition corporate training course in singapore
employee recruitment corporate training course in singapore
employee termination processes corporate training course in singapore
entrepreneurship training course in singapore
event planning corporate training course in singapore
executive and personal assistants corporate training course in singapore
facilitation skills corporate training course in singapore
generation gaps corporate training course in singapore
goal setting and getting things done corporate training course in singapore
handling a difficult customer corporate training course in singapore
health and wellness at work corporate training course in singapore
high performance teams inside the company corporate training course in singapore
high performance teams remote workforce corporate training course in singapore
hiring strategies corporate training course in singapore
human resource management corporate training course in singapore
improving mindfulness corporate training course in singapore
improving self awareness corporate training course in singapore
increasing your happiness corporate training course in singapore
internet marketing fundamentals corporate training course in singapore
interpersonal skills corporate training course in singapore
job search skills corporate training course in singapore
knowledge management corporate training course in singapore
leadership and influence corporate training course in singapore
lean process and six sigma corporate training course in singapore
life coaching essentials corporate training course in singapore
manager management corporate training course in singapore
managing personal finances corporate training course in singapore
marketing basics corporate training course in singapore
measuring results from corporate training course in singapore
media and public relations corporate training course in singapore
meeting management corporate training course in singapore
middle manager corporate training course in singapore
millennial onboarding corporate training course in singapore
mlearning essentials corporate training course in singapore
motivating your sales team corporate training course in singapore
negotiation skills corporate training course in singapore
networking outside the company corporate training course in singapore
networking within the company corporate training course in singapore
office politics for managers corporate training course in singapore
organizational skills corporate training course in singapore
overcoming sales objections corporate training course in singapore
performance management corporate training course in singapore
personal branding corporate training course in singapore
personal productivity corporate training course in singapore
presentation skills corporate training course in singapore
project management corporate training course in singapore
proposal writing corporate training course in singapore
prospecting and lead generation corporate training course in singapore
public speaking corporate training course in singapore
[url