← Октябрь 2009 → | ||||||
1
|
3
|
4
|
||||
---|---|---|---|---|---|---|
6
|
7
|
8
|
10
|
11
|
||
13
|
14
|
15
|
18
|
|||
20
|
21
|
22
|
24
|
25
|
||
27
|
28
|
29
|
31
|
За последние 60 дней 24 выпусков (2-3 раза в неделю)
Открыта:
25-01-2006
Статистика
0 за неделю
is-phone softphone Plug-In for IBM Lotus Notes/Sametime - Call handling & Video Conferencing
Новости о ПО Lotus Notes1. Производители Linux-десктопов идут в ногу с Windows 7 - Новости ИТ-рынка
2. В Microsoft sharepoint 2010 появится клиент Groove - Открытые системы
3. «Лаборатория Касперского» защитила «Белорусскую железную дорогу» от вирусов и спама - CNews.ru
4. IBM и Canonical представили дешевую альтернативу Windows 7 - Vesti.kz
5. Безопасность на дорогах: "Лаборатория Касперского" заключила соглашение с "Белорусской железной дорогой" - spbIT.su
6. IBM и Canonical выводят пакет ПО для нетбуков на рынок США - Компьютерное Обозрение
7. Когда исчезает соединение - Открытые системы
Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. Enabling secure, remote access to IBM Lotus iNotes using IBM Lotus Mobile ConnectLearn how the IBM® Lotus® Mobile Connect clientless option can be used in conjunction with IBM Lotus iNotes™ to gain secure, remote access to enterprise iNotes servers from devices (handhelds, laptops, workstations) requiring access outside the bounds of their corporate intranet.2. Demystifying the IBM Lotus Web Content Management 6.x syndication tool: Making it work for youThis white paper describes the various components involved in IBM Lotus Web Content Management 6.x syndication and explains how you can make the tool work for you. Also included are detailed discussions of some of the concepts involved in troubleshooting common syndication issues.3. Lotus makes mobile partnerships and Notes Traveler top prioritiesIBM Lotus is making a move to consider mobility when revising and improving software tools. Support for Lotus Notes Traveler 8.5.1 on the iPhone and partnerships with RIM, Sprint and other carriers, prove IBM's dedication to the mobile market.4. HTML Emails With LotusScript Just Got a Whole Lot Easier | BlogSomething I've always wanted to do is improve how I send (HTML) emails from LotusScript. While I have the core code pretty much nailed down the way I use it has always been a bit cumbersome and not very flexible. So, I took the time yesterday to write an Email class. This is how I now send an HTML email: Dim mail As New Email() mail.Subject = "Hello" mail.setText "Here is a link:" + Chr(10)+link mail.setHTML {<p>Here's a <a href="}+link+{">link</a><p>} Call mail.Send("karen@howlett.com") The Email class handles creating the document, MIME headers, Streams, HTML wrapper tags etc etc and just leaves it for you to set the subject, content and recipient's address. Optionally you can specify who the sender should appear as by passing a three element array (name, email address, Notes domain), like so: mail.Sender = Split("Foo Bar, foo@bar.com, DOMAIN", ", ") You can also specify the ReplyTo and/or BlindCopyTo addresses if you wish. The code for the class is as below: Class Email Private doc As NotesDocument Private body As NotesMIMEEntity Private mh As NotesMIMEHeader Private mc As NotesMIMEEntity Private stream As NotesStream Private isTextSet As Boolean Private isHTMLSet As Boolean Private isSenderSet As Boolean Private FromName(0 To 2) As String Sub New() Set Me.doc = web.database.CreateDocument Me.doc.Form = "Memo" 'Set default from address Me.FromName(0) = "CodeStore.net" Me.FromName(1) = "noreply@codestore.net" Me.FromName(2) = "codestore" 'domain Me.isTextSet = False Me.isHTMLSet = False Me.isSenderSet = False 'Create the MIME headers Set Me.body = Me.doc.CreateMIMEEntity Set Me.mh = Me.body.CreateHeader({MIME-Version}) Call mh.SetHeaderVal("1.0") Set mh = body.CreateHeader("Content-Type") Call mh.SetHeaderValAndParams( {multipart/alternative;boundary="=NextPart_="}) End Sub %REM Sub setTextPart Description: Comments for Sub %END REM Sub setTextPart(part As String) 'If HTML part has been set, don't allow this! If Me.isHTMLSet Then Error 1000, ERR_EMAIL_CONTENT_ORDER_WRONG End If Set Me.mc = Me.body.createChildEntity() Set Me.stream = web.session.createStream() Call stream.WriteText(part) Call mc.setContentFromText(stream, {text/plain}, ENC_NONE) Me.isTextSet = True End Sub %REM Property Set Subject Description: Comments for Property Set %END REM Property Set Subject As String Me.doc.subject = subject End Property Sub setHTMLPart(part As String) 'Must be called after setTextPart! 'Now send the HTML part. Order is important! Set Me.mc = Me.body.createChildEntity() Set Me.stream = web.session.createStream() Set mc = body.createChildEntity() Set stream = web.session.createStream() Call stream.WriteText("<html>", EOL_CR) Call stream.WriteText("<head>", EOL_CR) Call stream.WriteText("<style>", EOL_CR) Call stream.WriteText("body{margin:10px;font-family:verdana,arial,helvetica,sans-serif}", EOL_CR) Call stream.WriteText("</style>", EOL_CR) Call stream.WriteText("</head>", EOL_CR) Call stream.WriteText("<body>", EOL_CR) Call stream.WriteText({<h2>}+web.database.Title+{</h2>}, EOL_CR) Call stream.WriteText(part) Call stream.WriteText("</body>", EOL_CR) Call stream.WriteText("</html>", EOL_CR) Call mc.setContentFromText(stream, {text/html;charset="iso-8859-1"}, ENC_NONE) Me.isHTMLSet = True End Sub %REM Sub setFromAddress Description: Comments for Sub %END REM Property Set Sender As Variant 'This next line MUST be after the MIME headers are set! me.doc.Principal= Sender(0) +" <"+Sender(1)+"@"+Sender(2)+">" me.doc.InetFrom = Sender(0) +" <"+Sender(1)+">" Me.isSenderSet = true End Property %REM Property Set replyTo Description: Comments for Property Set %END REM Property Set ReplyTo As String Me.Doc.ReplyTo = ReplyTo End Property %REM Property Set BlindCopyTo Description: Comments for Property Set %END REM Property Set BlindCopyTo As String Me.Doc.BlindCopyTo = BlindCopyTo End Property %REM Sub Send Description: Comments for Sub %END REM Sub Send(sendTo As String) If Not Me.isSenderSet Then 'use default Me.Sender = Me.FromName End If Call Me.Doc.Send(False, SendTo) End Sub End Class Feel free to offer any suggestions for improvement. I'm no class-writing expert and won't be offended. Consider the above a very rough version 0.1. I've not decided yet what the easiest way to implement it is. Right now I don't like how setTextPart has to be called before setHTMLPart. Seems odd. 5. How To: Threaded Inline Replies - The Basics | BlogNow that the threaded comments change has settled in and I've ironed out most of the bugs I thought I'd share the basics of how it works. First off it's worth considering the end result that is the HTML produced. It looks something like this: <ol id="comments" class="level_1"> <li> <p>comment 1</p> </li> <li> <p>comment 2</p> <ol class="level_2"> <li> <p>1st reply to comment 2</p> </li> <li> <p>2nd reply to comment 2</p> <ol class="level_3"> <li> <p>a reply to a reply</p> </li> </ol> </li> <li> <p>3rd reply to comment 2</p> </li> </ol> </li> <li> <p>Comment 3</p> </li> </ol> Notice how we're using semantic structured HTML rather than a table or a list of DIVs which get indented using CSS! The beauty of using pure HTML lists is that if you remove CSS from the equation you still get a threaded discussion. With no CSS the above HTML looks like this:
So, how do we produce this HTML?Well, first thing to note is that a child thread is nested inside the LI element of it's parent. You can't close the LI tag for a thread until you've done outputting all its child threads. This is why we can't use a Notes View to do this, as each document in a view is unaware of the document before and/or after it, so it can't close or open tags based on other documents around it. We need to write the code to handle the logic that opens and closes list items as needed. To do this we need to know two things when outputting the HTML for a document -- what level of nesting are we at now and what level of nesting were we at before.
Key to this is knowing what level of the thread a document is, which isn't as hard as it might sound. Beauty is always in simplicity and to keep the solution simple I wanted to build on what was already there. What each reply document already had was a "ThreadSort" field. If you've ever seen inside a Notes discussion template you'll know what that is. Yes? The format of a ThreadSort field is as such: MAIN_DOC_CREATED_TIMESTAMP MAIN_DOC_UNID SUB_DOC_CREATED_TIMESTAMP SUB_DOC_UNID SUB_SUB_DOC_CREATED_TIMESTAMP SUB_SUB_DOC_UNID ETC ETC Which looks like this: 20091015102201 9B1A931E05BFC87D86257650003374A4 20091016041313 9D253F502E386E57862576510032A631 20091016042959 B8053CB5C7FB6A148625765100342F3A You can see from the above field value that the document it represents is two levels below the main document. You could work that out by looking at the values held it, but we can also work this out using a simple formula: (@Elements(@Explode(ThreadSort; " "))/2)-1 The level a document is at is one less than half the number of spaces in the ThreadSort field. Simple! All I had to do was add the above formula to a column in a view. The view below shows all the reply documents categorised by the UNID of the main document they're replies to:
Note that the view is sorted first by the ThreadSort field which gives the view the natural order of the discussion. Note also that the last column's value can increase by no more than +1 at a time as you move down the view, but that it can decrease by any amount at any time! Using this new column the LotusScript in the Web Query Open agent can now output the properly-indented documents using well-formatted HTML. Here's the LotusScript in use: Set nav = view.CreateViewNavFromCategory(MainDocID) Set entry = nav.GetFirstDocument Dim last_level As Integer Dim current_level As Integer Dim i as Integer last_level=0 While Not(entry Is Nothing) current_level = entry.ColumnValues(2) If current_level > last_level Then 'open a new OL print "<ol>" ElseIf current_level < last_level Then 'close some OLs For i=current_level+1 To last_level print "</li></ol>" Next Else 'same level - no need to mess with OLs Print "</li>" End If 'open teh LI for this document Print "<li>" 'Output the body of the comment Print entry.document.Body(0) 'Remember level of the last processed doc! last_level = current_level Set entry = nav.GetNextDocument(entry) Wend 'Finally, close any open OLs, 'based on last_indent_level For i=1 To last_indent_level replies.add "</li></ol>"+New_line Next Obviously the actual code I'm using is a little more involved (nor do I use Print statements), but you get the idea? I just wanted to show how simple the principle is. There are probably even easier ways of doing this, but the beauty of this approach is the way is produces semantic HTML, which is part-styled as a discussion before you even get to applying any CSS to it. Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. вот в Lotus Notes это легко...вот в Lotus Notes это легко...2. Примеры систем электронного документооборота2.Системы локального (Украина, Россия) производства, в основе которых лежит Lotus Domino/Notes.3. IBM и Canonical намерены решительно противодействовать MicrosoftВвиду скорого выхода Windows 7 два IT-гиганта - IBM и Canonical намерены проводить кампанию по внедрению решений на базе Lotus Symphony и Notes на предприятиях вместо ОС от Microsoft.4. Invitation: October Technical Information and Education Community MeetingYou are cordially invited to our October Lotus Technical Information and Education community meeting! Meeting Agenda: Community updates - the latest news from the information development team ...5. скажи это моему сотруднику, юзающему для работы с почтой Lotus Notesскажи это моему сотруднику, юзающему для работы с почтой Lotus Notes6. SAN vs. NASПока я занимаюсь с Lotus Domino, мой коллега сейчас изучает вопрос, что лучше:7. [domino Designer]Не могу открыть Xpage в браузере!:(Привет. Сабж....Система Win2003, Lotus 8.5(server+designer). Создаю приложение на Local сервере, создаю к нему xPage с простым текстом "hello world". Клацаю Design->Preview in browser->Internet Exlorer, выходит ошибка: "To successfully preview this element in a Web browser, please add(or modifi) the ACL entry for Anonymus(or the default ACL) to have at least Author access with the ability to create documents." - исходя из этого я понимаю, что нада зайти кликнуть правой по проекту зайти в Access Control, дать права на создание документов Default'у ? так и делаю, дальше опять иду в Preview, грузится IE....и отвечает мне "The page cannot be found". O_O Как же так?!!!!!!!!!!!!!!!! Смотрю логи сервера они говорят тоже самое!!! "HTTP Web Server: Lots Exception - File does not exist [test.nsf/go.xsp]". Почему все так сложно......где я ошибаюсь? Достаточно ли информации предоставил я(не знаю что добавить еще!!)? Знающие люди подскажите пожалуйста, очень хочу дипломную на Lotus'е делать, но останавливает такая ерунда. ps.. посоветовали на другом форуме Цитата Зайди в ACL, добавь Anonymus с правами Author( или Editor) но таже самая история, ничего не произошло! Странички нету на сервере! ps. почему в Lotus'е так....я же захожу в Designer под админом, почему режим отладки работает для anonymous 8. IBM и Canonical намерены решительно противодействовать MicrosoftВследствие скорого выxoдa Windows 7 два IT-гиганта - IBM и Canonical намерены проводить кампанию до внедрению решений на бaзe Lotus Symphony и Notes для предприятиях вместо ОС от Microsoft.9. Demystifying the IBM Lotus Web Content Management 6.x syndication tool: Making it work for youThis white paper describes the various components involved in IBM Lotus Web Content Management 6.x syndication and explains how you can make the tool work for you. Also included are detailed discussions of some of the concepts involved in troubleshooting common syndication issues.10. Enabling secure, remote access to IBM Lotus iNotes using IBM Lotus Mobile ConnectLearn how the IBM® Lotus® Mobile Connect clientless option can be used in conjunction with IBM Lotus iNotes™ to gain secure, remote access to enterprise iNotes servers from devices (handhelds, laptops, workstations) requiring access outside the bounds of their corporate intranet.11. IT specialistЗнание доменной политики, AD, Domino Lotus Notes R8, MS SQL Server, Free BSD. *12. Igor Novikov: IBM Client for Smart Work– альтернативное «облачное» решение IBM и ...В состав пакета также входит IBM Lotus Notes (инструмент для работы с электронной почтой) и LotusLive iNotes (средства для работы с электронной почтой через «облако»).13. Челябинские разработчики и администраторы IBM Lotus Domino, настолько суровы, чтоЧелябинские разработчики и администраторы IBM Lotus Domino, настолько суровы, что когда подают заявление об уходе и кладут его на стол, произносят фразу “Рыба”.14. Lotus makes mobile partnerships and Notes Traveler top prioritiesSupport for Lotus Notes Traveler 8.5.1 on the iPhone and partnerships with RIM, Sprint and other carriers, prove IBM's dedication to the mobile market.15. Администрирование Lotus Domino 8.5.1 + Полный клиент Lotus Notes + Lotus Notes ...И в этом процессевашим неотъемлемым помощником может стать система Lotus Notes.16. OdbcconnectionНе работаетCall con.ConnectTo ("Provider=MSDASQL;DSN=front-4;SRVR=Сервер;DB=База;UID=Пользователь; PWD=Пароль") Если установить клиент front у себя, то все работает знакомый аналогичное подключение делает с помощью php , *подключая библиотеку* и у него работает без клиента. 1. Как можно драйвера клиента front запихать в лотусовую бд, что бы не ставить клиент front? 1. Можно ли php библиотеку теоретически под Lotus переделать? 17. File UploadНа закладке <HTML> в Other пишу onchange="java script: Loadclick();"В JS Header пишу function Loadclick(){ document.getElementById('Load').click(); } Элемент Load - это кнопка с @Command([FileSave]). Так вот при выборе файла, attach прикрепляется, но *перегружается* весь документ (грузится, как при открытии новой странички). 1. Можно как то не сохраняя документ отобразить прикредленные attach файлы? 2. Можно при сохранении документа сделать так, что сам документ не *перегружался*? переместите пож. тему в раздел Lotus-Программирование 18. Sample Alloy product videosSample Alloy product videos include the following: -- Alloy by IBM and SAP for direct access to SAP business processes in the Lotus Notes client -- Alloy by IBM and SAP product tour -- Alloy Screenc19. Informative Alloy videosHere are some informative Alloy product videos: -- Alloy by IBM and SAP for direct access to SAP business processes in the Lotus Notes client at http://www.youtube.com/watch?v=2WnHbd9x56M -- Alloy by20. Новости — IBM и Canonical предлагают свое десктоп решение в СШАУже прямо сейчас клиенты из США могут заказать распространяемый изначально для африканских фирм программный комплекс состоящий из ОС Ubuntu и офисного пакета Lotus включающего в себя Lotus Symphony, Lotus Notes или улучшенный вариант iNotes, Lotus Sametime и Lotus Live.21. АйТи приступила к промышленной эксплуатации CRM-системы на платформе MicrosoftКроме того, частью проекта стала интеграция платформы с корпоративной почтовой системой Lotus Notes.22. testTestasdasdasdasasdasdasdasdas23. Making various language spell check dictionaries available to Notes 8.5.1 usersDictionary files are installed from their corresponding language pack (Notes installation executable, MUI pack, and or NL install kit) as follows: -- Language dictionaries are automatically installed24. 8 ключевые советы для перехода на Exchange 2010Exchange 2007 магазинах только одного шага, прочь, а для работы с IBM's Lotus Domino / Notes предстоит рассмотреть еще несколько прыжков.25. Года два назад видел такой же косяк на Lotus Domino 7.0.2. На дебиановских ядрахГода два назад видел такой же косяк на Lotus Domino 7.0.2. На дебиановских ядрах от 4.0 Etch он вставал, но иногда зависал не по делу.26. Archivarius 3000 4.25 (WaReZ)Поиск в базах данных Lotus Notes и Lotus Domino. -27. Re: Reply to your entry...А может развлекусь переустановкой нового ubuntu, поставлю новый Lotus Notes и что там ещё новое появилось с тех пор? :-)28. Master: ... сьогодні... Уже перша половина дня у моєму IBM Lotus Notes "забита" ...40 хв. до обіду;)29. Уже перша половина дня у моєму IBM Lotus Notes "забита" повністю виконаними справами.Уже перша половина дня у моєму IBM Lotus Notes "забита" повністю виконаними справами.30. IBM and Ubuntu Going Head To Head Against Windows 7?74.50 Lotus Notes/iNotes31. SQL запросНадо:Получать, через виндовый планировщик, с большого числа лотусовых серверов результат выполнения запроса Код SELECT System.Server_Users FROM System System WHERE System.STATS_Time_Current=(SELECT MAX(System.STATS_Time_Current) FROM System System) Уже неделю трахаемся с odbc/jdbc драйверам - толку ноль. Всякие UltraODBCSQL результат выдают, но без ручного вмешательства не работают. Админы лотуса - дубы. Может есть более прямое решение? Форум на работе закрыт, если есть идеи - 8-903-533-36-39 32. Новые возможности Google Search Appliance версия 6.2Встроенный коннектор к Lotus Notes33. Внедрение документов Office разных версийЗдравствуйте... 34. Jar агент LotusУ меня следущая проблемаЕсть jar приложение можно ли как-нибудь запуситить его агентом? Тоесть так чтобы от запускался из от сессии текущего пользователя? 35. ограничение иерархических представлений в Lotus 8.5Добрый день!В документообороте на лотусе, создаю поручения. Всего имеется 31 поручение. При создании 32 поручения, он не садится как дочерний из за ограничений. Кто либо сталкивался с этим и как обошли ограничения:? 36. Setting up an IBM Rational Application Developer-based iWidget development environmentWhen widgets are developed for deployment on IBM® Mashup Center, two IBM development tools can be used, the IBM Mashup Center widget factory or IBM Rational® Application Developer. This article explains how to set up IBM Rational Application Developer so that it can be used to create iWidgets for deployment in IBM Mashup Center.37. :: Setting up an IBM Rational Application Developer-based iWidget development environmentWhen widgets are developed for deployment on IBM® Mashup Center, two IBM development tools can be used, the IBM Mashup Center widget factory or IBM Rational® Application Developer. This article explains how to set up IBM Rational Application Developer so that it can be used to create iWidgets for deployment in IBM Mashup Center.38. artemynikolay да в любой инспекции почти по всей России уже внедрили СЭД на базеartemynikolay да в любой инспекции почти по всей России уже внедрили СЭД на базе Lotus Notes.39. ППЦ! этот гребаный Lotus Domino не хочет работать.Как же все через Ж... делают вППЦ! этот гребаный Lotus Domino не хочет работать.Как же все через Ж... делают в налоговых.40. Beyond Domino Administrator 8.5.1 Help: Additional documentation resourcesIn Domino Administrator Help for 8.5.1 (which is also publicly posted as an Information Center), there is a new topic that conveniently lists a variety of related documentation sources, such as other41. Updated release of the IBM WebSphere Portal Unified Task List portletAn updated release of the IBM WebSphere Portal Unified Task List portlet is now available from the IBM WebSphere Portal Business Solutions catalog here: Unified Task List portlet. The IBM WebSphere P ...42. Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...iкавив РЅРµ С‚iльки СЏРє РѕС„iСЃРЅРёР№ пакет,Р° Р±iльСРµ Р№РѕРіРѕ iнтеграцiСЏ * Как работает кластер Domino? * Р 'РЎ<Р iРЎg'РЎG'Р e РЎTH,Р DGРЎG'РЎG'РЎ<Р >>Р eР С‘ "Lotus Notes/Domino -- Р iРЎTH,Р sР gРЎg'Р eРЎ, Р С‘ Р43. Sametime (голос) на АТСДелал ли кто следующее связку ST и АТС по средствам SIP нужно только звонить с клиента по номерам которые есть в DD. Достаточно ли будет платы VoIP для АТС?44. 8-ка с эклипсом + ExcelСобственно на 8.5.1 полной с эклипсом(на любой версии с эклипсом)при выплевывании данных в ексель на строке Call Sh.Hyperlinks.Add(sh.Cells(2, 2), "http:\\lotus.net.ua") - формирование линка валится лотусиный клиент, намертво... а гиперлинки в екселе очень нужны, что делать кто нибудь сталкивался? 45. IBM Lotus Domino/Notes, IBM Lotus Traveler для почты/календаря/контактовIBM Lotus Domino/Notes, IBM Lotus Traveler для почты/календаря/контактов46. Need Lotus Notes 8.5.1 — The blog of Vaughan Rivett http://ff.im/a6k1MNeed Lotus Notes 8.5.1 — The blog of Vaughan Rivett http://ff.im/a6k1M47. Защо да обновим текущата Lotus Notes and Domino версия към новата 8.5.1?Защо да обновим текущата Lotus Notes and Domino версия към новата 8.5.1?48. Handy Backup Server – резервирование данных в корпоративных сетяхHandy Backup Server проводит усовершенствованный бэкап ODBC-совместимых баз данных, включая MySQL, MS SQL, Oracle, DB2, PostrgeSQL и других, а также резервирует MS Exchange Server и Lotus notes.49. 2 продукта по цене одного!Помимо обычного резервирования, программа позволяет резервировать и восстанавливать базы данных MySQL, MS SQL, Oracle, MS Exchange Server, Lotus Notes и другие. Блиц-опрос
Вакансии для специалистов1. директор по ITНаш партнер, крупная IT- компания, открыл вакансию Директор по IT.Островные требования: - Мужчина до 40 лет; - В/о; - О/р на аналогичной позиции (желательно в международной компании) не менее 3-х лет‚; - Ключевые навыки: SQL‚ C++‚ ASM‚ Oracle Developer‚ Architect Design Domino‚ Administration Domino‚ Setup Install IBM hardware‚ управление ИТ проектами‚ организация работ по созданию и проектированию информационных систем; - Английский язык - свободно. Основные обязанности: - Планирование работы отдела; - Руководство и ведение проектов по внедрению новых информационных технологий в основном офисе компании‚ так и в филиалах компании; - Разработка и внедрение технологических стандартов и процедур; - Разработка и внедрение корпоративной политики в области ИТ; - Руководство процессом внедрения информационных технологий; - Руководство проектами по реинженирингу и рефакторингу. Оплата высокая + соц.пакет, оговаривается при собеседовании и зависит от уровня знаний и опыта претендента. Присылайте резюме office@runway.com.ua . Указывайте код вакансии IT-1 Закладки о Lotus Notes1. IBM Web based email software - Lotus iNotes2. IBM Multimedia Library for Lotus Notes3. Maltos e AssociadosQuantas vezes você já não passou por uma situação parecida com essa no trabalho? Elas acontecem o tempo todo. Foi pensando nisso que a IBM lançou a nova versão da suíte IBM Lotus Notes. São várias novidades, entre elas uma nova interface mais moderna e com ferramentas integradas de colaboração, para facilitar a vida de quem trabalha em equipe.4. off the Hook - 911s Chief Lotus Advocate5. IBM - Lotus Notes 8.5.1 - Detailed system requirements6. The History of Notes and Domino7. IBM - Word wrap fails in embedded Sametime client used with Internet Explorer 88. IBM Lotus Domino and Notes Information Center9. IBM Lotus Domino and Notes Information Center10. Planet Lotus | IBM Lotus Software Related Blogs11. Synching Google Calendar with Lotus Notes - Calendar Help12. London Laptop Switch - ThoughtWorks13. Domino Mail RoutingPDF14. How to upgrade to Lotus Notes 8 and retain Lotus Notes 715. IBM - Guide to the Notes/Domino Out of Office. Part 1: Out of Office Design and Features16. Part1 . How to build a Lotus Notes C API application using Visual Studio .NET 2003 and the Lotus Notes CAPI tookit. - Lotus Notes & Domino Tips & Tricks"17. AweSync | Lotus <-> Google Calendar Synchronization Tool18. Lotus Notes to Google SynchronizerTool for syncing Lotus Notes with Google Calendar. From Google Calendar you can then sync with your iPhone/Android.19. IBM - Error: 'Unable to find path to server' when trying to connectИсточники знаний. Сайты с книгами
Lotus Notes. Видео и изображения1. is-phone softphone Plug-In for IBM Lotus Notes/Sametime - Call handling & Video Conferencing
Author: pjotr2000 2. RainbowSync Overview
Author: RainbowSync
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||