search
C/C++ in-depth analysisNov 22, 2016 pm 05:21 PM
c/c++

Array

Array is a common data structure in development. Of course, we know that array is equivalent to a container, but it can not only store values ​​​​and characters, but it can also store the entry address of functions and structures. data.

typedef  struct _value
{
       int val_1;
       int val_2;
}VALUE;
typedef  struct _table
{
       char  index;
       char  data[100];
int (*UniSetFunc)(VALUE*);
}TABLE;
 
int  add(VALUE  *val )
{
       int  temp = 0;
       temp = val->val_1 + val->val_2;
       return  temp;
}
 
TABLE  page[10]
{
       {“ First section ”, “abcdefghijklmn”, add},
       {“Second section”, “opqrstuvwxyz”, NULL}
};
int main()
{
       VALUE  AddValue;
       AddValue.val_1 = 2;
       AddValue.val_2 = 4;
       int  result = 0;
       result  = page[0]-> UniSetFunc(&AddValue);
       printf(“The Result of add is %d\n”, result);
       return 0;
}

At this time, the array is converted into a structure similar to a dictionary in the Python language, which facilitates subsequent development and utilization, as well as additional upgrades and maintenance.

Code analysis: First of all, we know that the name of the function can be used as the entry address of the function (similar to the name of an array representing the address of the array), so in the TABLE structure we define a member function int (*UniSetFunc) (VALUE *); Here UniSetFunc serves as the entry parameter of the function, and VALUE* represents the formal parameter type of the function; the TABLE type array page[10] contains the data of the structure and the entry address of the function, which can be called page[0]- > UniSetFunc(&AddValue) to indirectly call the add function and implement the summation operation of the two numbers AddValue.val_1 and AddValue.val_1 in AddValue.

Memory hit rate problem:

In order to improve the efficiency of code operation, the memory space should be fully utilized and the memory area should be accessed continuously.

We know that the array is stored in a whole area in memory and is stored continuously. For the defined array array[2][2], assume that the address of array[0][0] is 0x04030 , then the addresses of array[0][1], array[1][0], and array[1][1] are 0x04031, 0x04032, 0x04033 respectively; to improve the memory hit rate, the memory should be accessed as continuously as possible Space area, rather than jump access; next let's look at a matrix multiplication problem.

              for (int i = 0; i < 2; ++i)
              {
                            for (int j = 0; j < 2; ++j)
                            {
                                          for (int k = 0; k < 3; ++k)
                                          {
                                                        matrix[i][j] += matrix1[i][k] * matrix2[k][j];
                                          }
                            }
              }

The above code is a commonly used method to multiply matrix matrix1 and matrix2 and then assign it to matrix. That is, use matrix1 matrix to get the row vector multiplied by the column vector of matrix matrix2, and then assign it to matrix. In this way, due to the structure of matrix storage in memory , we can clearly know that the continuous access method is not used when accessing matrix2, so the memory hit rate is low. Next we look at a method with high memory hit rate.

for (int i = 0; i < 2; ++i)
       {
                     for (int k = 0; k < 3; ++k)
                     {
                                   for (int j = 0; j < 2; ++j)
                                   {
                                                 matrix[i][j] += matrix1[i][k] * matrix2[k][j];
                                   }
                     }
       }

It can be seen that the code only exchanges the positions of the second for loop and the third for loop, while the other parts have not changed. However, the memory hit rate has been greatly improved. We use the matrix1 and matrix2 matrices The internal elements are multiplied sequentially and then accumulated to perform matrix multiplication. In this way, no memory miss occurs when accessing the matrix1 and matrix2 matrices, thereby increasing the probability of a memory hit.




The relationship between volatile, const and static:


The const keyword is a constant keyword, the amount it acts on is a constant, and the program is not allowed to change the value of the constant , such as const int value = 12; this constant value does not allow the program to change it. The const keyword is often used during the development process. In order to prevent the program from accidentally changing a fixed constant, we should add it in time. Use the const keyword; in addition, when the const keyword acts on a constant, it must be initialized directly, because it is not allowed to be changed during the entire program, so it must be initialized immediately. For example: const int value = 12 is correct, The syntax of const int value; value = 12; is wrong! Next, let's study a slightly more difficult issue, namely constant pointers and pointer constants. Let’s look at a piece of code first:

#define SWITCH 1
int main()
{
       int val_1 = 5;
       int val_2 = 10;
       const int *p1 = &val_1;
       int const *p2 = &val_1;
       int *const p3 = &val_1;
#ifdef  SWITCH          // This is a switch
       *p1 = 20;
       *p2 = 21;
       *p3 = 22;
#endif
#ifndef  SWITCH
       p1 = &val_2;
       p2 = &val_2;
       p3 = &val_2;
#endif
       printf("%d\n", *p1);
       printf("%d\n", *p2);
       printf("%d\n", *p3);
       return 0;
}


