nsftools - Lotus Notes and Domino Tips
Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. Looking For a Lotus COM APIs Guru | BlogIt's probably a long-shot but I said I'd try and help out a customer of mine by trying to find a guru. Over to them:
If you know of anybody who can help (paid consultancy of course) then please comment here or let me know and I'll put you both in touch. Ta. 2. Report as Spam (forward MIME, like View | Source)This LotusScript agent can be used in a view action button that reports spam to an email address similarly to how you would do it manually (View | Source... and Forward... ) You may use this code however you want but please share your changes (see Apache License below). Some improvements can be made (see todo in comment header), but it works well enough with 3rd party spam filters I've used. While this code was originally under GPL, I have changed it to Apache. There were no third party contributions to the code while it was under GPL. --- Copyright 2005 Ryan BenechLicensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License Thank you IBM for helping me clarify the licensing ;-) --- ======= BEGIN CODE ======= (select text below this line) Sub Initialize 'Notes Agent: name=ReportAsSpam, trigger=onEvent, Action menu selection, target=All selected docs 'forwards the selected message(s) with full header to a spam reporting email address 'moves message from inbox to junk mail and appends "[Spam]" to the subject line 'requires: Function walkmime (mime As notesmimeentity) As String 'to-do: prevent reporting of whitelisted messages, prevent report of local domain addresses 'created 12/10/2005 by Ryan Benech Const SPAMREPORTADDRESS = "spam@domain.com" 'the email address used to report spam, uncomment to go live 'Const SPAMREPORTADDRESS = "YourFullyQualified/NotesNameGoesHere" 'uncomment this line to debug messages Dim sess As New NotesSession Dim ws As New NotesUIWorkspace Dim db As NotesDatabase Dim memo As NotesDocument, doc As NotesDocument Dim col As NotesDocumentCollection Dim mime As NotesMIMEEntity Dim rtitem As NotesItem Dim temp As Variant 'to get info from non-ASCII data Dim i As Integer 'to count messages Dim uiview As NotesUIView 'to update the inbox after messages have been moved Dim mail As NotesRichTextItem 'the sent message Dim item As NotesItem 'to process fields with multiple items (i.e. recieved) sess.ConvertMime = False 'init mime conversion Set db = sess.CurrentDatabase Set col = db.UnprocessedDocuments Set doc = col.GetFirstDocument() If doc Is Nothing Then Exit Sub 'sanity check to abort early Print "Reporting " + Cstr( col.Count ) + " selected documents as Spam to " + SPAMREPORTADDRESS + ". Please wait..." i = 1 While Not(doc Is Nothing) Set memo = db.CreateDocument Set mail = New NotesRichTextItem( memo, "Body" ) Set mime = doc.GetMIMEEntity If Not(mime Is Nothing) Then Forall header In mime.HeaderObjects Call mail.AppendText( walkmime ( mime ) ) 'calls required function walkmime End Forall Call doc.CloseMIMEEntities 'allow clean switch to using items memo.subject = doc.subject(0) Call memo.Send( False, SPAMREPORTADDRESS) 'forward spam report message Print "Successfully reported message " Cstr(i) + " of " + Cstr( col.Count ) +" ("+ doc.Subject(0) + ")" Else Print "No MIME content found in message, not sending spam report. (the internet message may have been converted to Notes Format) " End If If Instr( doc.Subject(0), "[SPAM]" ) = 0 Then Call doc.ReplaceItemValue("Subject", "[SPAM] " + doc.Subject(0) ) 'remove [spam] End If Call doc.Save(True,True) Call doc.PutInFolder( "($JunkMail)" ) 'swap ($JunkMail) for ($Inbox) to perform a "not spam" action Call doc.RemoveFromFolder( "($Inbox)" ) 'vice versa for this line... :-) Call sess.UpdateProcessedDoc( doc ) Set doc = col.GetNextDocument(doc) i = i +1 'increment counter Wend Set uiview = ws.CurrentView Call uiview.DeselectAll 'to prevent UI bugs sess.ConvertMime = True 'revert mime conversion Beep Print "Done reporting " + Cstr( col.Count ) + " document(s) as Spam." End Sub Function walkmime (mime As notesmimeentity) As String 'returns string of complete mime message 'created: 12/10/05 by Ryan Benech 'closely based on code contributed by Kim Dowds from Lotus Sanbox: "SpamAssassin for Notes" Dim mime2 As notesmimeentity 'for walking mime tree walkmime = "" 'init string While Not (mime Is Nothing) walkmime = walkmime & Chr(10) _ & mime.Headers & Chr(10) _ & mime.ContentAsText Set mime2 = mime.GetFirstChildEntity 'get first child: If mime2 Is Nothing Then 'none? then get next sibling Set mime2 = mime.GetNextSibling End If If mime2 Is Nothing Then 'none? then get aunt/uncle : Set mime2 = mime.GetParentEntity If Not (mime2 Is Nothing) Then Set mime2 = mime2.GetNextSibling End If End If Set mime = mime2 Wend End Function ======= END CODE ======= (select text above this line) 3. Report as Spam (forward MIME, like View | Source)I've created a LotusScript agent and view action button that reports spam to an email address similarly to how you would do it manually (View | Source... and Forward... ) You may use this however you want (GPL and/or Apache v2, see below) but please share your changes. Some improvements can be made (see todo in comment header), but it works well enough with 3rd party spam filters I've used. --- Copyright 2005 Ryan BenechLicensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License --- ======= BEGIN CODE ======= (select text below this line) Sub Initialize 'Notes Agent: name=ReportAsSpam, trigger=onEvent, Action menu selection, target=All selected docs 'forwards the selected message(s) with full header to a spam reporting email address 'moves message from inbox to junk mail and appends "[Spam]" to the subject line 'requires: Function walkmime (mime As notesmimeentity) As String 'to-do: prevent reporting of whitelisted messages, prevent report of local domain addresses 'created 12/10/2005 by Ryan Benech Const SPAMREPORTADDRESS = "spam@domain.com" 'the email address used to report spam, uncomment to go live 'Const SPAMREPORTADDRESS = "YourFullyQualified/NotesNameGoesHere" 'uncomment this line to debug messages Dim sess As New NotesSession Dim ws As New NotesUIWorkspace Dim db As NotesDatabase Dim memo As NotesDocument, doc As NotesDocument Dim col As NotesDocumentCollection Dim mime As NotesMIMEEntity Dim rtitem As NotesItem Dim temp As Variant 'to get info from non-ASCII data Dim i As Integer 'to count messages Dim uiview As NotesUIView 'to update the inbox after messages have been moved Dim mail As NotesRichTextItem 'the sent message Dim item As NotesItem 'to process fields with multiple items (i.e. recieved) sess.ConvertMime = False 'init mime conversion Set db = sess.CurrentDatabase Set col = db.UnprocessedDocuments Set doc = col.GetFirstDocument() If doc Is Nothing Then Exit Sub 'sanity check to abort early Print "Reporting " + Cstr( col.Count ) + " selected documents as Spam to " + SPAMREPORTADDRESS + ". Please wait..." i = 1 While Not(doc Is Nothing) Set memo = db.CreateDocument Set mail = New NotesRichTextItem( memo, "Body" ) Set mime = doc.GetMIMEEntity If Not(mime Is Nothing) Then Forall header In mime.HeaderObjects Call mail.AppendText( walkmime ( mime ) ) 'calls required function walkmime End Forall Call doc.CloseMIMEEntities 'allow clean switch to using items memo.subject = doc.subject(0) Call memo.Send( False, SPAMREPORTADDRESS) 'forward spam report message Print "Successfully reported message " Cstr(i) + " of " + Cstr( col.Count ) +" ("+ doc.Subject(0) + ")" Else Print "No MIME content found in message, not sending spam report. (the internet message may have been converted to Notes Format) " End If If Instr( doc.Subject(0), "[SPAM]" ) = 0 Then Call doc.ReplaceItemValue("Subject", "[SPAM] " + doc.Subject(0) ) 'remove [spam] End If Call doc.Save(True,True) Call doc.PutInFolder( "($JunkMail)" ) 'swap ($JunkMail) for ($Inbox) to perform a "not spam" action Call doc.RemoveFromFolder( "($Inbox)" ) 'vice versa for this line... :-) Call sess.UpdateProcessedDoc( doc ) Set doc = col.GetNextDocument(doc) i = i +1 'increment counter Wend Set uiview = ws.CurrentView Call uiview.DeselectAll 'to prevent UI bugs sess.ConvertMime = True 'revert mime conversion Beep Print "Done reporting " + Cstr( col.Count ) + " document(s) as Spam." End Sub Function walkmime (mime As notesmimeentity) As String 'returns string of complete mime message 'created: 12/10/05 by Ryan Benech 'closely based on code contributed by Kim Dowds from Lotus Sanbox: "SpamAssassin for Notes" Dim mime2 As notesmimeentity 'for walking mime tree walkmime = "" 'init string While Not (mime Is Nothing) walkmime = walkmime & Chr(10) _ & mime.Headers & Chr(10) _ & mime.ContentAsText Set mime2 = mime.GetFirstChildEntity 'get first child: If mime2 Is Nothing Then 'none? then get next sibling Set mime2 = mime.GetNextSibling End If If mime2 Is Nothing Then 'none? then get aunt/uncle : Set mime2 = mime.GetParentEntity If Not (mime2 Is Nothing) Then Set mime2 = mime2.GetNextSibling End If End If Set mime = mime2 Wend End Function ======= END CODE ======= (select text above this line) Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. IT Managersystems; Scala support; Lotus Notes development and support Assist in developing project budget estimates.2. Из-за Lotus Notes кодриую почти месяц на виртуальной машине с WinXP.Из-за Lotus Notes кодриую почти месяц на виртуальной машине с WinXP.3. нужен инженер service deskЗнание Lotus Notes еще лучше.4. Кустодиев Владислав МатвеевичCorelDraw, IBM Lotus Notes, Illustrator, InDesign, Internet Explorer, Microsoft Access, Банк-Клиент, Консультант+5. Телков Артем Семенович1C 7.7 Бухгалтерия, IBM Lotus Notes, Internet Explorer, Microsoft Word, QuarkXPress, WebMoney, Банк-Клиент6. Пальчиков Валерий Ростиславович1C 7.7 Торговля и склад, 1C 8.0 Торговля и склад, Adobe Photoshop, IBM Lotus Notes, Internet Explorer, Microsoft Access, Microsoft Office7. Порфирьюшкин Павел ВитальевичIBM Lotus Notes, Illustrator, Internet Explorer, Outlook8. Чекрыжова Анжелика АртемовнаCorelDraw, IBM Lotus Notes, Illustrator, Microsoft Access, Microsoft Excel, Microsoft Word, Консультант+9. Семичастнова Алиса ЮрьевнаCorelDraw, IBM Lotus Notes, InDesign, Microsoft Office, Microsoft PowerPoint, The Bat10. Поганова Ольга ГеннадьевнаAdobe Photoshop, IBM Lotus Notes11. Яворова Марина Владиславовна1C 8.0 Бухгалтерия, IBM Lotus Notes12. Демидкова Ева Игоревна1C 7.7 Торговля и склад, 1C 8.0 Бухгалтерия, AutoCAD, IBM Lotus Notes, Illustrator, InDesign, Microsoft Office, Банк-Клиент13. Прусаков Артем Борисович1C 7.7 Торговля и склад, IBM Lotus Notes14. Галамов Георгий БогдановичAdobe Photoshop, IBM Lotus Notes, Illustrator, MS Active Directory15. Master: Що нового у версії IBM Lotus Notes 8.5.2 яка виходить 24.08.2010? http ...Що нового у версії IBM Lotus Notes 8.5.2 яка виходить 24.08.2010? http://ow.ly/2q3jV (англ.)16. Рощин Алексей Антонович1C 7.7 Торговля и склад, 1C 8.0 Торговля и склад, IBM Lotus Notes, Microsoft Word17. Годовалов Лев Максимович1C 8.0 Бухгалтерия, CorelDraw, IBM Lotus Notes, Internet Explorer, The Bat, WebMoney18. Грицан Вера Даниловна1C 7.7 Бухгалтерия, IBM Lotus Notes, Outlook19. Лапшова Ярослава ВячеславовнаIBM Lotus Notes, Microsoft Access, The Bat, Банк-Клиент20. Хаджинова Ангелина ОлеговнаIBM Lotus Notes, InDesign, QuarkXPress21. Крестинский Николай ЗахаровичAutoCAD, CorelDraw, IBM Lotus Notes22. Халтурина Анна Федоровна1C 7.7 Бухгалтерия, IBM Lotus Notes, InDesign, Microsoft Access, The Bat, WebMoney, Консультант+23. Гапонова Анна Андреевна1C 7.7 Бухгалтерия, Adobe Photoshop, IBM Lotus Notes, Illustrator, Microsoft Access, Microsoft Office, WebMoney24. Ольгов Артур Альбертович1C 7.7 Торговля и склад, 1C 8.0 Бухгалтерия, IBM Lotus Notes, Internet Explorer, Microsoft Access, Microsoft PowerPoint, QuarkXPress25. Ярмолович Дарья ВасильевнаAutoCAD, IBM Lotus Notes, Illustrator, Microsoft Access, Microsoft Word, Outlook, The Bat26. Lotus Web, Ajax и авторизация:)Ну собственно прежде чем пытаться изобрести велосипед, решил узнать вдруг его уже изобрели.Проблема думаю встречается нередко, поэтому наверняка уже реализовывалась. опишу на примере: Есть web форма, с которой идут запросы к серверу через Ajax. Допустим у пользователя рвется сессия и Ajax запрос возвращает не нужный нам результат а HTML код страницы авторизации. вот хотелось бы определять этот момент, и дать возможность авторизации во всплывающем окне (ну допустим рисованное на JS) без перегрузки формы. заранее спасибо. 27. Построение графиков на основе данных из LotusВсем доброго времени суток!Мне поставили задачу визуализировать данные из Лотуса в виде графика. Причем построение графика (не важно в какой программе) должно проходить либо при выполнении одного действия, либо вообще постоянно отображать актуальное состояние данных. Т.е. реализация в виде: выгрузить в excel, а потом в нем построить график не подходит. Может у вас есть вариант как все это можно осуществить? 28. Mashups, beyond reportingDevelopers of all kinds may occasionally find a need to build an application that makes simple updates to a database table. This article describes how to build an IBM Mashup Center widget that can display an HTML form that lets users update relational database tables. Optionally, you can quickly create your own mashup page by simply using the downloadable sample widget as is and supplying your own HTML form.29. Садовщикова Камилла ГеоргиевнаAdobe Photoshop, IBM Lotus Notes, MS Active Directory, Microsoft PowerPoint, Outlook, WebMoney, Консультант+30. Портнякова София Федоровна1C 7.7 Торговля и склад, AutoCAD, IBM Lotus Notes, Microsoft Access31. Федоровских Даниил ЛьвовичIBM Lotus Notes, Банк-Клиент32. Остроушко Денис Михайлович1C 8.0 Бухгалтерия, 1C 8.0 Торговля и склад, IBM Lotus Notes, WebMoney, Банк-Клиент33. Никонова Валентина КирилловнаCorelDraw, IBM Lotus Notes, MS Active Directory, Microsoft Word, Outlook, QuarkXPress, WebMoney34. Юрманов Захар Арсениевич1C 8.0 Бухгалтерия, IBM Lotus Notes, Illustrator, InDesign, MS Active Directory, Консультант+35. Доломанов Борис Витальевич1C 8.0 Торговля и склад, CorelDraw, IBM Lotus Notes, InDesign, MS Active Directory, WebMoney36. Чучкова Майя ВладимировнаIBM Lotus Notes, Illustrator, Outlook, WebMoney, Консультант+37. Данилишина Лилия СтепановнаIBM Lotus Notes, Internet Explorer, MS Active Directory, Microsoft Access, Консультант+38. Грудинская Станислава Филипповна1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, IBM Lotus Notes, Internet Explorer, Банк-Клиент39. Болдыревская Дарья Максимовна1C 8.0 Торговля и склад, IBM Lotus Notes, The Bat, WebMoney40. Нургалиева Оксана ЕгоровнаAutoCAD, IBM Lotus Notes, Illustrator, InDesign, Microsoft PowerPoint41. Конькова Майя ВасильевнаAdobe Photoshop, IBM Lotus Notes, Microsoft Access, Microsoft Office, Microsoft Word42. Радзинский Павел ЛеонидовичAdobe Photoshop, IBM Lotus Notes, InDesign, MS Active Directory, Microsoft PowerPoint43. Павлинина Анастасия Валентиновна1C 7.7 Торговля и склад, IBM Lotus Notes, Microsoft Access44. Юривцев Ярослав РостиславовичIBM Lotus Notes, InDesign, Банк-Клиент45. Тиньков Даниил ЯковлевичIBM Lotus Notes46. Маринченко Алексей Тарасович1C 8.0 Бухгалтерия, 1C 8.0 Торговля и склад, IBM Lotus Notes, Illustrator, Internet Explorer, The Bat, Консультант+47. Колмогорцева Ульяна ВадимовнаAdobe Photoshop, IBM Lotus Notes, Illustrator, Internet Explorer, MS Active Directory, QuarkXPress, WebMoney48. Крайнев Станислав Александрович1C 8.0 Бухгалтерия, IBM Lotus Notes, Internet Explorer, Microsoft Excel49. Розов Юрий ГригорьевичIBM Lotus Notes50. Лебедкин Григорий Анатольевич1C 8.0 Торговля и склад, CorelDraw, IBM Lotus Notes, Internet Explorer, WebMoney51. Шишигина Александра Захаровна 1C 8.0 Торговля и склад, CorelDraw, IBM Lotus Notes, Outlook, Консультант+52. Бессмертнов Богдан Тарасович AutoCAD, CorelDraw, IBM Lotus Notes, Illustrator53. Потехин Борис Иванович 1C 7.7 Торговля и склад, AutoCAD, IBM Lotus Notes, Microsoft Access, Microsoft Office54. Яблочкина Ева Захаровна 1C 7.7 Бухгалтерия, IBM Lotus Notes55. Волжанина Анжелика Вячеславовна 1C 8.0 Торговля и склад, IBM Lotus Notes56. Паршуков Георгий Федорович 1C 7.7 Бухгалтерия, 1C 8.0 Бухгалтерия, IBM Lotus Notes, InDesign, Microsoft Access, Microsoft Excel, Microsoft Office57. Ольховская Олеся Матвеевна 1C 7.7 Торговля и склад, 1C 8.0 Бухгалтерия, 1C 8.0 Торговля и склад, CorelDraw, IBM Lotus Notes, MS Active Directory, The Bat, WebMoney58. Харин Ярослав Захарович IBM Lotus Notes59. Русков Иван Владиславович IBM Lotus Notes, MS Active Directory, Microsoft Access, Консультант+60. Lotus Notes 6.5.1 Rus - дайте линк плизВсем привет! Я конечно понимаю, что для моей проблемы есть соответсвующий раздел, там я уже отписал, никто не ответил. Половина ссылок из темы Lotus Software уже нерабочие, в других местах, а также в поиске клиента Lotus Notes 6.5.1 Rus не нашел...Если кто знает ссылку - поделитесь, пожалуйста!61. дайте линк плизВсем привет! Я конечно понимаю, что для моей проблемы есть соответсвующий раздел, там я уже отписал, никто не ответил. Половина ссылок из темы Lotus Software уже нерабочие, в других местах, а также в поиске клиента Lotus Notes 6.5.1 Rus не нашел...Если кто знает ссылку - поделитесь, пожалуйста!62. Lotus Domino на проект (Москва):Lotus Domino на проект (Москва):63. Symantec Backup Exec 2010 - R2 v.13.0.4164 (2010/Multi)Lotus Domino 8.5.64. Хоменков Арсений Богданович1C 7.7 Торговля и склад, 1C 8.0 Торговля и склад, IBM Lotus Notes, InDesign, Internet Explorer, Microsoft Access, The Bat, Консультант+65. Шило Богдан Альбертович1C 8.0 Торговля и склад, Adobe Photoshop, AutoCAD, IBM Lotus Notes, InDesign66. Браслетова Зоя ЭдуардовнаIBM Lotus Notes, Internet Explorer, QuarkXPress67. Песенникова Ирина Геннадьевна1C 8.0 Бухгалтерия, CorelDraw, IBM Lotus Notes, Internet Explorer, Microsoft PowerPoint, Microsoft Word68. Федяков Артем ГеннадьевичIBM Lotus Notes69. Шушпанникова Ева ВалерьевнаIBM Lotus Notes, Microsoft PowerPoint, WebMoney70. Тихоненко Олеся СтепановнаCorelDraw, IBM Lotus Notes, Internet Explorer, Microsoft Office, Microsoft PowerPoint71. Горбенко Валерия Ефимовна1C 7.7 Бухгалтерия, IBM Lotus Notes, QuarkXPress72. Григорьевский Валерий ИгоревичCorelDraw, IBM Lotus Notes, Internet Explorer, Microsoft Access, Microsoft Excel, Microsoft Office, The Bat73. Бархатова Олеся Витальевна1C 8.0 Бухгалтерия, IBM Lotus Notes, MS Active Directory, Microsoft Access, Outlook, The Bat74. LotusDomiNotes | ЛотусДомиНотес: Выпуск рассылки «Lotus Notes/Domino — продукт и ...Вышел новый выпуск рассылки «Lotus Notes/Domino — продукт и инструмент.75. Якшевич Ева Тарасовна1C 7.7 Торговля и склад, Adobe Photoshop, AutoCAD, IBM Lotus Notes, Illustrator, Microsoft Access76. Вышла бета-версия Lotus Notes Traveler от IBM для платформы AndroidБета-версия Lotus Notes Traveler для платформы Android — это бесплатное программное приложение, доступное для загрузки пользователями Lotus Notes, которое обеспечивает двухстороннюю беспроводную синхронизацию информации между серверами Lotus Domino и [...]77. Парфиненкова Ксения Витальевна 1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, 1C 8.0 Торговля и склад, Adobe Photoshop, IBM Lotus Notes, MS Active Directory78. Ястреб Руслана Андреевна IBM Lotus Notes, Internet Explorer, Microsoft PowerPoint, The Bat79. Коробейников Степан Андреевич IBM Lotus Notes, MS Active Directory, Microsoft Word, Outlook, QuarkXPress, The Bat80. Боровков Сергей Георгиевич 1C 7.7 Торговля и склад, 1C 8.0 Бухгалтерия, Adobe Photoshop, IBM Lotus Notes, Illustrator, Microsoft Office, Outlook81. Симонович Ярослав Петрович 1C 7.7 Бухгалтерия, IBM Lotus Notes82. Медовникова Зинаида Игоревна 1C 8.0 Торговля и склад, IBM Lotus Notes, Microsoft Office, Microsoft Word, Консультант+83. Узкая София Тарасовна 1C 7.7 Торговля и склад, IBM Lotus Notes, Outlook, The Bat, WebMoney84. Курбский Егор Викторович IBM Lotus Notes, Internet Explorer, Microsoft Access, Microsoft Office, Microsoft PowerPoint, The Bat85. Неплюева Майя Вячеславовна IBM Lotus Notes, Microsoft Excel, Microsoft Office86. Вход без авторизаций, можно ?привет всем, задача такая: что бы все пользователи могли через веб интерфейс могли зайти и проверять документывеб интерфейс хочу реализовать на ASP.NET. использую лотусовые СОМ объекты но что бы до database добраться, надо lotussession иниалицизировать. А ID-шка ни у всех ))) а можно ли как нить без инициализаций достучаться до БД ??? Блиц-опрос
Закладки о Lotus Notes1. nsftools - Lotus Notes and Domino Tips2. Lotus Notes/Domino - Tools and utilities for Administrators and Users.3. Lauching Lotus Notes with mailto: - Stack Overflow4. Lauching Lotus Notes with mailto: - Stack Overflow5. Captain Oblivious6. Captain Oblivious7. Applicable Publish TCO White Papers for FREE Download.Applicable have completed a project to publish 3 white papers focusing on the total cost of ownership for deploying IBM and Microsoft strategies.8. Applicable Publish TCO White Papers for FREE Download.Applicable have completed a project to publish 3 white papers focusing on the total cost of ownership for deploying IBM and Microsoft strategies.9. Lotus Notes CRM: 3 things to consider10. Lotus Notes CRM: 3 things to consider11. Notes on Productivity - Getting Things Done with a BlackBerry, Lotus Notes and other tools12. Notes on Productivity - Getting Things Done with a BlackBerry, Lotus Notes and other tools13. Lost on #IBM #Lotus Island ? Move your apps to the cloud with Force.com’s Cloud Computing Platform14. Lost on #IBM #Lotus Island ? Move your apps to the cloud with Force.com’s Cloud Computing Platform15. Extending the IBM Lotus Notes V8 mail with Eclipse16. Extending the IBM Lotus Notes V8 mail with Eclipse17. Lotus Notes, Domino Deletion StubsWith a period of one third of the purge inteval the updall task (for server based databases) checks the database for deletion stubs which are older than the purge interval and removes them. So if the purge interval is set to 90 days, deletion stubs will be purged after 90 to 120 days.18. Lotus Notes, Domino Deletion StubsWith a period of one third of the purge inteval the updall task (for server based databases) checks the database for deletion stubs which are older than the purge interval and removes them. So if the purge interval is set to 90 days, deletion stubs will be purged after 90 to 120 days.19. Lotus Traveler for iPhone setup instructions20. IBM EMEA Announcement LetterIBM® Lotus Notes® and Domino® 8.5.2 provides enhancements for both the end user (Lotus Notes, Lotus® iNotes™ and Lotus Notes Traveler) and developers (Domino Designer). Lotus Notes and Domino 8.5.2: * Allows Lotus Notes to take advantage of improved instant messaging and unified telephony services provided by Lotus Sametime® * Contains usability and productivity enhancements to the Lotus iNotes mail and calendaring experience * Supports the Apple iPad and new features of the Apple iPhone with Lotus Notes Traveler * Has new XPage features and extensibility APIs, as well as Lotus Domino Designer enhancements that provide developers with additional capabilitiesИсточники знаний. Сайты с книгами
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||