我正在读一本叫做《21天自学C语言》的书(我已经学会了Java和c#,所以我正在以更快的速度前进)。我正在阅读关于指针的章节,->(箭头)操作符没有解释就出现了。我认为它是用来调用成员和函数的(类似于。(点)操作符,但用于指针而不是成员)。但我不完全确定。

我能得到一个解释和一个代码样本吗?


当前回答

#include<stdio.h>

int main()
{
    struct foo
    {
        int x;
        float y;
    } var1;
    struct foo var;
    struct foo* pvar;

    pvar = &var1;
    /* if pvar = &var; it directly 
       takes values stored in var, and if give  
       new > values like pvar->x = 6; pvar->y = 22.4; 
       it modifies the values of var  
       object..so better to give new reference. */
    var.x = 5;
    (&var)->y = 14.3;
    printf("%i - %.02f\n", var.x, (&var)->y);

    pvar->x = 6;
    pvar->y = 22.4;
    printf("%i - %.02f\n", pvar->x, pvar->y);

    return 0;
}

其他回答

A ->b是(* A)的缩写。B(对于函数也是一样:a-> B()是(*a). B()的缩写)。

Foo ->bar只是(* Foo).bar的简写。这就是它的全部。

我只想在答案中加上一个“为什么”。

. 标准成员访问操作符,其优先级高于*指针操作符。

当你试图访问一个结构的内部,你把它写成*foo。Bar然后编译器会认为需要一个'foo'(内存中的地址)的' Bar '元素,显然这个地址没有任何成员。

因此,你需要要求编译器先对(*foo)解引用,然后访问成员元素:(*foo)。Bar,写起来有点笨拙,所以好事者想出了一个简写版本:foo-> Bar,这是一种指针操作符的成员访问。

struct Node {
    int i;
    int j;
};
struct Node a, *p = &a;

在这里要访问i和j的值,我们可以使用变量a和指针p,如下所示:a.i, (*p)。I和p-> I都是一样的。

在这里。是“直接选择器”,->是“间接选择器”。

在某些情况下,->操作符使代码比*操作符更具可读性。

如:(引自EDK II项目)

typedef
EFI_STATUS
(EFIAPI *EFI_BLOCK_READ)(
  IN EFI_BLOCK_IO_PROTOCOL          *This,
  IN UINT32                         MediaId,
  IN EFI_LBA                        Lba,
  IN UINTN                          BufferSize,
  OUT VOID                          *Buffer
  );


struct _EFI_BLOCK_IO_PROTOCOL {
  ///
  /// The revision to which the block IO interface adheres. All future
  /// revisions must be backwards compatible. If a future version is not
  /// back wards compatible, it is not the same GUID.
  ///
  UINT64              Revision;
  ///
  /// Pointer to the EFI_BLOCK_IO_MEDIA data for this device.
  ///
  EFI_BLOCK_IO_MEDIA  *Media;

  EFI_BLOCK_RESET     Reset;
  EFI_BLOCK_READ      ReadBlocks;
  EFI_BLOCK_WRITE     WriteBlocks;
  EFI_BLOCK_FLUSH     FlushBlocks;

};

_EFI_BLOCK_IO_PROTOCOL结构体包含4个函数指针成员。

假设你有一个变量结构_EFI_BLOCK_IO_PROTOCOL * pStruct,你想使用老的*操作符来调用它的成员函数指针。你最终会得到这样的代码:

(* pStruct) .ReadBlocks参数(……)

但是使用->操作符,你可以这样写:

pStruct - > ReadBlocks参数(……)。

哪个看起来更好?