Executed under the cygwin compiler, we can see this error:



From the picture we can clearly see that pointers p1 and p2 You can only read the value in val_1 as a pointer constant, that is, you cannot change the content of the variable it points to, so *p1 = 20; *p2 = 21; these two commands are wrong! (#ifdef SWITCH ... #endif is conditional compilation, which is a macro switch). Then we comment out the #define SWITCH 1 statement, and the second block of code will be run at this time, and the result is as follows:






From the error you can It can be seen that p3 is a constant pointer. It can only point to a fixed address and cannot change the direction it points to. Therefore, the operation of p3 = &val_2; is wrong, so the correct code is as follows:

int main()
{
              int val_1 = 5;
              int val_2 = 10;
              const int *p1 = &val_1;
              int const *p2 = &val_1;
              int *const p3 = &val_1;
              printf("Frist\n");
              printf("%d\n", *p1);
              printf("%d\n", *p2);
              printf("%d\n", *p3);
              p1 = &val_2;
              p2 = &val_2;
              *p3 = 22;
              printf("Second\n");
              printf("%d\n", *p1);
              printf("%d\n", *p2);
              printf("%d\n", *p3);
              return 0;
}


The result is:



Final end: constant pointer (const int *p or int const *p) means that the pointer p cannot change the value stored in the address it points to, but can change the value it points to. Address; pointer constant (int *const p) means that pointer p cannot change the address it points to, that is, the pointer cannot change the location it points to, but it can change the content in the location it points to. If you want the pointer to neither change the position it points to nor the content there, then you can define it like this:


const int * const p = &a;或int const *const p = &a; 在定义函数的时候,若该入口参数在程序执行的过程中不希望被改变,则一定要将该形参用const来修饰,一来这样可以防止该段程序将其改变,二来对于形参而言,一个无论是否是const修饰的实参都可以将其传入const形的形参,而一个const形的实参是无法传入非const形的形参中,所以为了使编译不出错在定义函数的时候,一定要将不希望被改变的量用const关键字来修饰。


Static关键字为静态关键字,它的作用是将作用的变量存入内存中,而非存入寄存器中(即将变量存入堆中而非栈中),并且该作用的变量仅保存最近一次获取的值。接下来我们来看一段代码。

void  countfun ()
{
       static  int  count = 0;
++count;
printf(“This is %d number, enter into this function !\n”, count );
}
int main()
{
       for (int i = 0; i < 5; ++i)
       {
                     countfun();
}
return 0;
}


这段代码的运行结果如下:





而若将除去static关键字,则运行的结果如下:



由此我们可以清楚的看出,static作用的变量count只会存入当前的结果,因此循环调用countfun( )函数的时候并没有从新将count变量置为0,而是保存了前一次的值。


Static关键字在项目中的应用是很广泛的,它不仅仅有上述所介绍的特点,同时若想要定义的全局变量在整个工程中仅在当前.C文件中有效时,也应该将这个全局变量用static来修饰,这样在其他的文件中是无法访问这个变量,从而降低了模块间的耦合度,提高了模块的内聚性,防止其他文件将其改变,从而更加的安全。


volatile关键字在嵌入式领域中是十分重要的一个关键字,尤其是在与硬件相关或多线程的编程中更为重要。volatile关键字修饰的变量说明它是可以随时发生改变的,我们不希望编译器去优化某些代码的时候,需要将这个变量用volatile关键字来修饰,从而程序每次访问该变量的时候是直接从内存中提取出来,而不是从临时的寄存器中将该变量的副本给提取出来利用!例如当我们想要实现某个中断处理时,其用来做判断条件的标记位则应该用volatile来修饰,这样当这个中断在别的地方被触发的时候就可以被实时的检测到,不至于由于优化而忽略中断。接下来我们看一段代码:

int main()
{
    volatile int i = 10;
    int a = i;
    printf(“i = %d\n”, a);
__asm
{
        mov dword ptr[ebp-4], 0x10
}
int b = i;
printf(“i = %d\n”, b);
return 0;
}

此程序输出结果为i = 10;i = 16; 若将volatile关键字去掉,则结果为i = 10;i = 10;




即不加关键字会将汇编代码忽略掉,所以为了防止代码优化以及可以及时检测到外部程序对该变量的改变,我们必须将该变量加上volatile关键字。我们知道volatile关键字表征该量是易变的,const关键字代表该量是常量不能改变,那么volatile与const是否可以一起修饰同一个量呢,是肯定的,例如在硬件编程中ROM所存储的数据是不允许用户改变的,即指向该数据的指针必须为常量指针(const int *p = &ram_data),然而开发商却可以将其意外的改变,为了防止ROM的内容被意外的改变时,而用户程序没有及时的发现,必须将该量用volatile修饰,所以应这样定义该指针(volatile const int *p = &rom_data)。





位运算


在数字解码与编码的过程中,位运算的操作是司空见惯的事,同时位运算在提高程序的性能方面也独占鳌头,因此位运算操作是必需要深入了解的问题。



在乘法以及除法的操作中我可以使用未运行来提高代码的质量,例如:a = a * 16;这种操作完全可以替换为:a = a


在数据类型转换的过程中也需要做位运算操作,例如我们想将一个unsigned short类型的数据存入unsigned char类型的数组中,就需要进行位运算,首先分析知道unsigned short占用16个字节,unsigned char占用8个字节,想要将大字节的数据存入小字节,必须要对大字节进行分割,即将高8位与低8为分离开来分别存放,来看实现代码:

unsigned char * DrawCompo_Pj_BT_Change(unsigned short *subarray)
{
    unsigned char temp[500];
    (void)_sys_memset(&temp, 0x00, sizeof(temp) );
    unsigned short i = 0;
    while (subarray[i] != 0x0000)
    {
            if( (subarray[i] & 0xff00)  == 0x0000)
            {
                    temp[i++] = (unsigned char)(subarray[i] & 0x00ff);
            }
            else
            {
                    temp[i] = (unsigned char)( (subarray[i] & 0xff00) >> 8);
                    temp[i++] = (unsigned char)(subarray[i] & 0x00ff);
            }
    }
    temp[i] = &#39;\0&#39;;
    return temp;
}


temp[i] = (unsigned char)( (subarray[i] & 0xff00) >> 8);即取subarray[i]数据的高8位,temp[i++] = (unsigned char)(subarray[i] & 0x00ff);取低8位。这样就可以实现将高字节的数据完整的存入到低字节中。


位运算还可以用来判断变量的符号,我们知道对于一个有符号的变量,其最高位为其符号位,故检查改变的最高位即可知道该变量为正还是为负。看一段代码:

int main()
{
    short test_data = -12;
    if (test_data & 0xF000)
    {
            printf("This number is negative ");
    }
    else
    {
            printf("This number is positive ");
    }
    return 0;
}


对于想要交换两个数的值的时候,通常我们的做法如下:

void swap(int &data1, int &data2)
{
    int temp = 0;
    temp = data1;
    data1 = data2;
    data2 = temp;
}


这样的代码比较简单易懂,然而美中不足的是它会产生一个临时变量temp,接下来我们用位运算来重写这个程序;

void swap(int &data1, int &data2)
{
    data1 = data1 ^ data2;
    data2 = data1 ^ data2;
    data1 = data1 ^ data2;
}

从上面的代码我们可以看出少了一个临时变量,同时也加快了代码的运行效率。


尾递归:


递归调用给我们带来了很多方便,也简化了代码,使程序看起来更加的简洁和明了,但递归调用也通常伴随着一个潜在的危险:出栈,接下来我们来看一个常见的递归。


int factorial(int n)
{
    if (n < 1)
    {
            return 1;
    }
    else
    {
            return factorial(n-1)*n;
    }
   
}

通常在求一个数的阶乘的时候我们习惯于采用上述方法,然而分析来看当输入的n值较大时,factorial(n-1)*n所计算的值会不断的压入堆栈,生成很多的临时变量,等待下一个的值的确定才得以计算,然而在内存中堆栈的大小是固定的,当输入的n值很大时,极有可能产生堆栈溢出!因此,有一个好的方法解决这种问题即尾递归调用。接下来我们来看这种强大的算法。

int factorial(int n, int m)
{
    if (n < 2)
    {
            return m;
    }
    else
    {
            factorial(n-1, n*m);
    }
}

从代码中可以看出,通过引入一个新的参数m来存放每次递归所产生的值,这样就避免了每次递归都要进行压栈操作,也就不会产生堆栈溢出的现象,而且普通的递归每次递归只能等待下一次递归得到的结果后才能继续运算,而尾递归每次执行都会进行运算,一次循环执行完毕即可得到结果,其时间复杂度为O(n);


Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
php与c#的区别有哪些php与c#的区别有哪些Jun 02, 2023 pm 01:45 PM

php与c#的区别有:1、语言类型系统不同,PHP属于动态,而C#为静态类型;2、使用的平台不同,PHP可以实现跨平台,而C#为Windows专属;3、编程范式不同,PHP支持面向对象、过程化和函数式编程,C#更倾向于面向对象编程;4、执行速度不同,PHP速度更快,C#相对较慢;5、应用场景不同,PHP应用于Web开发、服务器等,C#用于Windows桌面和Web应用程序。

一文详解vscode配置C/C++运行环境【保姆级教学】一文详解vscode配置C/C++运行环境【保姆级教学】Feb 27, 2023 pm 07:33 PM

VScode中怎么开发置C/C++?怎么配置C/C++环境?下面本篇文章给大家分享一下VScode配置C/C++运行环境教程(保姆级教学),希望对大家有所帮助!

使用Clang工具创建一个C/C++代码格式化工具使用Clang工具创建一个C/C++代码格式化工具Aug 26, 2023 pm 01:09 PM

Inthistutorial,wewillbediscussingaprogramtocreateaC/C++codeformattingtoolwiththehelpofclangtools.SETUPsudoaptinstallpythonsudoaptinstallclang-format-3.5然后我们将在当前用户具有读写权限的位置创建一个Python文件。示例importoscpp_extensions=(&quot;.cxx&quot;,&quot;.cpp&

为什么在C/C++中,结构体的sizeof不等于每个成员的sizeof之和?为什么在C/C++中,结构体的sizeof不等于每个成员的sizeof之和?Aug 26, 2023 am 09:29 AM

sizeof()获取的结构类型元素的大小并不总是等于每个单独成员的大小。有时编译器会添加一些填充以避免对齐问题。所以尺寸可能会改变。当结构成员后面跟着一个尺寸较大的成员或位于结构末尾时,将添加填充。不同的编译器有不同类型的对齐约束。在C标准中,总对齐结构取决于实现。情况1在这种情况下,双精度z为8字节长,大于x(4字节))。因此又添加了4个字节的填充。此外,短类型数据y在内存中具有2字节空间,因此添加了额外的6字节作为填充。示例代码#include<stdio.h>structmyS

在C/C++中,有预增和后增两种操作在C/C++中,有预增和后增两种操作Aug 25, 2023 pm 02:25 PM

这里我们来看看什么是C或C++中的前自增和后自增。前自增和后自增都是自增运算符。但它们几乎没有什么区别。前自增运算符首先递增一个变量的值,然后将其分配给其他变量,但在后自增运算符的情况下,它首先分配给一个变量变量,然后增加值。示例#include<iostream>usingnamespacestd;main(){&nbsp;&nbsp;intx,y,z;&nbsp;&nbsp;x=10;&nbsp;&nbsp;y=10;&nb

在C/C++中,strcpy()函数是用于将一个字符串复制到另一个字符串的函数在C/C++中,strcpy()函数是用于将一个字符串复制到另一个字符串的函数Sep 09, 2023 am 08:49 AM

函数strcpy()是一个标准库函数。它用于将一个字符串复制到另一个字符串。在C语言中,它在“string.h”头文件中声明,而在C++语言中,它在cstring头文件中声明。它返回指向目的地的指针。这是C语言中strcpy()的语法,char*strcpy(char*dest,constchar*src);strcpy()的一些关键点。它将整个字符串复制到目标字符串中。它替换整个字符串而不是追加它。它不会改变源字符串。下面是C语言中strcpy()的示例:示例&nbsp;在线演示#in

C/C++程序用于计算一个数的阶乘中的尾随零的数量C/C++程序用于计算一个数的阶乘中的尾随零的数量Aug 29, 2023 pm 12:29 PM

这里我们将了解如何计算任意数字的阶乘结果中尾随0的数量。因此,如果n=5,则5!=120。只有一个尾随0。对于20!,它将是4个零作为20!=2432902008176640000。最简单的方法就是计算阶乘并计算0。但对于较大的n值,这种方法会失败。所以我们将采用另一种方法。如果质因数是2和5,那么尾随零就会出现。如果我们计算2和5,我们就可以得到结果。为此,我们将遵循此规则。尾随0=阶乘(n)素因数中5的计数算法countTrailingZeros(n)begin&nbsp;&

在C/C++中同时执行if和else语句在C/C++中同时执行if和else语句Sep 05, 2023 pm 02:29 PM

在本节中,我们将了解如何在C或C++代码中同时执行if和else部分。这个解决方案有点棘手。当if和else相继执行时,就像执行不存在if-else的语句一样。但在这里我们将看看它们是否存在如何依次执行它们。示例代码#include<iostream>usingnamespacestd;intmain(){&nbsp;&nbsp;intx=10;&nbsp;&nbsp;if(x>5)&nbsp;{&nbsp;&nbsp;&

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Hot Tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.