Lotus Notes/Domino -- продукт и инструмент. Выпуск: 79
Новости о ПО Lotus Notes1. IBM выходит в онлайн - PC Week
2. Windows Server 2008 Foundation – для самых маленьких… организаций до 15 сотрудников - Ferra
3. Из Петербурга – в Сибирь - Информационный портал spbIT.ru
Статьи. Публикации. Пресс-релизы1. Введение в Web-сервисы IBM Lotus QuickrРассматривается использование Web-сервисов IBM Lotus Quickr для выполнения основных действий в системах управления документами. Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. Simple Stack Class in LotusScriptA simple class to implement the classic "Stack" data structure in LotusScript. The data may be of any type. It's pretty quick, and I've tested it to 300,000 small elements; probably it'll work with many more. Private Class StackNodePublic value As Variant Public next As StackNode Sub New(datum) If Isobject(datum) Then Set value = datum Else value = datum End Sub End Class Class Stack m_top As StackNode Sub Push(x) Dim sn As New StackNode(x) Set sn.next = m_top Set m_top = sn End Sub Function Pop() If Not (m_top Is Nothing) Then If Isobject(m_top.value) Then Set Pop = m_top.value Else Pop = m_top.value End If Set m_top = m_top.next End If End Function Function Peek() If Not (m_top Is Nothing) Then If Isobject(m_top.value) Then Set Peek = m_top.value Else Peek = m_top.value End If End If End Function Public Property Get IsEmpty() As Boolean Me.IsEmpty = (m_top Is Nothing) End Property End Class 2. Microsoft Office Constants Script LibrariesUsing the OpenNTF Project "Microsoft Constants Database" (available here: http://www.openntf.org/Projects/pmt.nsf/0/1F6C5C7B16317E218625726D004A31A9), i have extracted all the constants for Excel and Word into Script Libraries. A little cleanup was necessary since Lotusscript didn't like some of the constant names and a few other issues. Search for ' character to find constants that were commented out.3. How to move Notes databases off Domino 8 servers and save disk spaceMost Notes/Domino users are not aware of this easy method for freeing up space on Domino 8 servers. With this tip, you'll learn how to save valuable disk space by using Dirlinks and storing Notes databases off your Domino servers.4. The Case For Using a Web Service Badly | BlogSo, how I did I come to be wondering if using Web Services within the same application was wrong yesterday? Well, let's imagine some scenarios and their "traditional" solutions. Scenario 1
Scenario 2
Scenario 3
What's The Problem?While the scenarios above aren't exhaustive - just some things that came to mind right now - you should see a common theme appearing? In all cases all we want to do is perform some action on the server. It doesn't really matter what we want to do. The problem is that for each new action we decide to add we need to create a new design element (if not two). If you end up adding 10 action you could have up to 20 design elements cluttering up (an already cluttered in some cases) database. What's The Solution?For ages now I've been thinking of doing away with all these separate agents by writing a single agent that can perform any action needed. You can call if via GET or POST and you pass the action it is to perform using the URL. So the URL might be: /database.nsf/actions?OpenAgent&action=approve The document ID and other data would then be posted to it. Inside the agent would be a big "Select Case (Action)" which examines the URL and performs the right code block depending on what it's asked to do. Still all quite messy but at least all the backend "business logic" is in one place. I haven't got as far as creating it yet, as I'm knee-deep in Flex at the moment and that allows me to use Web Services, which, potentially, make it even simpler. Where Do Web Services Come In?In Flex there is support for using Web Services. You define the Web Service and when the app loads it fetches the WSDL code and you then have all the backend methods/actions available. Using a Web Service you can keep all the logic for the various actions you might need to perform within a database in one place. Better yet it defines what parameters a method needs to accepts and even makes them "typed" for us. We don't need to decode and decouple the data posted. The Web Service does this for us. In our backend code we can just start working directly with the data parts as we'd expect. Even better still the Web Service can return the result of the action to Flex as a String, Boolean etc and Flex works with it without any type casting/checking needed. In SummaryWe're not talking about replacing the Standard Domino URLs here, such as ?SaveDocument etc. If you're creating/editing a document with a form then use the standard approach. What I'm talking about is a simple way to code the actions we often need to bolt on to make an application/database do anything useful. Yesterday's discussion didn't feel like there was a conclusion as to whether consuming a Web Service from the same server and the same application was "wrong". The more I think about it though the less I care. I'm a Domino developer. I've spent the last 10 years using any method I can to get things to work. Eight years ago I described a hack that uses the Navigator design element to get a Form to act as a database's homepage. I still use it to this day. Who uses a Page to store CSS still, even though there's a StyleSheet design element specifically for this? I know I do. As Domino developers we're using to the by-whatever-means approach to making things do what we want. I don't see why I should stop now. Tomorrow?Tomorrow I'll show you the code on both sides of this --- the Flex code that consumes the Web Service and the LotusScript that makes up the backend logic. Hopefully then you'll agree that what I am doing makes not only sense but our jobs easier, which has to be a good thing, right? 5. IBM Lotus Domino 8.5 performance for iNotes usersImproving input/output (I/O) performance is one of the major goals for IBM® Lotus® Domino® 8.5. The developerWorks® article "IBM Lotus Domino 8.5 performance for IBM Lotus Notes users" showed the impressive I/O reductions of Lotus Domino 8.5 with the Lotus Notes client. This article shows the I/O performance improvements of Lotus Domino 8.5 performance with Lotus iNotes® users. Lotus iNotes had been called Lotus Domino Web Access in the past; its name is iNotes in Lotus Domino 8.5.6. IBM Lotus Domino 8.5 performance for iNotes usersImproving input/output (I/O) performance is one of the major goals for IBM Lotus Domino 8.5. The developerWorks article "IBM Lotus Domino 8.5 performance for IBM Lotus Notes users" showed the impressive I/O reductions of Lotus Domino 8.5 with the Lotus Notes client. This article shows the I/O performance improvements of Lotus Domino 8.5 performance with iNotes users. Lotus iNotes had been called Lotus Domino Web Access in the past; its name is iNotes in Lotus Domino 8.5.7. Best practices in globalization: Developing IBM Lotus Notes applicationsThis article introduces the best practices in globalization that you can use to develop a good IBM®Lotus Notes® application. Following these recommendations, you can easily create good multilanguage-friendly Lotus Notes applications, which in turn can save you both resources and effort.8. View hidden fields on Lotus Notes/Domino formsAs a Notes/Domino developer, you've probably grown accustomed to using hidden fields on forms. Unfortunately, this makes it difficult to view the values of these fields. This tip offers a workaround to using the document property field viewer to easily view hidden fields. Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. Passware Kit Enterprise 9.0 build 319 PortableOffice, Excel, Word, Windows XP/2000/NT ,Access, Outlook, Outlook Express, Exchange, WinZip PKZip ZIP, WinRAR RAR, VBA Visual Basic modules, Internet Explorer/ EFS - Encrypted File System, FileMaker/ Acrobat, Quicken, QuickBooks, Lotus 1-2-3, Lotus Notes, Lotus, Organizer, Lotus WordPro, Quattro Pro, Backup, Project, MYOB, Peachtree, Paradox, ACT!, Mail, Schedule , Money, WordPerfect и MS Office 2007, а также определения ключа Windows XP2. Check out "The Multimedia Library for Lotus Notes" video tutorialsThe Multimedia Library for Lotus Notes (NEW!) What is it? A multimedia library of more than 1000 task-based Lotus Notes 8 video tutorials available in 11 languages Delivered as a Help file that ca3. Increasing Battery Life by using SMS Auto SyncBy default, Traveler maintains a TCP connection with the server to stay up-to-date with the server. Depending on several factors (network provider, NAT timeouts, device, etc) maintaining this TCP con4. Как закрыть дизайн базы данных (шаблона)?5. ? опыт разработки Lotus Notes приложений от года... опыт разработки Lotus Notes приложений от года ? базовые знания/навыки работы с ...6. Duplicate Entry.. Please Delete.- Duplicate Entry.. Please Delete.7. Understanding the Local Metadata database in Alloy by IBM and SAP 1.0Shrikant Veeturi IBM Software Group System Software Engineer Pune, India April 2009 Abstract: Alloy™ by IBM® and SAP 1.0 (hereafter called Alloy) brings SAP data directly into a user’s I8. Passware Kit Forensic 9.0 Build 315 + SerialOffice, Excel, Word, Windows XP/2000/NT ,Access, Outlook, Outlook Express, Exchange, WinZip PKZip ZIP, WinRAR RAR, VBA Visual Basic modules, Internet Explorer/ EFS - Encrypted File System, FileMaker/ Acrobat, Quicken, QuickBooks, Lotus 1-2-3, Lotus Notes, Lotus, Organizer, Lotus WordPro, Quattro Pro, Backup, Project, MYOB, Peachtree, Paradox, ACT!, Mail, Schedule+, Money, WordPerfect и MS Office 2007, а также определения ключа Windows XP9. Ошибка при использовании метода Copytodatabase.Имеем базу в формате ods41 (Lotus R5). База работает под Lotus R5, R6, R7.База локальная и играет роль инсталлятора. В базе есть view отбирающая и показывающая все элементы дизайна. Имеем код, который перебором по view получает документы (они же элементы дизайна) и при помощи метода CopyToDatabase копирует в нужную нам базу (например почтовую). Перед копированием "старые" элементы дизайна при их наличии в целевой БД удаляет. В 95% случаев все проходит на ура. Иногда возникают проблемы в случае, если в дизайн локальной базы (инсталлятора) внесли какие-нить изменения и затем запустили код по копированию/обновлению. При этом например элементы дизайна изменились неделю назад, Lotus и комп перегружались неоднократно, код по копированию запускается скажем сегодня. Проблемы возникают только для Lotus R6 или R7. Ошибка на строке с вызовом CopyToDatabase - Notes error: Someone else modified this document at the same time (I:\Lotus\SMS\SMS_154.ns5) №ошибки 4005. Собственно вопрос - кто-нить сталкивался ? З.Ы. Способ лечения найден пока только один - в базе инсталляторе скопировать проблемный элемент дизайна,старый удалить и новый элемент дизайна переименовать в старый. Но хотелось бы добраться до сути. 10. win service на Lotus NotesДелал сервис, который изменяет данные LN (технология COM). Сервис стартовал, но ...11. Встроенный sametime в LN 8.5Добрый день, пару вопросов по LN 8.5, встроенному ST 8.0.1 и автономному ST 8... 12. Типы данных в Windowsв связи с тем, что более 90% своего рабочего времени я программирую на платформе Lotus Domino, встроенный язык которого - кастомизированный VB, при столкновении с любым C++ кодом, использующим "виндовые" типы данных (определенных через define), мой мозг испытывает постоянный стресс - а точно ли я помню их размеры, приходиться перепроверять.13. Ну что за дни такие настают.Дело в том, что Lotus (который Notes Domino, а не автомобиль) живет следующим образом, кто последний редактировал код, под именем того этот код и работает.14. Passware Kit Forensic 9.0 Build 315 + SerialOffice, Excel, Word, Windows XP/2000/NT ,Access, Outlook, Outlook Express, Exchange, WinZip PKZip ZIP, WinRAR RAR, VBA Visual Basic modules, Internet Explorer/ EFS - Encrypted File System, FileMaker/ Acrobat, Quicken, QuickBooks, Lotus 1-2-3, Lotus Notes, Lotus, Organizer, Lotus WordPro, Quattro Pro, Backup, Project, MYOB, Peachtree, Paradox, ACT!, Mail, Schedule+, Money, WordPerfect и MS Office 2007, а также определения ключа Windows XP15. Lotus Notes 8.5... samba-shares.html?showComment=1224536280000 Lotus Notes 8.5 http://otrs.org/demo ...16. Как вытащить предыдущее значение поля?Добрый день.Есть ли возможность вытащить предыдущее значение поля до сохранения документа(NotesDocument) пример : CODE set doc=view.GetDocumentByKey(ID,true) doc.ID="1" 'изменили поле и пока не сохраняли документ '----какой-то код-------- теперь мне надо узнать какое значение бало до изменения IDold=?? 'только теперь сохраняем doc.Save(True,True) Промежуточные сохранения или запись поля в другие временные документы не подходят. Может есть какие-нибудь стандартные средства Lotus? 17. R5 Ftsearch + Date Formatting On ServerПривет всем!Правильно ли я понимаю, что FTSearch на сервере в R5 не использует форматирование даты ОС и требует mm/dd/yyyy формат? Как бы победить эту проблему или хотя бы обойти? может, узнать версию можно и использовать форматирование, если R5?.. В шестерке такое не наблюдается вроде... зы: схожий пост увидел на ИБМе, но ответа там не было |#^#]>http://www-10.lotus.com/ldd/46dom.nsf/Rele...11?OpenDocument|#^#]> 18. LinuxПочтовый клиент - Lotus Notes. 1. Долго искал более новую версию Lotus Notes, чтобы под Wine нормально работала (спасибо ravenmax за помощ); Исключение - русский Lotus Notes R5 под wine.19. Новая Nokia E75Nokia Messaging, Mail for Exchange, IBM Lotus Notes Traveler, VPN-клиент, почтовые клиенты Gmail, Yahoo!20. Passware Kit Enterprise v8.1.28071-2-3, Access, Acrobat, Act!, Asterisk, Backup, BestCrypt, EFS, Excel, Interet Explorer, FileMaker, Lotus Notes, Mail, Messenger, Money, MYOB, Network Connections, Office and Office Light, OneNote, Organizer, Outlook and Outlook Express, Paradox, Peachtree, PowerPoint, Project, Quattro Pro, QuickBooks, Quicken, RAR, Shedule, SQL, VBA, Windows XP/2000/NT,21. SINED LtdApache/Tomcat, JRun, JBoss, Resin, MS IIS, Lotus Domino22. ... моего на то желания, на моем рабочем имейле (никогда не пользуйтесь Lotus Notes! ...Сейчас я снова буду жаловаться, потому если это кому-то надоело - можете смело ...23. Migrating/upgrading IBM Lotus Notes clients from either Linux or Microsoft Windows to Lotus Notes 8.0.x for WindowsMigrating/upgrading IBM Lotus Notes clients from either Linux or Microsoft Windows to Lotus Notes 8.0.x for Windows Selma R Neves IBM Software Group Support Engineer Westford, MA USA Sa24. IBM Lotus Domino 8.5 performance for iNotes usersImproving input/output (I/O) performance is one of the major goals for IBM® Lotus® Domino® 8.5. The developerWorks® article "IBM Lotus Domino 8.5 performance for IBM Lotus Notes users" showed the impressive I/O reductions of Lotus Domino 8.5 with the Lotus Notes client. This article shows the I/O performance improvements of Lotus Domino 8.5 performance with Lotus iNotes® users. Lotus iNotes had been called Lotus Domino Web Access in the past; its name is iNotes in Lotus Domino 8.5.25. IBM Lotus Domino 8.5 performance for iNotes usersImproving input/output (I/O) performance is one of the major goals for IBM Lotus Domino 8.5. The developerWorks article "IBM Lotus Domino 8.5 performance for IBM Lotus Notes users" showed the impressive I/O reductions of Lotus Domino 8.5 with the Lotus Notes client. This article shows the I/O performance improvements of Lotus Domino 8.5 performance with iNotes users. Lotus iNotes had been called Lotus Domino Web Access in the past; its name is iNotes in Lotus Domino 8.5.26. Best practices in globalization: Developing IBM Lotus Notes applicationsThis article introduces the best practices in globalization that you can use to develop a good IBM®Lotus Notes® application. Following these recommendations, you can easily create good multilanguage-friendly Lotus Notes applications, which in turn can save you both resources and effort.27. OTA Data CompressionLotus Notes Traveler uses zlib for data compression. Of course compression ratios for zlib are very data dependant but something around 70-80% is realistic. The compression is applied to the data an28. ... ru появился новый сервис: электронные курсы по Lotus Notes/DominoНа портале www.lotusgreenhouse.ru запущен новый сервис "Электронное обучение". В ...29. Understanding differences between maintenance releases, fix packs, and cumulative client hotfixesLotus Support has just published a great Tech Note entitled "Differences between Notes/Domino Maintenance Releases, Fix Packs, and Cumulative Client Hotfixes" that describes exactly that. For all who30. 25-26 марта 2009 г. компания "Организация Времени" в очередной раз провела ...Один из лучших лекторов!В дальнейшем планирую посетить семинар по "Тайм-менеджмент на Lotus Notes".31. Grindr: Location-based bright dating for the iPhone | GPS ObsessedThe x 2.5 a 06. cn mobile device includes yri-band (800/900/2100MHz) HDPA and quad-band (850/9001800/1900MHz) EDGE daha speeds, GPS, the Wi ndows Mobile 6.1 Standard operating system, and Xpress Mail eoftware wwhich features email access to Microsoft Exchange Server and Lotus Notes enterprise servers, aw well as POP3 acces ot Hotmail, Yahoo and other online personal email32. Passware Kit Forensic 9.0 Build 315 + SerialOffice, Excel, Word, Windows XP/2000/NT ,Access, Outlook, Outlook Express, Exchange, WinZip PKZip ZIP, WinRAR RAR, VBA Visual Basic modules, Internet Explorer/ EFS - Encrypted File System, FileMaker/ Acrobat, Quicken, QuickBooks, Lotus 1-2-3, Lotus Notes, Lotus, Organizer, Lotus WordPro, Quattro Pro, Backup, Project, MYOB, Peachtree, Paradox, ACT!, Mail, Schedule+, Money, WordPerfect и MS Office 2007, а также определения ключа Windows XP33. Passware Kit Forensic 9.0 Build 315 + SerialOffice, Excel, Word, Windows XP/2000/NT ,Access, Outlook, Outlook Express, Exchange, WinZip PKZip ZIP, WinRAR RAR, VBA Visual Basic modules, Internet Explorer/ EFS - Encrypted File System, FileMaker/ Acrobat, Quicken, QuickBooks, Lotus 1-2-3, Lotus Notes, Lotus, Organizer, Lotus WordPro, Quattro Pro, Backup, Project, MYOB, Peachtree, Paradox, ACT!, Mail, Schedule+, Money, WordPerfect и MS Office 2007, а также определения ключа Windows XP34. Выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент. Выпуск: 74" от 30 ...Вышел новый выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент.35. Lotus Notes... в нынешних реалиях как раз это уже скорее клиент, причём ...Lotus Notes... в нынешних реалиях как раз это уже скорее клиент, причём ...36. "новая версия почтового пациента Lotus Notes!""новая версия почтового пациента Lotus Notes!"37. Р"С"РїСгСГРє СѬР°СГСГС"Р"РєРё "Lotus Notes/Domino -- РїСѬРѭРґСгРєС" Рё РёРѬСГС ...Р"С"СРѭР" РѬРѭРІС"Р№ РІС"РїСгСГРє СѬР°СГСГС"Р"РєРё "Lotus Notes/Domino -- РїСѬРѭРґСгРєС" Рё РёРѬСГС"СѬСгРѭРѭРѬС".38. Нужна помощь в ЛотусеТрабл в чём - я сейчас устроился на работу... отработал стажировку... тока выходить на ставку - тут на ... последнее задание и мы тебя берём... Lotus Notes нужно отстроить в банке гдето установить, где то донастраивать(Короче ппц, я то ни бум-бум в нём)!!! Сейчас я по ссылкам бегаю, что в этом разделе врубится не могу.. IBM.ком как родной сайт стал, я вконтакте так не бегаю от пользователя к пользователю или нажатием Фпять!!!Люди что прошу, Как выучить его... что нибудь легкое набросайте.. мне кажется таких как я много кому срочно нужно его знать - так что гУру ЛОтуСА))) может дадите ссылки - книжки - что полегче и поудобнее... или сами что подскажите... я его до сих пор в глаза не видел!!! Говорят установка тоже создает трубности - принцип работы какой, вообще больше по сути... Буду благодарен... пост мне кажется нужный! 39. Надо бы раздобыть какой-нить немодальный PopupКамрады, добрый!Хочу прикрутить немного красивостей к базе. Нужен скриптик, котороый мог бы показать немрдальный попап около систрея. Что-то вроде того, что показывает миранда, firefox, тот же скайп. Можно и WinApi, и другие решения. Главное, что бы было возможно шмальнуть из LotusScript с передачей параметра "текст попапа". Если у кого есть, или хотя бы знает, где искать, поделитесь плиз! Спасибо! 40. Не отрабатывает DbLookup у одного пользователяВсем привет.Появилась проблема. Не отрабатывает @DbLookup у одного пользователя. Раньше работал, сейчас нет. Проверили ID на другом ПК, та же картина. Видимо дело в ID. Что предшествовало: 1) на сервер 6.5.4 был накатан fp какой то версии (не скажу сейчас) 2) у пользователя обновляли ОС Пользователь зарегистрирован в ДД на русском языке как и все остальные. На агл. никто не будет переводить их. Пробовали (правда без моего участия) поставить второй домино сервер 7-й версии и проверить, проблема осталась. Мысли только поколдовать над ID. Что скажете? Блиц-опрос
Вакансии для специалистов1. Senior Project Manager Migration from Exchange to Lotus NotesReference # : 09-00096 Title : Senior Project Manager Migration from Exchange to Lotus Notes Location : Pittsburgh, PA Experience Level : 3 Years Start Date : Thu, Feb 19, 2009 Position Type : Contra...2. Lotus Notes Developer--Description--Classification: ConsultingCompensation: $45 to $50 per hourRobert Half Technology is recruiting for a Lotus Notes Developer for a 3 month contract opportunity here in Midtown Manhattan....3. Lotus Notes/Blackberry Help Desk Administrator--Description--Mindbank Consulting has immediate needs for a Lotus Notes/Blackberry Helpdesk Support Representatives. Primary Duties: Desktop / Helpdesk Customer Support Representative(s) CSRIT Custom...4. Lotus Notes Administrator--Description--Classification: Full TimeCompensation: $65000 to $90000 per yearOne of our best clients is looking for a Lotus Notes Administrator. The successful candidate will have Excellent Lotus No...5. Lotus Notes Developer--Description--Maxsys Solutions has partnered with an uptown client to help find a Lotus Notes Developer. Lotus Notes Developer will be responsible for developing systems in Lotus Notes that will be p...6. Lotus Notes Administrator R7.0 IT Information : CW_CA_LOTUS - $1000 Referral RewardJob Title: Lotus Notes Administrator R7.0 IT Information : CW_CA_LOTUSShort Description: Lotus Notes Administrator R7.0 IT Information Technology Server Domino Provide system admiLocation: Valencia, C...7. Project Manager with Lotus Notes expOur client is looking for a Project Manager with Lotus Notes upgrade experience.5+ Years of Experience in Project ManagementExperience with implementation of a Lotus Notes upgrade.When submitting your...8. Sr. .Net/Lotus Notes Developer-contract/cthopen to Contract or Contract-to-HireSenior .Net Developer with Lotus Notes (MUST have)thery are re-engineering their systemKey skill = .NET development under the full system development lifecycle3-6 m...9. Lotus Notes Administrator-IMMEDIATE START!!!No sponsorship available. No third parties, please.LOTUS NOTES ADMINISTRATOR: A well-established worldwide company based in Columbus is looking for a Senior Lotus Notes Administrator on a contract-to-...10. Lotus Notes AdministratorOne of our best clients is looking for a Lotus Notes Administrator. The successful candidate will have Excellent Lotus Notes experience and be interested in a Full Time Direct Hire role.Job Requiremen...11. Lotus Notes DeveloperLOTUS NOTES DEVELOPER - Ilitch Holdings, Inc., part of the Ilitch family of companies, leaders in the entertainment, sporting and international restaurant industry has an opportunity for a Lotus Notes...Закладки о Lotus Notes1. wissel.net2. Best practices in globalization: Developing IBM Lotus Notes applicationsThis article introduces the best practices in globalization that you can use to develop a good IBM®Lotus Notes® application. Following these recommendations, you can easily create good multilanguage-friendly Lotus Notes applications, which in turn can save you both resources and effort.3. technobloggle (iPhone to Lotus Notes)4. CodeProject: Send Lotus Notes Email Using C#. Free source code and programming help5. DominoSecurity.org -- THE source for Domino / Notes security information6. New LSX Toolkit is posted (Part 1)!!7. tut_Notes_SetMeeting.swf (application/x-shockwave-flash Object)8. How can I troubleshoot for DWA (Domino Web Access) problems?9. Turtle Partnership BlogFree Widget Catalog10. ESCAPE VELOCITY :: Meet Domino Superior (or A Tutorial on Why Xpages Are Better Than Cake and Ice Cream)How to do view joins with @DbLookup in XPages11. IBM Lotus Domino and Notes Information Center12. developerWorks Lotus : Lotus RSS feeds13. The History of Notes and Domino14. Understanding mail routing between IBM Lotus® Domino Server and BlackBerry handheld devices15. Troubleshooting Notes 8.5 on the Mac16. IBM - Detailed system requirements for Lotus Notes, Lotus Domino, Lotus Domino Administrator, Lotus Domino Designer, and Lotus Notes Traveler17. IBM backs OpenDocument in Lotus Notes - CNET NewsIBM has announced an upgrade to Lotus Notes that will include access to office productivity applications and support for the OpenDocument format. The new version of Lotus Notes, will feature IBM Workplace applications for word processing, spreadsheets, presentations and numeric data analysis, all supporting OpenDocument Format (ODF) files.Источники знаний. Сайты с книгами
Lotus Notes. Видео и изображения1. Nynas AB - ComAround Self Service Portal™
Author: ComAroundScandinavia 2. Edufire Intro - Lotus Notes 8
Author: davidvasta
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||