1 #include "writefrudata.hpp"
2 
3 #include "fru_area.hpp"
4 #include "frup.hpp"
5 #include "types.hpp"
6 
7 #include <ipmid/api.h>
8 #include <unistd.h>
9 
10 #include <phosphor-logging/log.hpp>
11 #include <sdbusplus/bus.hpp>
12 
13 #include <algorithm>
14 #include <array>
15 #include <cstdio>
16 #include <cstring>
17 #include <exception>
18 #include <fstream>
19 #include <iostream>
20 #include <map>
21 #include <memory>
22 #include <span>
23 #include <sstream>
24 #include <vector>
25 
26 using namespace ipmi::vpd;
27 using namespace phosphor::logging;
28 
29 extern const FruMap frus;
30 extern const std::map<Path, InterfaceMap> extras;
31 
32 using FruAreaVector = std::vector<std::unique_ptr<IPMIFruArea>>;
33 
34 namespace
35 {
36 
37 /**
38  * Cleanup routine
39  * Must always be called as last reference to fruFilePointer.
40  *
41  * @param[in] fruFilePointer - FRU file pointer to close
42  * @param[in] fruAreaVec - vector of FRU areas
43  * @return -1
44  */
45 int cleanupError(FILE* fruFilePointer, FruAreaVector& fruAreaVec)
46 {
47     if (fruFilePointer != NULL)
48     {
49         std::fclose(fruFilePointer);
50     }
51 
52     if (!(fruAreaVec.empty()))
53     {
54         fruAreaVec.clear();
55     }
56 
57     return -1;
58 }
59 
60 /**
61  * Gets the value of the key from the FRU dictionary of the given section.
62  * FRU dictionary is parsed FRU data for all the sections.
63  *
64  * @param[in] section - FRU section name
65  * @param[in] key - key for secion
66  * @param[in] delimiter - delimiter for parsing custom fields
67  * @param[in] fruData - the FRU data to search for the section
68  * @return FRU value
69  */
70 std::string getFRUValue(const std::string& section, const std::string& key,
71                         const std::string& delimiter, IPMIFruInfo& fruData)
72 {
73     auto minIndexValue = 0;
74     auto maxIndexValue = 0;
75     std::string fruValue = "";
76 
77     if (section == "Board")
78     {
79         minIndexValue = OPENBMC_VPD_KEY_BOARD_MFG_DATE;
80         maxIndexValue = OPENBMC_VPD_KEY_BOARD_MAX;
81     }
82     else if (section == "Product")
83     {
84         minIndexValue = OPENBMC_VPD_KEY_PRODUCT_MFR;
85         maxIndexValue = OPENBMC_VPD_KEY_PRODUCT_MAX;
86     }
87     else if (section == "Chassis")
88     {
89         minIndexValue = OPENBMC_VPD_KEY_CHASSIS_TYPE;
90         maxIndexValue = OPENBMC_VPD_KEY_CHASSIS_MAX;
91     }
92 
93     auto first = fruData.cbegin() + minIndexValue;
94     auto last = first + (maxIndexValue - minIndexValue) + 1;
95 
96     auto itr = std::find_if(first, last,
97                             [&key](const auto& e) { return key == e.first; });
98 
99     if (itr != last)
100     {
101         fruValue = itr->second;
102     }
103 
104     // if the key is custom property then the value could be in two formats.
105     // 1) custom field 2 = "value".
106     // 2) custom field 2 =  "key:value".
107     // if delimiter length = 0 i.e custom field 2 = "value"
108 
109     constexpr auto customProp = "Custom Field";
110     if (key.find(customProp) != std::string::npos)
111     {
112         if (delimiter.length() > 0)
113         {
114             size_t delimiterpos = fruValue.find(delimiter);
115             if (delimiterpos != std::string::npos)
116             {
117                 fruValue = fruValue.substr(delimiterpos + 1);
118             }
119         }
120     }
121     return fruValue;
122 }
123 
124 /**
125  * Get the inventory service from the mapper.
126  *
127  * @param[in] bus - sdbusplus handle to use for dbus call
128  * @param[in] intf - interface
129  * @param[in] path - the object path
130  * @return the dbus service that owns the interface for that path
131  */
132 auto getService(sdbusplus::bus_t& bus, const std::string& intf,
133                 const std::string& path)
134 {
135     auto mapperCall = bus.new_method_call("xyz.openbmc_project.ObjectMapper",
136                                           "/xyz/openbmc_project/object_mapper",
137                                           "xyz.openbmc_project.ObjectMapper",
138                                           "GetObject");
139 
140     mapperCall.append(path);
141     mapperCall.append(std::vector<std::string>({intf}));
142     std::map<std::string, std::vector<std::string>> mapperResponse;
143 
144     try
145     {
146         auto mapperResponseMsg = bus.call(mapperCall);
147         mapperResponseMsg.read(mapperResponse);
148     }
149     catch (const sdbusplus::exception_t& ex)
150     {
151         log<level::ERR>("Exception from sdbus call",
152                         entry("WHAT=%s", ex.what()));
153         throw;
154     }
155 
156     if (mapperResponse.begin() == mapperResponse.end())
157     {
158         throw std::runtime_error("ERROR in reading the mapper response");
159     }
160 
161     return mapperResponse.begin()->first;
162 }
163 
164 /**
165  * Takes FRU data, invokes Parser for each FRU record area and updates
166  * inventory.
167  *
168  * @param[in] areaVector - vector of FRU areas
169  * @param[in] bus - handle to sdbus for calling methods, etc
170  * @return return non-zero of failure
171  */
172 int updateInventory(FruAreaVector& areaVector, sdbusplus::bus_t& bus)
173 {
174     // Generic error reporter
175     int rc = 0;
176     uint8_t fruid = 0;
177     IPMIFruInfo fruData;
178 
179     // For each FRU area, extract the needed data , get it parsed and update
180     // the Inventory.
181     for (const auto& fruArea : areaVector)
182     {
183         fruid = fruArea->getFruID();
184         // Fill the container with information
185         rc = parse_fru_area(fruArea->getType(),
186                             static_cast<const void*>(fruArea->getData()),
187                             fruArea->getLength(), fruData);
188         if (rc < 0)
189         {
190             log<level::ERR>("Error parsing FRU records");
191             return rc;
192         }
193     } // END walking the vector of areas and updating
194 
195     // For each FRU we have the list of instances which needs to be updated.
196     // Each instance object implements certain interfaces.
197     // Each Interface is having Dbus properties.
198     // Each Dbus Property would be having metaData(eg section,VpdPropertyName).
199 
200     // Here we are just printing the object,interface and the properties.
201     // which needs to be called with the new inventory manager implementation.
202     using namespace std::string_literals;
203     static const auto intf = "xyz.openbmc_project.Inventory.Manager"s;
204     static const auto path = "/xyz/openbmc_project/inventory"s;
205     std::string service;
206     try
207     {
208         service = getService(bus, intf, path);
209     }
210     catch (const std::exception& e)
211     {
212         std::cerr << e.what() << "\n";
213         return -1;
214     }
215 
216     auto iter = frus.find(fruid);
217     if (iter == frus.end())
218     {
219         log<level::ERR>("Unable to find FRUID in generated list",
220                         entry("FRU=%d", static_cast<int>(fruid)));
221         return -1;
222     }
223 
224     auto& instanceList = iter->second;
225     if (instanceList.size() <= 0)
226     {
227         log<level::DEBUG>("Object list empty for this FRU",
228                           entry("FRU=%d", static_cast<int>(fruid)));
229     }
230 
231     ObjectMap objects;
232     for (const auto& instance : instanceList)
233     {
234         InterfaceMap interfaces;
235         const auto& extrasIter = extras.find(instance.path);
236 
237         for (const auto& interfaceList : instance.interfaces)
238         {
239             PropertyMap props; // store all the properties
240             for (const auto& properties : interfaceList.second)
241             {
242                 std::string value;
243                 decltype(auto) pdata = properties.second;
244 
245                 if (!pdata.section.empty() && !pdata.property.empty())
246                 {
247                     value = getFRUValue(pdata.section, pdata.property,
248                                         pdata.delimiter, fruData);
249                 }
250                 props.emplace(std::move(properties.first), std::move(value));
251             }
252             // Check and update extra properties
253             if (extras.end() != extrasIter)
254             {
255                 const auto& propsIter =
256                     (extrasIter->second).find(interfaceList.first);
257                 if ((extrasIter->second).end() != propsIter)
258                 {
259                     for (const auto& map : propsIter->second)
260                     {
261                         props.emplace(map.first, map.second);
262                     }
263                 }
264             }
265             interfaces.emplace(std::move(interfaceList.first),
266                                std::move(props));
267         }
268 
269         // Call the inventory manager
270         sdbusplus::message::object_path objectPath = instance.path;
271         // Check and update extra properties
272         if (extras.end() != extrasIter)
273         {
274             for (const auto& entry : extrasIter->second)
275             {
276                 if (interfaces.end() == interfaces.find(entry.first))
277                 {
278                     interfaces.emplace(entry.first, entry.second);
279                 }
280             }
281         }
282         objects.emplace(objectPath, interfaces);
283     }
284 
285     auto pimMsg = bus.new_method_call(service.c_str(), path.c_str(),
286                                       intf.c_str(), "Notify");
287     pimMsg.append(std::move(objects));
288 
289     try
290     {
291         auto inventoryMgrResponseMsg = bus.call(pimMsg);
292     }
293     catch (const sdbusplus::exception_t& ex)
294     {
295         log<level::ERR>("Error in notify call", entry("WHAT=%s", ex.what()),
296                         entry("SERVICE=%s", service.c_str()),
297                         entry("PATH=%s", path.c_str()));
298         return -1;
299     }
300 
301     return rc;
302 }
303 
304 } // namespace
305 
306 /**
307  * Takes the pointer to stream of bytes and length and returns the 8 bit
308  * checksum.  This algo is per IPMI V2.0 spec
309  *
310  * @param[in] data - data for running crc
311  * @param[in] len - the length over which to run the crc
312  * @return the CRC value
313  */
314 unsigned char calculateCRC(const unsigned char* data, size_t len)
315 {
316     char crc = 0;
317     size_t byte = 0;
318 
319     for (byte = 0; byte < len; byte++)
320     {
321         crc += *data++;
322     }
323 
324     return (-crc);
325 }
326 
327 /**
328  * Accepts a FRU area offset into a commom header and tells which area it is.
329  *
330  * @param[in] areaOffset - offset to lookup the area type
331  * @return the ipmi_fru_area_type
332  */
333 ipmi_fru_area_type getFruAreaType(uint8_t areaOffset)
334 {
335     ipmi_fru_area_type type = IPMI_FRU_AREA_TYPE_MAX;
336 
337     switch (areaOffset)
338     {
339         case IPMI_FRU_INTERNAL_OFFSET:
340             type = IPMI_FRU_AREA_INTERNAL_USE;
341             break;
342 
343         case IPMI_FRU_CHASSIS_OFFSET:
344             type = IPMI_FRU_AREA_CHASSIS_INFO;
345             break;
346 
347         case IPMI_FRU_BOARD_OFFSET:
348             type = IPMI_FRU_AREA_BOARD_INFO;
349             break;
350 
351         case IPMI_FRU_PRODUCT_OFFSET:
352             type = IPMI_FRU_AREA_PRODUCT_INFO;
353             break;
354 
355         case IPMI_FRU_MULTI_OFFSET:
356             type = IPMI_FRU_AREA_MULTI_RECORD;
357             break;
358 
359         default:
360             type = IPMI_FRU_AREA_TYPE_MAX;
361     }
362 
363     return type;
364 }
365 
366 /**
367  * Validates the data for multirecord fields and CRC if selected
368  *
369  * @param[in] data - the data to verify
370  * @param[in] len - the length of the region to verify
371  * @param[in] validateCrc - whether to validate the CRC
372  * @return non-zero on failure
373  */
374 int verifyFruMultiRecData(const uint8_t* data, const size_t len,
375                           bool validateCrc)
376 {
377     uint8_t checksum = 0;
378     int rc = -1;
379 
380     if (!validateCrc)
381     {
382         // There's nothing else to do for this area.
383         return EXIT_SUCCESS;
384     }
385 
386     // As per the IPMI platform spec, byte[3] is the record checksum.
387     checksum = calculateCRC(data, len);
388     if (checksum != data[3])
389     {
390 #ifdef __IPMI_DEBUG__
391         log<level::ERR>(
392             "Checksum mismatch",
393             entry("Calculated=0x%X", static_cast<uint32_t>(checksum)),
394             entry("Embedded=0x%X", static_cast<uint32_t>(data[3])));
395 #endif
396         return rc;
397     }
398 #ifdef __IPMI_DEBUG__
399     else
400     {
401         log<level::DEBUG>("Checksum matches");
402     }
403 #endif
404 
405     return EXIT_SUCCESS;
406 }
407 
408 /**
409  * Validates the data for mandatory fields and CRC if selected.
410  *
411  * @param[in] data - the data to verify
412  * @param[in] len - the length of the region to verify
413  * @param[in] validateCrc - whether to validate the CRC
414  * @return non-zero on failure
415  */
416 int verifyFruData(const uint8_t* data, const size_t len, bool validateCrc)
417 {
418     uint8_t checksum = 0;
419     int rc = -1;
420 
421     // Validate for first byte to always have a value of [1]
422     if (data[0] != IPMI_FRU_HDR_BYTE_ZERO)
423     {
424         log<level::ERR>("Invalid entry in byte-0",
425                         entry("ENTRY=0x%X", static_cast<uint32_t>(data[0])));
426         return rc;
427     }
428 #ifdef __IPMI_DEBUG__
429     else
430     {
431         log<level::DEBUG>("Validated in entry_1 of fruData",
432                           entry("ENTRY=0x%X", static_cast<uint32_t>(data[0])));
433     }
434 #endif
435 
436     if (!validateCrc)
437     {
438         // There's nothing else to do for this area.
439         return EXIT_SUCCESS;
440     }
441 
442     // See if the calculated CRC matches with the embedded one.
443     // CRC to be calculated on all except the last one that is CRC itself.
444     checksum = calculateCRC(data, len - 1);
445     if (checksum != data[len - 1])
446     {
447 #ifdef __IPMI_DEBUG__
448         log<level::ERR>(
449             "Checksum mismatch",
450             entry("Calculated=0x%X", static_cast<uint32_t>(checksum)),
451             entry("Embedded=0x%X", static_cast<uint32_t>(data[len])));
452 #endif
453         return rc;
454     }
455 #ifdef __IPMI_DEBUG__
456     else
457     {
458         log<level::DEBUG>("Checksum matches");
459     }
460 #endif
461 
462     return EXIT_SUCCESS;
463 }
464 
465 /**
466  * Checks if a particular FRU area is populated or not.
467  *
468  * @param[in] reference to FRU area pointer
469  * @return true if the area is empty
470  */
471 bool removeInvalidArea(const std::unique_ptr<IPMIFruArea>& fruArea)
472 {
473     // Filter the ones that are empty
474     if (!(fruArea->getLength()))
475     {
476         return true;
477     }
478     return false;
479 }
480 
481 /**
482  * Populates various FRU areas.
483  *
484  * @prereq : This must be called only after validating common header
485  * @param[in] fruData - pointer to the FRU bytes
486  * @param[in] dataLen - the length of the FRU data
487  * @param[in] fruAreaVec - the FRU area vector to update
488  */
489 int ipmiPopulateFruAreas(uint8_t* fruData, const size_t dataLen,
490                          FruAreaVector& fruAreaVec)
491 {
492     // Now walk the common header and see if the file size has atleast the last
493     // offset mentioned by the struct common_header. If the file size is less
494     // than the offset of any if the FRU areas mentioned in the common header,
495     // then we do not have a complete file.
496     for (uint8_t fruEntry = IPMI_FRU_INTERNAL_OFFSET;
497          fruEntry < (sizeof(struct common_header) - 2); fruEntry++)
498     {
499         int rc = -1;
500         // Actual offset in the payload is the offset mentioned in common header
501         // multiplied by 8. Common header is always the first 8 bytes.
502         size_t areaOffset = fruData[fruEntry] * IPMI_EIGHT_BYTES;
503         if (areaOffset && (dataLen < (areaOffset + 2)))
504         {
505             // Our file size is less than what it needs to be. +2 because we are
506             // using area len that is at 2 byte off areaOffset
507             log<level::ERR>("FRU file is incomplete",
508                             entry("SIZE=%d", dataLen));
509             return rc;
510         }
511         else if (areaOffset)
512         {
513             // Read 3 bytes to know the actual size of area.
514             uint8_t areaHeader[3] = {0};
515             std::memcpy(areaHeader, &((uint8_t*)fruData)[areaOffset],
516                         sizeof(areaHeader));
517 
518             // Size of this area will be the 2nd byte in the FRU area header.
519             size_t areaLen;
520             if (fruEntry == IPMI_FRU_MULTI_OFFSET)
521             {
522                 areaLen = areaHeader[2] + IPMI_FRU_MULTIREC_HDR_BYTES;
523             }
524             else
525             {
526                 areaLen = areaHeader[1] * IPMI_EIGHT_BYTES;
527             }
528 
529             log<level::DEBUG>("FRU Data", entry("SIZE=%d", dataLen),
530                               entry("AREA OFFSET=%d", areaOffset),
531                               entry("AREA_SIZE=%d", areaLen));
532 
533             // See if we really have that much buffer. We have area offset amd
534             // from there, the actual len.
535             if (dataLen < (areaLen + areaOffset))
536             {
537                 log<level::ERR>("Incomplete FRU file",
538                                 entry("SIZE=%d", dataLen));
539                 return rc;
540             }
541 
542             auto fruDataView = std::span<uint8_t>(&fruData[areaOffset],
543                                                   areaLen);
544             auto areaData = std::vector<uint8_t>(fruDataView.begin(),
545                                                  fruDataView.end());
546 
547             // Validate the CRC, but not for the internal use area, since its
548             // contents beyond the first byte are not defined in the spec and
549             // it may not end with a CRC byte.
550             bool validateCrc = fruEntry != IPMI_FRU_INTERNAL_OFFSET;
551 
552             if (fruEntry == IPMI_FRU_MULTI_OFFSET)
553             {
554                 rc = verifyFruMultiRecData(areaData.data(), areaLen,
555                                            validateCrc);
556             }
557             else
558             {
559                 rc = verifyFruData(areaData.data(), areaLen, validateCrc);
560             }
561 
562             if (rc < 0)
563             {
564                 log<level::ERR>("Err validating FRU area",
565                                 entry("OFFSET=%d", areaOffset));
566                 return rc;
567             }
568             else
569             {
570                 log<level::DEBUG>("Successfully verified area.",
571                                   entry("OFFSET=%d", areaOffset));
572             }
573 
574             // We already have a vector that is passed to us containing all
575             // of the fields populated. Update the data portion now.
576             for (auto& iter : fruAreaVec)
577             {
578                 if (iter->getType() == getFruAreaType(fruEntry))
579                 {
580                     iter->setData(areaData.data(), areaLen);
581                 }
582             }
583         } // If we have FRU data present
584     }     // Walk struct common_header
585 
586     // Not all the fields will be populated in a FRU data. Mostly all cases will
587     // not have more than 2 or 3.
588     fruAreaVec.erase(
589         std::remove_if(fruAreaVec.begin(), fruAreaVec.end(), removeInvalidArea),
590         fruAreaVec.end());
591 
592     return EXIT_SUCCESS;
593 }
594 
595 /**
596  * Validates the FRU data per ipmi common header constructs.
597  * Returns with updated struct common_header and also file_size
598  *
599  * @param[in] fruData - the FRU data
600  * @param[in] dataLen - the length of the data
601  * @return non-zero on failure
602  */
603 int ipmiValidateCommonHeader(const uint8_t* fruData, const size_t dataLen)
604 {
605     int rc = -1;
606 
607     uint8_t commonHdr[sizeof(struct common_header)] = {0};
608     if (dataLen >= sizeof(commonHdr))
609     {
610         std::memcpy(commonHdr, fruData, sizeof(commonHdr));
611     }
612     else
613     {
614         log<level::ERR>("Incomplete FRU data file", entry("SIZE=%d", dataLen));
615         return rc;
616     }
617 
618     // Verify the CRC and size
619     rc = verifyFruData(commonHdr, sizeof(commonHdr), true);
620     if (rc < 0)
621     {
622         log<level::ERR>("Failed to validate common header");
623         return rc;
624     }
625 
626     return EXIT_SUCCESS;
627 }
628 
629 int validateFRUArea(const uint8_t fruid, const char* fruFilename,
630                     sdbusplus::bus_t& bus, const bool bmcOnlyFru)
631 {
632     size_t dataLen = 0;
633     size_t bytesRead = 0;
634     int rc = -1;
635 
636     // Vector that holds individual IPMI FRU AREAs. Although MULTI and INTERNAL
637     // are not used, keeping it here for completeness.
638     FruAreaVector fruAreaVec;
639 
640     for (uint8_t fruEntry = IPMI_FRU_INTERNAL_OFFSET;
641          fruEntry < (sizeof(struct common_header) - 2); fruEntry++)
642     {
643         // Create an object and push onto a vector.
644         std::unique_ptr<IPMIFruArea> fruArea = std::make_unique<IPMIFruArea>(
645             fruid, getFruAreaType(fruEntry), bmcOnlyFru);
646 
647         // Physically being present
648         bool present = access(fruFilename, F_OK) == 0;
649         fruArea->setPresent(present);
650 
651         fruAreaVec.emplace_back(std::move(fruArea));
652     }
653 
654     FILE* fruFilePointer = std::fopen(fruFilename, "rb");
655     if (fruFilePointer == NULL)
656     {
657         log<level::ERR>("Unable to open FRU file",
658                         entry("FILE=%s", fruFilename),
659                         entry("ERRNO=%s", std::strerror(errno)));
660         return cleanupError(fruFilePointer, fruAreaVec);
661     }
662 
663     // Get the size of the file to see if it meets minimum requirement
664     if (std::fseek(fruFilePointer, 0, SEEK_END))
665     {
666         log<level::ERR>("Unable to seek FRU file",
667                         entry("FILE=%s", fruFilename),
668                         entry("ERRNO=%s", std::strerror(errno)));
669         return cleanupError(fruFilePointer, fruAreaVec);
670     }
671 
672     // Allocate a buffer to hold entire file content
673     dataLen = std::ftell(fruFilePointer);
674 
675     auto fruData = std::vector<uint8_t>(dataLen, 0);
676 
677     std::rewind(fruFilePointer);
678     bytesRead = std::fread(fruData.data(), dataLen, 1, fruFilePointer);
679     if (bytesRead != 1)
680     {
681         log<level::ERR>("Failed reading FRU data.",
682                         entry("BYTESREAD=%d", bytesRead),
683                         entry("ERRNO=%s", std::strerror(errno)));
684         return cleanupError(fruFilePointer, fruAreaVec);
685     }
686 
687     // We are done reading.
688     std::fclose(fruFilePointer);
689     fruFilePointer = NULL;
690 
691     rc = ipmiValidateCommonHeader(fruData.data(), dataLen);
692     if (rc < 0)
693     {
694         return cleanupError(fruFilePointer, fruAreaVec);
695     }
696 
697     // Now that we validated the common header, populate various FRU sections if
698     // we have them here.
699     rc = ipmiPopulateFruAreas(fruData.data(), dataLen, fruAreaVec);
700     if (rc < 0)
701     {
702         log<level::ERR>("Populating FRU areas failed", entry("FRU=%d", fruid));
703         return cleanupError(fruFilePointer, fruAreaVec);
704     }
705     else
706     {
707         log<level::DEBUG>("Populated FRU areas", entry("FILE=%s", fruFilename));
708     }
709 
710 #ifdef __IPMI_DEBUG__
711     for (const auto& iter : fruAreaVec)
712     {
713         std::printf("FRU ID : [%d]\n", iter->getFruID());
714         std::printf("AREA NAME : [%s]\n", iter->getName());
715         std::printf("TYPE : [%d]\n", iter->getType());
716         std::printf("LEN : [%d]\n", iter->getLength());
717     }
718 #endif
719 
720     // If the vector is populated with everything, then go ahead and update the
721     // inventory.
722     if (!(fruAreaVec.empty()))
723     {
724 #ifdef __IPMI_DEBUG__
725         std::printf("\n SIZE of vector is : [%d] \n", fruAreaVec.size());
726 #endif
727         rc = updateInventory(fruAreaVec, bus);
728         if (rc < 0)
729         {
730             log<level::ERR>("Error updating inventory.");
731         }
732     }
733 
734     // we are done with all that we wanted to do. This will do the job of
735     // calling any destructors too.
736     fruAreaVec.clear();
737 
738     return rc;
739 }
740