Теперь, когда вышел Palm Pre SDK, что нужно для разработки этого телефона?
Я хотел бы знать, какие языки и инструменты (отладчики, IDE, профилировщики, библиотеки и т. Д.) Доступны для тех, кто хочет разрабатывать для Palm Pre.
Кроме того, я хотел бы знать, какие существуют технологические ограничения, о которых нужно знать.
3 ответа
Существует библиотека функций JavaScript для взаимодействия с базовой системой (вещи уровня телефона) и теги CSS, стили и т. Д. Для рендеринга в стиле Palm WebOS.
SDK поставляется со скриптом "palm-generate", который создает набор конфигурационных файлов и структуру папок. Сценарий "palm-package" создает isntaller, а другой сценарий "palm-install" загружает установщик в файловую систему эмулятора (или, я полагаю, настоящая ладонь... моя уже в порядке и должна быть здесь в понедельник!!)!).
Этот код достаточно легко найти, и он совсем не оригинален, но я подумал, что было бы полезно взглянуть здесь...
Hello World - скопировано из учебника в Palm Webos SDK
http://i29.tinypic.com/mttkiw.jpg
HelloWorld / appinfo.json - метаинформация для этого приложения, включая уникальное имя (в стиле домена) и корень приложения ("index.html")
{
"id": "com.yourdomain.hello",
"title": "Hello World",
"type": "web",
"main": "index.html",
"icon": "icon.png",
"version": "1.0.0",
"vendor": "Your Company"
}
HelloWorld / sources.json - манифест
[
{
"source": "app\/assistants\/stage-assistant.js"
},
{
"source": "app\/assistants\/first-assistant.js",
"scenes": "first"
}
]
helloWorld/app/assistantants / stage-assistant.js - контроллер для приложения. каждое приложение состоит из сцены с несколькими сценами; метод StageAssistant.setup() сначала получает управление, предоставляя время для инициализации данных, соединений и т. д.
function StageAssistant () {
}
StageAssistant.prototype.setup = function() {
this.controller.pushScene('first');
}
HelloWorld / index.html - представление для этапа
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPECTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN"
"http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en">
<head>
<title>Hello, World!</title>
<script src="/usr/palm/frameworks/mojo/mojo.js" type="text/javascript" x-mojo-version="1"></script>
</head>
<body>
Hello, World! 2:59
</body>
</html>
helloWorld/app/assistantants / first-assistant.js - просмотр "первой" сцены
<div id="main" class="palm-hasheader">
<div class="palm-header">Header</div>
<div id="count" class="palm-body-text">count</div>
<div id="MyButton" name="MyButton1" x-mojo-element="Button"></div>
</div>
helloWorld/app/assistantants / first-assistant.js - контроллер для "первой" сцены
function FirstAssistant() {
/* this is the creator function for your scene assistant object. It will be passed all the
additional parameters (after the scene name) that were passed to pushScene. The reference
to the scene controller (this.controller) has not be established yet, so any initialization
that needs the scene controller should be done in the setup function below. */
}
FirstAssistant.prototype.handleButtonPress = function(event){
// increment the total and update the display
this.total++;
this.controller.get('count').update(this.total);
}
FirstAssistant.prototype.setup = function() {
/* this function is for setup tasks that have to happen when the scene is first created */
/* use Mojo.View.render to render view templates and add them to the scene, if needed. */
/* setup widgets here */
/* add event handlers to listen to events from widgets */
// set the initial total and display it
this.total=0;
this.controller.get('count').update(this.total);
// a local object for button attributes
this.buttonAttributes = {};
// a local object for button model
this.buttonModel = {
buttonLabel : 'TAP HERE',
buttonClass : '',
disabled : false
};
// set up the button
this.controller.setupWidget("MyButton", this.buttonAttributes, this.buttonModel);
// bind the button to its handler
Mojo.Event.listen(this.controller.get('MyButton'), Mojo.Event.tap, this.handleButtonPress.bind(this));
}
FirstAssistant.prototype.activate = function(event) {
/* put in event handlers here that should only be in effect when this scene is active. For
example, key handlers that are observing the document */
}
FirstAssistant.prototype.deactivate = function(event) {
/* remove any event handlers you added in activate and do any other cleanup that should happen before
this scene is popped or another scene is pushed on top */
}
FirstAssistant.prototype.cleanup = function(event) {
/* this function should do any cleanup needed before the scene is destroyed as
a result of being popped off the scene stack */
this.controller.stopListening(this.controller.get('MyButton'), Mojo.Event.tap, this.handleButtonPress.bind(this));
}
Это очень похоже на написание веб-приложений, но вам нужно скачать WebOS SDK с http://developer.palm.com/ и эмулятор Palm.
Вся информация есть, и ее легко начать, если вы используете Eclipse IDE
Это веб-ОС, поэтому я бы предположил, что она чем-то похожа на разработку PhoneGap, если вы вообще знакомы с их инфраструктурой.
Javascript с пользовательскими вызовами API будет управлять большинством приложений, и похоже, что они настраивают свой SDK для эффективной работы с Eclipse IDE. Конечно, HTML и CSS покроют передний конец вещей.
Хорошую страницу для начинающих, объясняющую, что вы ищете, можно найти здесь: http://developer.palm.com/index.php?option=com_content&view=article&id=1603