...
An inline definition of a function with external linkage shall not contain a definition of a modifiable object with static or thread storage duration, and shall not contain a reference to an identifier with internal linkage.
Noncompliant Code Example (Internal Linkage)
This code refers to a static variable, which has internal linkage, inside an external inline function:
| Code Block | ||||
|---|---|---|---|---|
| ||||
static int I = 12;
extern inline void func(int a) {
int b = a * I;
/* ... */
}
|
Compliant Solution (Internal Linkage)
This compliant solution does not declare the variable at file scope to be static and so the variable has external linkage by default.
| Code Block | ||||
|---|---|---|---|---|
| ||||
int I = 12;
extern inline void func(int a) {
int b = a * I;
/* ... */
}
|
Noncompliant Code Example (Modifiable Static)
This noncompliant code example defines a modifiable static variable within an extern inline function.
| Code Block | ||||
|---|---|---|---|---|
| ||||
extern inline void func(void) { static int I = 12; /* Perform calculations which may modify I */ } |
Compliant Solution (Modifiable Static)
It is invalid to define a static or thread-local value within an extern inline function. This compliant solution removes the static keyword from the local variable definition. if the modifications to I must be retained between invocations of func(), it must be declared at file scope so that it will be defined with external linkage.
| Code Block | ||||
|---|---|---|---|---|
| ||||
extern inline void func(void) {
int I = 12;
/* Perform calculations which may modify I */
} |
Risk Risk Assessment
Rule | Severity | Likelihood | Remediation Cost | Priority | Level |
|---|---|---|---|---|---|
DCL41-C | Low | Unlikely | Medium | P2 | L3 |
...